Config¶
In [1]:
import json
import pandas as pd
import os
In [2]:
# Load the config file
with open('../config/config.json', 'r') as f:
config = json.load(f)
file_path = config["data_loc"]
file_name = "QTL_text.json"
final_path = os.path.join(file_path, file_name)
Import Dataset¶
In [3]:
# Load json file
df = pd.read_json(final_path)
print(f"Shape of the original dataset: {df.shape}", "\n")
df.head()
Shape of the original dataset: (11278, 5)
Out[3]:
| PMID | Journal | Title | Abstract | Category | |
|---|---|---|---|---|---|
| 0 | 17179536 | J Anim Sci. 2007 Jan;85(1):22-30. | Variance component analysis of quantitative tr... | In a previous study, QTL for carcass compositi... | 1 |
| 1 | 17177700 | J Anim Breed Genet. 2006 Dec;123(6):414-8. | Single nucleotide polymorphism identification,... | Pituitary adenylate cyclase-activating polypep... | 0 |
| 2 | 17129674 | Vet Parasitol. 2007 Apr 10;145(1-2):2-10. Epub... | Genetic resistance to Sarcocystis miescheriana... | Clinical and parasitological traits of Sarcocy... | 0 |
| 3 | 17121599 | Anim Genet. 2006 Dec;37(6):543-53. | Results of a whole-genome quantitative trait l... | A whole-genome quantitative trait locus (QTL) ... | 1 |
| 4 | 17057239 | Genetics. 2006 Dec;174(4):2119-27. Epub 2006 O... | Unexpected high polymorphism at the FABP4 gene... | Fatty acid bing protein 4 (FABP4) plays a key ... | 0 |
Pre-processing and other requirements¶
In [4]:
# "In this project, you will need to use "Abstract" and "Category", and you can ignore the other fields."
df_processed = df[['Abstract', 'Category']]
print(f"Shape before filtering: {df_processed.shape}", "\n")
# "In this project, you need to ignore papers in Category ‘0’."
df_processed = df_processed[df_processed['Category'] == 1]
print(f"Shape after filtering: {df_processed.shape}", "\n")
df_processed.head()
Shape before filtering: (11278, 2) Shape after filtering: (1007, 2)
Out[4]:
| Abstract | Category | |
|---|---|---|
| 0 | In a previous study, QTL for carcass compositi... | 1 |
| 3 | A whole-genome quantitative trait locus (QTL) ... | 1 |
| 5 | A partial genome scan using microsatellite mar... | 1 |
| 7 | BACKGROUND: The rate of pubertal development a... | 1 |
| 10 | Previously, quantitative trait loci (QTL) for ... | 1 |
Tokenization of Sentences¶
In [5]:
import spacy
nlp_spacy = spacy.load("en_core_web_sm")
import nltk
nltk.download('punkt')
nltk.download('stopwords')
from nltk.tokenize import word_tokenize
from nltk.corpus import stopwords
from nltk.stem import WordNetLemmatizer
[nltk_data] Downloading package punkt to /Users/gabrielvictorgomesferr [nltk_data] eira/opt/anaconda3/envs/nlp_env/nltk_data... [nltk_data] Package punkt is already up-to-date! [nltk_data] Downloading package stopwords to /Users/gabrielvictorgomes [nltk_data] ferreira/opt/anaconda3/envs/nlp_env/nltk_data... [nltk_data] Package stopwords is already up-to-date!
In [6]:
# Set stop words
stop_words = set(stopwords.words('english'))
# Set lemmatizer
lemmatizer = WordNetLemmatizer()
# Using split
df_processed['abstract_split'] = df_processed['Abstract'].apply(lambda token: [lemmatizer.lemmatize(token.lower()) for token in token.split() if token.isalpha() and len(token)>2 and token not in stop_words])
# Using spacy
df_processed['abstract_spacy'] = df_processed['Abstract'].apply(lambda token: [lemmatizer.lemmatize(token.text.lower()) for token in nlp_spacy(token) if token.text.isalpha() and len(token) > 2 and not token.is_stop])
# Using nltk
df_processed['abstract_nltk'] = df_processed['Abstract'].apply(lambda token: [lemmatizer.lemmatize(token.lower()) for token in word_tokenize(token) if token.isalpha() and len(token)> 2 and token not in stop_words])
df_processed.head()
# https://medium.com/@lingostat/tf-idf-for-text-preprocessing-in-machine-learning-a66b29774040
Out[6]:
| Abstract | Category | abstract_split | abstract_spacy | abstract_nltk | |
|---|---|---|---|---|---|
| 0 | In a previous study, QTL for carcass compositi... | 1 | [previous, qtl, carcass, composition, meat, qu... | [previous, study, qtl, carcass, composition, m... | [previous, study, qtl, carcass, composition, m... |
| 3 | A whole-genome quantitative trait locus (QTL) ... | 1 | [quantitative, trait, locus, scan, phenotype, ... | [genome, quantitative, trait, locus, qtl, scan... | [quantitative, trait, locus, qtl, scan, phenot... |
| 5 | A partial genome scan using microsatellite mar... | 1 | [partial, genome, scan, using, microsatellite,... | [partial, genome, scan, microsatellite, marker... | [partial, genome, scan, using, microsatellite,... |
| 7 | BACKGROUND: The rate of pubertal development a... | 1 | [the, rate, pubertal, development, weaning, es... | [background, rate, pubertal, development, wean... | [background, the, rate, pubertal, development,... |
| 10 | Previously, quantitative trait loci (QTL) for ... | 1 | [quantitative, trait, locus, backfat, loin, ey... | [previously, quantitative, trait, locus, qtl, ... | [previously, quantitative, trait, locus, qtl, ... |
Task 1¶
Use wordcloud to visualize words in this corpus. The figure should be 800*800, with white background color. You will need to generate two word cloud images: 1) use word frequency, and 2) use tf-idf You may find the following libraries useful for this task: WordCloud
1) Frequency Base¶
In [7]:
import matplotlib.pyplot as plt
from wordcloud import WordCloud
In [8]:
# Define input text
input_text = " ".join([" ".join(words) for words in df_processed['abstract_nltk']])
# Define word cloud
wordcloud = WordCloud(width=800, height=800, background_color='white').generate(input_text)
# Display
plt.figure(figsize=(8,8))
plt.imshow(wordcloud, interpolation='bilinear')
plt.axis("off")
plt.show()
2) TD-IDF Base¶
In [9]:
from sklearn.feature_extraction.text import TfidfVectorizer
import numpy as np
In [10]:
# df_processed['abstract_nltk'].apply(lambda token: " ".join(token))
In [11]:
# https://medium.com/@lingostat/tf-idf-for-text-preprocessing-in-machine-learning-a66b29774040
# Compute TF-IDF
tfidf_vec = TfidfVectorizer(stop_words='english')
tfidf_matrix = tfidf_vec.fit_transform(df_processed['abstract_nltk'].apply(lambda token: " ".join(token)))
tfidf_scores = np.asarray(tfidf_matrix.mean(axis=0)).flatten()
tfidf_word = dict(zip(tfidf_vec.get_feature_names_out(), tfidf_scores))
# Define word cloud
wordcloud = WordCloud(width=800, height=800, background_color='white').generate_from_frequencies(tfidf_word)
# Display
plt.figure(figsize=(8,8))
plt.imshow(wordcloud, interpolation='bilinear')
plt.axis("off")
plt.show()
In [12]:
# top_words
In [13]:
# Sort and print highest ranked words
top_words = sorted(tfidf_word.items(), key=lambda x: x[1], reverse=True)[:10]
top_words_list, top_scores_list = zip(*top_words)
for word, score in top_words:
print(f"{word}: {round(score, 4)}")
qtl: 0.0707 snp: 0.0545 trait: 0.0534 gene: 0.0474 region: 0.0329 association: 0.0309 associated: 0.0299 study: 0.0295 pig: 0.0295 analysis: 0.0293
Task 2¶
Train a Word2Vec model on this corpus, with the following parameters vector_size=100, window=5, min_count=10 For each of the top 10 tf-idf words, print the 20 most similar words.
In [14]:
import gensim
In [15]:
# Document body
abstract_nltk = df_processed['abstract_nltk']
# Define model Word2Vec model
word2vec_model = gensim.models.Word2Vec(
vector_size=100,
window=5,
min_count=10)
# Build Vocabulary
word2vec_model.build_vocab(abstract_nltk)
# Train model
word2vec_model.train(abstract_nltk, total_examples=word2vec_model.corpus_count, epochs=word2vec_model.epochs)
## https://www.youtube.com/watch?v=Q2NtCcqmIww
Out[15]:
(501085, 681935)
In [16]:
# Dictionary to save values
most_similar_dict = {}
# Print and collect vales
for word in top_words:
similar_words = word2vec_model.wv.most_similar(word[0], topn=20)
print(f"{word[0]} → {', '.join([w[0] for w in similar_words])}")
most_similar_dict[word[0]] = [(str(w[0]) + ":" + str(round(w[1], 4))) for w in similar_words]
# Create data-frame
df_test = pd.DataFrame.from_dict(most_similar_dict, orient='index')
df_test.index = range(1, len(df_test) + 1)
df_test.columns = [f"Similar {i+1}" for i in range(df_test.shape[1])]
df_test.insert(0, "Top Word", top_words_list)
df_test.insert(1, "TF-IDF Score", [round(score, 4) for score in top_scores_list])
df_test
qtl → qtls, previously, mapped, detected, chromosome, reported, suggestive, locus, identified, one, several, significant, quantitative, chromosomal, putative, region, located, coincided, pleiotropic, near snp → revealed, exon, intron, single, haplotype, three, four, two, five, polymorphism, within, nucleotide, showed, seven, flanking, the, six, one, association, sequence trait → affecting, locus, quantitative, fatness, quality, growth, carcass, meat, fertility, endocrine, qtls, influencing, related, reported, economically, eggshell, bone, affect, complex, detect gene → candidate, positional, mutation, functional, region, potential, pathway, involved, several, bovine, variant, porcine, novel, scd, promoter, close, causal, located, coding, causative region → located, identified, previously, within, novel, several, chromosome, reported, one, positional, mutation, close, detected, bovine, candidate, variant, near, chromosomal, position, mapped association → analysis, gwas, sequence, revealed, array, approach, imputed, chip, mapping, the, conducted, single, gwa, regression, interval, snp, autosome, perform, bovine, flanking associated → found, significantly, also, several, bta, reported, close, located, highly, mapped, qtls, chromosome, near, harboring, promoter, level, identified, coincided, positional, one study → identify, objective, aim, present, genomic, gwas, detect, conducted, previous, this, map, fine, mapping, genome, scan, approach, investigate, perform, performed, association pig → commercial, landrace, erhualian, duroc, leghorn, dongxiang, meishan, cross, pietrain, purebred, broiler, rock, intercross, boar, sheep, litter, resource, junglefowl, population, indigenous analysis → disequilibrium, linkage, regression, marker, interval, mapping, approach, ldla, microsatellite, association, combined, test, method, across, revealed, gwa, based, microsatellites, covering, chip
Out[16]:
| Top Word | TF-IDF Score | Similar 1 | Similar 2 | Similar 3 | Similar 4 | Similar 5 | Similar 6 | Similar 7 | Similar 8 | ... | Similar 11 | Similar 12 | Similar 13 | Similar 14 | Similar 15 | Similar 16 | Similar 17 | Similar 18 | Similar 19 | Similar 20 | |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
| 1 | qtl | 0.0707 | qtls:0.968 | previously:0.9493 | mapped:0.9269 | detected:0.9258 | chromosome:0.9226 | reported:0.9147 | suggestive:0.908 | locus:0.8943 | ... | several:0.8674 | significant:0.8543 | quantitative:0.8498 | chromosomal:0.8359 | putative:0.8277 | region:0.8272 | located:0.8233 | coincided:0.8222 | pleiotropic:0.8206 | near:0.8203 |
| 2 | snp | 0.0545 | revealed:0.9347 | exon:0.9332 | intron:0.9234 | single:0.9177 | haplotype:0.9152 | three:0.9126 | four:0.9065 | two:0.9048 | ... | within:0.8855 | nucleotide:0.8828 | showed:0.8788 | seven:0.8726 | flanking:0.8676 | the:0.8664 | six:0.8612 | one:0.8583 | association:0.8537 | sequence:0.8501 |
| 3 | trait | 0.0534 | affecting:0.9246 | locus:0.9047 | quantitative:0.8975 | fatness:0.8815 | quality:0.8315 | growth:0.8214 | carcass:0.8205 | meat:0.8113 | ... | qtls:0.7957 | influencing:0.7919 | related:0.789 | reported:0.768 | economically:0.767 | eggshell:0.7657 | bone:0.7648 | affect:0.7629 | complex:0.7616 | detect:0.7427 |
| 4 | gene | 0.0474 | candidate:0.9688 | positional:0.9439 | mutation:0.862 | functional:0.8604 | region:0.8417 | potential:0.8333 | pathway:0.8237 | involved:0.8194 | ... | variant:0.8022 | porcine:0.7977 | novel:0.7939 | scd:0.7876 | promoter:0.787 | close:0.7765 | causal:0.7737 | located:0.7729 | coding:0.7697 | causative:0.7639 |
| 5 | region | 0.0329 | located:0.9698 | identified:0.9634 | previously:0.9336 | within:0.9307 | novel:0.9275 | several:0.926 | chromosome:0.9174 | reported:0.9101 | ... | mutation:0.8963 | close:0.896 | detected:0.8896 | bovine:0.8796 | candidate:0.8744 | variant:0.8673 | near:0.8673 | chromosomal:0.8671 | position:0.8653 | mapped:0.8645 |
| 6 | association | 0.0309 | analysis:0.912 | gwas:0.899 | sequence:0.8936 | revealed:0.8869 | array:0.8814 | approach:0.88 | imputed:0.8762 | chip:0.8719 | ... | conducted:0.8614 | single:0.8608 | gwa:0.8595 | regression:0.8558 | interval:0.8554 | snp:0.8537 | autosome:0.8523 | perform:0.8512 | bovine:0.8485 | flanking:0.8474 |
| 7 | associated | 0.0299 | found:0.9148 | significantly:0.8994 | also:0.8918 | several:0.8763 | bta:0.8618 | reported:0.8529 | close:0.8396 | located:0.8383 | ... | qtls:0.8344 | chromosome:0.8175 | near:0.8174 | harboring:0.8172 | promoter:0.814 | level:0.813 | identified:0.8123 | coincided:0.8097 | positional:0.8094 | one:0.8089 |
| 8 | study | 0.0295 | identify:0.9628 | objective:0.9382 | aim:0.9268 | present:0.919 | genomic:0.9177 | gwas:0.8816 | detect:0.872 | conducted:0.8647 | ... | map:0.858 | fine:0.8499 | mapping:0.8416 | genome:0.8409 | scan:0.8346 | approach:0.8331 | investigate:0.829 | perform:0.8202 | performed:0.8077 | association:0.806 |
| 9 | pig | 0.0295 | commercial:0.9348 | landrace:0.9312 | erhualian:0.9307 | duroc:0.929 | leghorn:0.9279 | dongxiang:0.925 | meishan:0.9221 | cross:0.921 | ... | broiler:0.9131 | rock:0.9117 | intercross:0.9104 | boar:0.9089 | sheep:0.9074 | litter:0.9043 | resource:0.9033 | junglefowl:0.9001 | population:0.9001 | indigenous:0.8985 |
| 10 | analysis | 0.0293 | disequilibrium:0.96 | linkage:0.9518 | regression:0.947 | marker:0.9397 | interval:0.9368 | mapping:0.9339 | approach:0.9303 | ldla:0.9241 | ... | combined:0.9101 | test:0.9061 | method:0.9016 | across:0.8976 | revealed:0.8973 | gwa:0.897 | based:0.8967 | microsatellites:0.8917 | covering:0.8908 | chip:0.8854 |
10 rows × 22 columns
Task 3¶
Extract phrases and repeat task 1 and 2. You can be creative in phrase extraction.
In [17]:
from gensim.models.phrases import Phraser, Phrases
In [18]:
# https://tedboy.github.io/nlps/generated/generated/gensim.models.Phrases.html
# Document Body
abstract_tokenized = df_processed['abstract_nltk']
Built-in TfidfVectorizer Bigram and Trigram¶
In [88]:
# Compute TF-IDF
tfidf_vec = TfidfVectorizer(ngram_range=(2, 3), stop_words='english')
tfidf_matrix = tfidf_vec.fit_transform(abstract_tokenized.apply(lambda token: " ".join(token)))
tfidf_scores = np.asarray(tfidf_matrix.mean(axis=0)).flatten()
tfidf_word = dict(zip(tfidf_vec.get_feature_names_out(), tfidf_scores))
# Sort highest ranked words
top_words = sorted(tfidf_word.items(), key=lambda x: x[1], reverse=True)[:10]
top_words_list, top_scores_list = zip(*top_words)
for word, score in top_words:
print(f"{word}: {round(score, 4)}")
genome wide: 0.0092 candidate gene: 0.0082 fatty acid: 0.0074 quantitative trait: 0.0072 trait locus: 0.0068 quantitative trait locus: 0.0068 meat quality: 0.0065 single nucleotide: 0.0059 nucleotide polymorphism: 0.0058 single nucleotide polymorphism: 0.0058
In [94]:
# Get the list of bigrams and trigrams
ngrams = tfidf_vec.get_feature_names_out()
ngrams = set(ngrams)
print(f"Number of good phrases in the trait dictionary: {len(ngrams)}")
print(ngrams)
Number of good phrases in the trait dictionary: 211432
{'direction result', 'ca identified intron', 'center trait', 'revealed qtl population', '1990s causal', 'polymorphism 12', 'underlying gene causal', 'used select', 'holstein family different', 'precision genome quantitative', 'animal model proc', 'confirming importance controlling', 'efficiency human', 'pcr rflp technology', 'array substantial heritability', 'frzb col5a2 igf1', 'information regarding', 'texel sired', 'percentage family increase', 'figf strongly associated', 'dorset sheep individual', 'variant breed', 'snp60 chip microarray', 'gga13 gga24', 'increased fitness', 'model allowing', 'thickness lean cut', 'dc study', 'australia underwent', 'haplotype hypothetical ibd', 'identical descent analysis', 'elf3 dbh cdk5', 'locus affected early', 'rdw study', 'reconstruction based sscrofa10', 'dominance deviation effect', 'range size used', 'sweep locus', 'case obtained', '300 lamb genotyped', 'height snp', 'cc aa', '10 rfi', 'explained majority', 'proliferative renewable population', 'weight 95', 'progesterone assay', 'publication qtl associated', 'atp5b widely expressed', 'contribution qtl detected', 'response gene', 'fe hepatogenous mycotoxicosis', 'curve synthesized', 'number 03 possibly', 'girth month', 'weight moisture', 'snp 440t 17122a', 'allele frequency distribution', 'disease domestic', 'propose interval encompassing', 'snp defining', 'targeted quantitative', 'sow genome compared', 'study verify scd', 'association buffalo', 'renowned exceptional', 'second study reporting', 'role initiation inflammatory', 'sire previously', 'function apob', 'bta12 cbfa2t2 bta13', 'significant influence transcriptional', 'polymorphism snp eca3', 'heart girth regulatory', 'subspecies underlie phenotypic', 'cortisol parental', 'livestock population', 'population size 200', 'yield normal', 'cattle regressed', 'based analysis detected', '10 mb window', 'puberty training', 'lta antigen encoded', 'membrane protein receptor', 'load represents blv', 'translational suppression', '01 feed', 'revealed animal', 'sd significantly associated', 'gene influence sexual', 'resulted limited improvement', 'obesity conclusion', 'imputed holstein', 'new light genetic', 'putative snp bos', 'trait norwegian swedish', 'location presence opn', 'association resistant female', 'snp 05 according', 'change alanine', 'used map qtl', 'heat loss shear', 'model joint model', 'wgcna analysis showed', 'aged 12', 'including human confirming', 'panel yielded', 'growth reproductive trait', 'averaged association', 'breeding body', 'specific haplotype contains', 'advance understanding genetic', 'suggest power', 'trout ass', 'average marker interval', 'quality control summary', '19 51', '700 offspring', 'combination genetic', 'specific lysine', 'pafah1b3 tmem145 cic', 'line difference level', 'candidate observed effect', 'insr 589c', 'early fertility', 'marker rear leg', 'qtl interaction effect', 'specie ass association', 'mechanism calcium', 'pietrain sinclair pig', 'activity chromatin modification', 'coat colour breed', 'snp model enabled', 'shelled egg', '29 119 pig', '246 treatment record', 'densitometry shadow', '14 29 snp', 'infinium beadchip applied', 'ltnb associated', 'cool cold', 'greatly reduced qtl', 'chicken method', 'testis kidney', 'dqsl2 identified gga2', 'scheme livestock specie', 'embryonic mortality japanese', 'genome scan', 'egg component clearly', 'gfra2 expression liver', 'response previously', 'partial promoter', 'score chromosome 10', 'bft interestingly snp', '15 552', 'cyp11b1 776', 'trait birth 98', 'polymorphism bmts mqts', 'gradient slice', 'approach fitted', 'meishan superior prenatal', 'depth 017 meishan', 'allowed identify main', 'muscle removed carcass', 'anova trait marker', 'variation cnv defined', 'rs13997811 rs13997812', '82 square', 'increasingly important', 'length qtl', 'major gene affect', 'phenotypic record genomic', '64 70 mb', 'equinesnp50 infinium beadchip', 'study needed better', 'linkage disequilibrium prnp', 'human 12q13 14', 'strain conducted', 'awassi breeding', 'model lp', 'region harboring effect', 'gene network underlying', 'substitution threonine', 'small individual effect', 'bovis infection', 'cow polymerase chain', 'shown cause high', 'including additional', 'snp bmpr1', 'adrenal hpa', 'content detected', 'animal dominance effect', '05 chicken preadipocytes', 'fcr ssc2 significant', 'gene evaluated association', 'increase adg body', 'mature gilt', 'previously divergently', 'snp map ldrm', 'pcp pcp', 'data split', 'tick 300', 'enabling manipulation trajectory', 'rate concern general', 'sequence ovine', '270t 190g sc', 'access complexity', 'trait japanese', 'bostauv1r417 bostauv1r419', 'detect novel sequence', 'related immune response', 'debilitating effect', 'location associated', 'mutation apob gene', 'probability son receives', 'level line cross', '41 848 snp', 'procedure linkage analysis', 'parametric interval mapping', 'chromosome shown harbor', 'pedigree trait', 'jianquhai pig', 'localization second approach', 'omega ratio conclusion', 'linked block novel', 'pcr single', 'contains qtl', 'information gene region', 'ghrelin receptor ghsr', 'wur10000125 wur interferon', 'c16 c16', 'pathway unique trait', 'control suggestive', 'narrow region', 'percentage breast muscle', 'lower computational', 'h5n2 outbreak united', 'prlr exon 10', 'backcross animal', 'pig measured imf', 'bft rft', 'single causative mutation', 'investigated using', 'computation time', 'natal growth differentiation', 'apoh detected', 'percentage 18', 'assigned dlk1 meg3', 'susceptibility region harboured', 'fertility nws', '636a snp ppara', 'fabp4_μsat3237 marker', 'ovine litter', 'sequence domain', 'ssc16 01', '26 cm', 'adhesion used', 'count cited', 'effect muscle fat', '80 qtl 855', 'detection quantitative trait', 'sheep including', 'highly advanced', 'micrornas class small', 'production 12', 'bta7 93 mb', 'heritability snp rs80805264', 'relatedness identified 17', 'used broiler', 'number vertebra 44', 'area informative', 'study revealed tcf21', 'milk qtl interval', 'trait f2resource population', 'real data current', 'window confirmed', 'gizzard haematocrit', 'genotyped single', 'effect marker evaluated', 'including fertility treatment', 'large set', 'aseasonal reproduction including', 'initial analysis', 'long yearling', 'response infection resistant', 'using sequenom massarray', 'library result total', 'vertebra swine', 'cause identified effect', 'effect fertility milk', 'example identification genomic', 'sgc horse', 'agreement association previously', 'averaging 229', 'day fat percentage', 'agreement responsible gene', 'f2 resource population', 'simwalk2 software', 'chromosome oar3 marker', 'gene phe279tyr', 'selected set', 'massarray total', 'design 18', 'model showed', 'result confirm relevance', 'number uncorrelated', '18 white egg', 'snp located nucleotide', 'sw207 s0283', 'mortality detected', 'pdgfrb csf1r wt1', 'primary trait', 'examined fatty acid', 'estimation method proposed', 'bmcpc bone', 'construct haplotype', '49 65 homology', 'heterozygote result', 'cltc adjacent', 'major qtl associated', 'related intramuscular fat', 'human resulting fishy', 'scan 104', 'snp highest', 'contained pax3 expressed', 'sheep currently', 'chicken spot14alpha', 'gene body', 'lonrf1 sequencing', 'fixed grandparent', 'health welfare', 'method trait preparation', 'deposition adipose tissue', '27 phenotypic trait', 'carcass chemical', 'trait carried region', 'difference dairy capacity', 'snp variability', 'affect milk composition', 'investigate candidate', '17 significant', 'phenotypic variance sample', 'chicken strain', 'reported blonde aquitaine', 'approach applied', 'blood component', 'dppa4 empirical 006', 'genetic progress demonstrated', 'mutation synonymous', 'developmental process including', 'respectively high', 'similar qtl', 'body weight weight', 'position 1574 mrna', 'cluster persisted', 'recessive rock', 'antagonist iloperidone treatment', 'testis onset puberty', 'aca haplotype', 'dna f2', 'pathogenesis lda', 'toughness intramuscular', '24 mb duroc', '736 associated', 'suggested artificial', 'analysis le', 'autosome used association', '21 significant snp', 'size wool', 'subfamily member trait', 'grand daughter design', 'total 869', 'snp located myostatin', 'transcriptome resistant', 'ovine bovine chromosome', 'protein percentage 15', 'trait analyzed expression', 'great economic importance', '05 div', 'tryptophan hydroxylase', 'weaning using vaccination', 'subsequently produced cross', 'gblup application', 'bacterial pathogen', 'gene later', 'including bone fat', 'indicated genetic basis', 'length female worm', 'associated color rcn1', 'sphk2 eqtl', 'transportation cell', '22 polymorphism adipocyte', 'homozygote western meat', 'locus mapped centromeric', 'life anesthesia', 'resource population polymorphism', 'birth genome wide', 'permutation test significant', '2951 animal', 'cd8 ratio identified', 'performance trait chromosome', 'candidate gene lipid', 'cm using interval', 'lactose predicted mir', 'fl structure', 'pedigree exposed', 'mc fp', 'site revealed', 'ssc3 nvd', 'commercial founder', 'man2b2 qtl', 'activated receptor gene', 'refine location qtl', '14 chinese', 'associated growth characteristic', 'interval based lod', '025 partial', 'dilution eumelanin phaeomelanin', 'marker scan high', 'related transcriptomic', 'left sided displaced', 'order investigate', '061 bp', 'qtls pleiotropic', 'snp bin', 'molecular breeding en', 'ssc17 48 mb', 'study undertaken identify', 'gain duroc pietrain', 'resistance population specific', 'chromosome 20 harbour', 'gestation ovary', 'addition tac haplotype', 'categorized prp genotype', 'mb 119', 'population data farm', 'reference genome sequence', 'female pig used', 'acid especially fasn', 'interesting polymorphism', 'scan identified qtl', 'gene analyze possible', 'mineralisatinon limited', 'significantly 001 high', 'single sire 41', 'backcross boar', '41 mm', 'failed identify genome', 'similarly result', 'trait locus arm', '10 14 genome', '01 snp31 significantly', 'acid composition sheep', 'cause amino', 'containing snp', 'connected energy status', 'evaluate backfat', 'progeny 98', 'sequencing data', 'responsible white', 'programme morphological feature', 'disclosed qtl', 'trait locus size', 'ssc genotyped pig', 'leu affect function', 'carried aiming identify', 'gene original qtl', 'indicating codominant inheritance', 'association marker haplotype', 'lncrnas potentially', 'peg relative growth', 'qtl improved tenderness', 'c20 ssc17 c16', 'analysis skeletal', 'consistent suggesting', 'basis seven', 'helpful exploit dissect', 'wgcna total', '204 binding', 'geographically diverse gelbvieh', 'divergently extreme', 'obesity identification novel', 'gene recorded', 'teat assuming', 'model using restricted', 'qtl different sheep', 'regression based method', 'jak stat', 'allows establish', 'conformation score study', '8227c shown close', 'chicken gaining', 'imputing 50k', 'high production potential', 'charolais ch 16', 'overdominance mode inheritance', 'blood vessel', 'diagnostic parameter veterinary', 'containing snp locus', 'tew percentage', 'interval direct impact', 'trait meat quality', 'category related', 'tuberculosis tb affect', 'refined genome', 'haplotype characterised', 'necessary reaffirm', 'region literature', 'binding leukocyte', 'gene expression act', 'meishan resource', 'ratio qtl increased', 'population litter', 'carcass composition chicken', 'late life study', 'breeding reduce aggression', 'process fetal growth', 'gene fluorescence', '148 cm gga1', 'effect meat quality', 'fshr snp position', 'selection broiler performance', 'sequencing genetic effect', 'basis poorly', 'gt haplotype', 'used investigate difference', 'adjust animal phenotype', 'applied trait', 'resulted 12 significant', 'globulin gene cbg', 'used compressed', 'panel including 19', 'serine threonine protein', 'conformation trait animal', 'phase il10_prrsv repulsion', 'future research evaluate', 'beadchip suggestive', '324g 626t', 'using illuminaporcine60k', 'animal participating deltagen', 'signalling transcript', 'strength shearing coefficient', 'associated number thoracic', 'dimorphic difference', 'protein production', 'daughter obtained', 'disorder 31', 'level feathered', 'qtl required', 'lp considered good', '21 identified', 'trait suggests', 'birthweight 002 tailing', 'mlm glm significant', 'resource snp', 'animal successful reducing', 'tenderness associated limousin', 'interval precision genome', 'seven chromosomal', 'range association', 'seven stallion', 'addition maintenance appropriate', 'tight junction focal', 'snp capn1 cast', 'analysis field', 'cm ssc4', 'genetic map sex', 'fat combination 05', 'biochemistry parameter 599g', 'infection instance', 'haplotype information', 'intermediate heritabilities cu', 'sire included quantitative', 'aa gg cc', 'identical region 11', '1264c snp myod1', 'cattle study using', 'potential gene underlying', 'mobilization skeletal mineral', 'motile spermatozoon', 'membrane fresh semen', 'cross resource', 'defect identifying', 'taurus result', 'genomic level performed', 'uberis result', 'fat female', 'half sib progeny', 'exceeded additive effect', 'temperament merino sheep', 'cure breed', 'composition presented', 'result marker', 'prl gene', 'f4bcr locus', 'catfish population', 'conclusion follow', 'used reflect', 'association snp aj543065', 'prrs cause decreased', 'present different architecture', 'thyroxine insulin like', 'acid conjugated', 'mbp sequence', 'importance region', 'late growth', 'shown npc1', 'selection normal rbc', 'data case control', '68 trait detected', 'bp intranslated region', 'area semispinalis lean', 'day week week', 'cow genotypic', '032 increased', 'effect 65 32', 'qtl analysis log', 'insulin thyroid hormone', 'variance component', 'gene action', 'component model compared', 'linkage disequilibrium 80', 'criterion applied stringent', 'suggested non synonymous', 'large white type', 'economic welfare consequence', 'case remarkably', 'udder depth chromosome', 'chromosome posterior probability', 'conductivity 05', '18 plag1 bta14', 'analysis step better', 'costly effect disease', 'number fatness', 'scan carried detect', 'component muscle', 'function considerably', 'pc technique', 'purebred awassi', 'factor mef', 'animal rate', '11 06', 'mapped swine chromosome', 'cau chicken resource', 'methodology used analyse', 'level total 92', 'ggp porcine beadchip', 'highest bwg fi', 'birth weight bta20', 'mean variance component', 'trait method meta', 'significant association birth', '25 aflp primer', 'array identified 245', 'candidate gene gas1', 'line sheep selected', 'bayesian technique random', 'causing estimated loss', 'excellent starting', 'family member', 'cluster located approximately', 'compared genotype 2379tc', '297 cm gga3', 'furthermore got positional', 'character dairy cattle', 'factor family play', 'improvement antagonistic trait', 'revealed substitution g93a', 'meat livestock commission', 'coding region proved', 'qtl growth rate', 'association rs81399474 ssc8', 'region utr transcript', 'particular emphasis', 'yield aim', '116 lm', 'correction stratification conducting', 'abca12 flrt2', 'chromosomal region pleiotropic', 'correlated rfi', 'e577d coding', 'horse chromosome eca', 'marker 29', 'associated ebv', 'marker covering 80', 'remodeling validated genomic', 'bred improved', 'region influenced outcome', 'sum fatty acid', 'teat count including', 'trait combination showed', '124 883a', 'insight cheesemaking', 'sirna interfering', 'score 12', 'black pigment phaeomelanin', 'carotene major carotenoid', 'chicken line', 'population number favorable', 'association study meta', 'region focused', 'chromosome apart ssc4', 'autosome genome scan', 'analysis abhd5 performed', 'exerted consistent', 'analysis cattle', 'peptidylprolyl isomerase like', 'natural antisense', 'ranging zero conducted', 'snp previously associated', 'traditional selection sow', 'described calm', 'born consecutive annual', 'position nt', 'steer 32 extreme', 'using combined linkage', 'identified signature selection', 'performed jinghai', 'average sc', 'subsequently identified premature', 'pl breed', 'feeding rate', 'human irs4', 'tcf12 previously detected', 'thrive syndrome pfts', 'ssc1 ending', 'production agent', 'region total', '18 microsatellites', 'report literature known', 'age greatly advance', 'qtl mapped oar5', 'jersey 64 tharparkar', 'meishan crossbred population', 'parasite combination', 'power comprehensive', 'remarkable number', 'candidate qtl qtl', 'probably low qtl', 'toxin sporidesmin resistance', 'snp 419 protein', '387 snp marker', 'change haematocrit', 'cattle total', 'gabbr1 tail', 'selected feed efficiency', 'single lamb birth', 'cross mapped', 'explain 10', 'twh blood', 'fat gizzard genotype', 'type tenderometer', 'reproductive tract weight', 'chemical percentage intramuscular', 'exploring time dependent', 'record recurrent case', 'tbrd locus', 'xinghua chicken consistent', 'recently identified underlying', 'tunel snp potential', 'imf single', 'rs13687126 larger bwg', 'ovum tno', 'linkage group carrying', 'model 43', 'function anatomical location', 'bta14 total', 'gene assigned ssc10q14', 'involved maintaining barrier', 'tc cc genotype', 'compromised eggshell', 'specie objective present', 'analysis complex pedigree', 'country cause', '01 trait difference', 'insulin resistance', 'complex architecture', 'association salmonella', '001 individual snp', '4939 common', '512 chicken', 'reproductive longevity ineffective', 'animal iberian landrace', '0001 conclusion study', 'protein source', 'cm yield', 'ph value temperature', 'model approach', 'based genotypic correlation', 'snp 1141 simmental', 'association novel', 'cattle used marker', 'greater power instance', 'associated chicken afe', 'polymorphism gene expression', 'rhm chromosome association', 'pig chromosome ssc9', 'pre selected', 'spanning pig genome', 'population nellore bos', 'spw 106 cm', 'qtl mixed', 'ube3b transcript', 'infection status contrasting', 'itih itih', 'alternative mean control', '10 site', 'muscle mass pig', 'pig using', 'furthermore male female', 'polymorphism intron genotyped', 'indicating potential importance', 'allows regulation', 'chicken body composition', 'alternative allele revealed', 'thickness brahman', 'signaling pathway significantly', 'ilsts090 chromosome', 'knowledge polygenic nature', 'reflecting high', 'used multiple marker', 'observed polymorphism', 'proportion variance major', 'variant showed fecbb', 'ppara expression quantitative', 'gene polymorphism', 'population successful', 'met nominal significance', 'determine infected non', 'research development', 'model significant association', '425 snp', 'transcript mainly expressed', 'gene ifc analyzed', 'adjusted heteroscedasticity', 'muscle transcriptome data', 'worm count', 'behavioral qtl', 'ph15 gga2 revealed', 'horse carried detect', 'related trait massively', 'bta13 common', 'month yearling adg3', 'enable bovine', 'unique qtl', 'snp hapmap49848', 'lw bcs dmi', 'vital understanding', 'pecking genetically linked', 'furthermore lg', 'located chromosome associated', 'region man2b2', 'previously american', 'breed 100 breast', 'hormone stimulation', 'reanalyzed multiple', 'trait mp', 'meishan western', 'carried gwass', '10 rflp haeiii', 'heterozygous sire', 'transcriptional activity', 'skin wrinkle', '13 contained', 'existence haplotype', 'beef contributing better', 'prkga3 mutation', 'uterine epithelium', 'aimed evaluate', 'common pathway underlie', 'qtl reject causality', 'expression qtl ssc7', 'programme morphological', 'rh mapping qtl', 'birth breeding', 'eighteen qtl', 'mapping gwas approach', 'ultrasound ribeye area', 'tolerance cow infected', 'discussed result study', 'regulation actin', 'greatest test statistic', 'location animal summed', 'offer valuable', 'detection group trait', '18 cm 28', 'region small confidence', 'μg addition', 'discerned sahiwal population', 'selection carcass', 'rs132699547 rs135423283', '106 informative', 'associated na titer', 'gene analyzed pcr', 'merit fertility holstein', 'ensure independence group', 'fat trait analysis', 'genome project', 'region endocrine fertility', 'useful optimization', 'div2 population', 'qtl caused single', 'understanding fe', 'impact stillbirth', 'qtl classical', '387 single nucleotide', 'trhde ripk2 respectively', 'using genotypic probability', 'litter size pelibuey', 'microsatellites single nucleotide', 'muscle growth detected', '50 genomic variation', 'affymetrix megallele', '641 fish', 'huiyang beard chicken', 'considerable variation', 'issue cow experience', '16 result useful', '18 16 respectively', 'specific resource', 'spl replacement', 'association live', 'content bco2', '54 qtl included', '16 milk', 'different tissue qinchuan', 'anatomy trait', 'weaning ssc3', 'multilocus epistatic genetic', 'analysed low level', 'esnps located', 'favouring activity', 'total 100 vrindavani', 'associated snp potential', 'enabled identification 01', 'fa composition identified', 'presence melanoma birth', 'linkage disequilibrium ld', 'tissue sexual', 'analyzed 16 haplotype', 'rate body', 'single locus blup', 'spanning 000 600', 'advantage model trait', 'cbfa2t1 previously', 'fluid abdominal', 'forced pcr rflp', '000 single nucleotide', 'negative relationship', '05 additionally aca', 'interaction identified', 'male white', 'effect slightly', 'influenced faecal', 'variation obtained absence', 'developmental qtl affecting', 'facial type ft', 'analysis qtl region', 'extent founder animal', 'revealed additional', 'belonging 30', 'dependent qtl underlie', 'process chromosome 14', 'proposed potential solution', 'resolution inflammation previous', 'involved development homeostasis', 'peak 87', 'retention excretion', '119 0e 07', 'gene nsrp1', 'basis poorly understood', 'growth backfat thickness', '14 45', 'unit hu measured', 'seven chromosome associated', 'muscle development provide', 'ma identify causal', 'animal genotype dd', 'based following reason', 'furthermore qtl', 'period oar18', 's0008 generation berkshire', 'concentration strong correlation', 'qtl analysis confirmed', 'rib thickness bta', 'blood swine proportion', 'additive allele', 'encoding inositol', 'breed conclusion', 'tight junction', 'second identify major', 'multitude gene linked', 'region bipolar disorder', 'progeny phenotype acop', 'putative qtl unrelated', 'simulation concluded', 'f6 population sib', 'growth different', 'genotype 002', 'cloning advanced fsil', 'emmax produced moderate', '613 horse 359', 'pcr revealed tef1', 'dairy cattle breeding', 'reported blonde', 'concentration intramuscular', 'increased late lactation', 'yield multiple', 'exceeded chromosome wise', 'cattle 224', 'fewer candidate', 'growth integration gwas', 'acid cla', 'marker regression method', 'contained 52', 'trait sparse especially', 'associated immune mechanism', 'identified putative candidate', 'chchd3 backfat bmp2', '74 btb', 'significant qtl number', 'segregating oar14', '07 lw skatole', 'level identified close', 'previous report developed', '195 subsequently immunised', 'contribute susceptibility', 'case 170 control', '617 animal', '101 offspring sire', 'lascs standard', 'polymorphic snp', 'individual analyzed 32', 'cell score order', 'cow accurate phenotype', 'diplotype egg', 'experiment investigate association', 'analyzed association measured', 'oc expected genome', 'md susceptible 40', 'region contribute inherited', 'genetic variance studied', 'breed haplotype constructed', 'fgf8 polymorphism', 'ease quantitative', 'carotene concentration cattle', 'combined tenderness index', 'encodes enzyme', 'animal higher', 'reported trait undertook', 'change associated animal', 'influencing pigmentation', 'mitf gene spotting', 'variant rs43555985 exhibited', '340 bull', 'roh lr', 'information potential', 'treated quantitative', 'rock chicken family', 'condition compared', 'period seen gene', 'snp31 significantly associated', '994 bp region', 'elisa analysis', 'equal frequency', 'level significantly', 'resource population composition', 'adjusted 0238', 'scan 219', 'detected 112', 'single grandsire', 'improving animal', 'significance level location', 'estimated qtl position', 'marker analysis allowed', '37 gene known', 'sample unknown', '001 σ2p milk', 'maturation embryo', 'domain containing non', 'making important', 'measurement assessed', 'fish 50', 'cla snp chromosome', 'allele encode', 'controlling spread blv', 'cause extreme double', 'depigmented phenotype', 'approximately mbps located', 'autosome additional analysis', 'debvs including', 'haired criollo derived', 'fast alternative loki', 'trait animal production', '4496 danish', 'contribute tnf', 'study big animal', 'mb containing', 'breed contrast 78', 'differential expression selected', 'odds control', 'performed using genotyped', 'snts cattle identified', 'receptor specific', 'snp marker reached', 'qtl ph ph', 'pedigree dataset', 'association objective measure', 'female pig phenotyped', 'lrp12 trib1 muscle', 'advanced genomic selection', '21 mb horse', 'cross used address', 'yield grade 25', 'fatness trait', 'strand conformational', 'carrier control showed', 'identifying chromosomal', 'directionally associated', 'lepr mutation failed', 'method multi locus', 'area rea best', 'average pair wise', 'affect developmental', 'fitted longitudinal', '18 demonstrate', '57 18', 'haplotype encompassing scd', 'functional regulatory', 'aromatic amino', 'commercial broiler', 'result thirty', 'impact livestock production', 'set previously investigated', 'associated rao involved', 'termination translation lead', 'mean egg', 'phosphatase ocrl', 'heart girth loin', 'snp associated ercr', 'regulates insulin induced', 'specifically gwas', 'blup value', 'r2 linkage', 'spermatozoon reported significant', 'gga1 gga16 19', 'study random', 'snp rs41694656 located', 'white data record', '600 aa 528', 'method correction', 'snp located binding', 'marker evaluated using', 'stage experiment promising', 'sections fifth sixth', 'likely polygenic', 'mapping model joint', '3k snp', '31 41 mm', 'regarding biological', 'bta15 interestingly', 'carrier ryr1 prkag3', 'harbour major', 'ease ability generate', 'egg count trait', 'mean sc 10', 'detected near lepr', 'snp genomic sequence', '54 13 phenotypic', 'anai4 conclusion gwas', 'linkage phase marker', '18 explained 49', 'location significant', 'common breed', 'function pregnancy', '088 115', '819 f2', 'missense mutation 1394a', 'low breeding', 'present qtl', '86 versus', 'identified economically', '99 10 73', 'cell score sc', 'using microsatellite framework', 'sire representing 866', 'variability especially swine', 'snp bayesian framework', 'response chicken', 'gene encodes inducible', 'condition family', 'performed based proportion', 'breed genotyping 1365', 'subtropical production', 'analysis resulted increase', 'trophy hunting', 'qtl age body', 'mycoplasma hypopneumoniae', 'way crossbred', 'observed chicken population', 'understanding genetics lda', 'driploss phult', 'i199v inferred large', 'sc region chromosome', 'metabolism chicken', 'representation depends pathogen', 'study association ghrl', 'height breed', 'undertaken sample dna', 'jak2 mapped suggestive', '533c associated percentage', 'dataset result clearly', '35 10 bonferroni', '012 proportion', 'development objective study', 'ratio leg', 'significance 05', 'ph analyzed', 'cyp2 gene', 'e22c19w28_e50c23 suggestively associated', 'ease sire gestation', 'value qtl', 'values marker', 'clearer picture', 'highest ttn 233', 'explored candidate gene', 'advantageous selection', 'ruminant major ovine', 'translational suppression involved', 'snp analyzed univariate', 'milk yield result', '566g resistin retn', 'trait region chromosome', 'high 989', 'gtacgtac diplotype', 'total 071 duroc', 'profile traditional fertility', 'included dppa2 dppa4', 'qtl involved', 'gap 230', 'trait gene', 'described production', 'located directly gene', 'morphogenetic protein 15', 'pigmentation genotyped using', 'based meat', 'framework map', 'qtl teat', '24 associated highest', 'custom genotyping panel', 'dgat2 fo igf2', 'possibly coincide qtls', 'association study consider', 'egg count distribution', 'structure expression', 'composition 30 kg', 'effect fat1 qtl', 'act negative regulator', '15 considered', 'phenotypic trait included', 'quality male', 'snp 23 component', 'opn milk', 'descendant common base', 'calpastatin likely', 'example ssc6 ssc7', 'specificity result', 'various study suggested', '24 reached', 'conducted en', 'symptom oc pof', 'pig used study', 'qtl finding snp', 'trait animal threshold', 'pig significant difference', 'cluster cis acting', 'future use breeding', 'kit crim1 atrn', 'gene advance understanding', 'gene setting', 'significantly associated outbred', 'respectively play important', '50k data', 'band family respectively', '50 483', 'associated fld', 'component efficient', 'power detect genetic', 'reaction common problem', 'effect chromosome 14', 'qtl static qtl1', 'mayor objective', 'mastitis caused', 'scd dgat1 significant', 'bw9 shank', 'backfat thickness parameter', 'bd important', 'association analysis removed', 'data routinely', 'reached experiment wise', '470 animal iberian', 'provides robust breeding', 'resistance dairy', 'mating chronic diarrhea', 'rhogef domain containing', 'suggestive qtl ssc8', 'basis pork tenderness', 'genomic region response', 'znf615 ctu1', 'female suggesting sex', 'segregating oar3', 'revealed linkage', 'increased chromosomal', 'ai boar', 'laying hen economic', 'contained 17 gene', 'beadchip swine population', 'cluster gene expected', 'resistance fowl', 'association analysis method', 'lod drop interval', 'marker pig genome', 'qtl method', 'recombinant aspergillus', '313 bp indel', 'bull population snp', 'specific large effect', 'ca single nucleotide', 'limb genome scan', 'region different mode', 'ssc ssc5 ssc9', 'causal gene different', '14 confirm', 'distinct akr1c', 'candidate gene role', 'sheep population macro', 'increasing knowledge syndrome', 'bone qtls mapped', 'providing potential power', '17 18 21', 'breeding time pedigree', 'imbalance association replicated', 'ssc14 ssc15 ssc16', 'indigenous ethiopian', 'using population second', 'estimated targeted', 'significantly current study', 'group overlap chromosome', 'pregnant ai', 'family chromosome effect', 'causal reported effect', 'disorder cardiovascular', 'considered relevant', 'reference set increased', 'cause qtl effect', 'directly indirectly', 'understood study large', 'disease highly relevant', 'number born variation', 'association derived using', 'effect fitness related', 'known low feed', 'cow produced', 'trait physiological', 'lepr strong association', 'area ratio serum', 'rt qpcr gene', 'backfat 0001 ssc15', 'partially rapid mutation', 'lipk ehhadh', 'nucleotide polymorphism 334', 'dmi 05 validation', 'trait performed using', 'pathogen edwardsiella', 'examined 94 purebred', 'retinal le active', 'taking advantage ld', 'lifelong infection', 'bcrp belongs atp', 'german large', '149876737 body', 'chromosome 10 causal', 'conducted estimating explained', 'force wbsf tenderness', 'opposite direction', 't56039403c 808c', 'receptor regulates', 'concentration lepc', 'thickness avoid', '10 microsatellite marker', '20 fertility', 'milk aim study', '788 scottish', 'particular breed', 'weight rvtv ratio', '33 significant', 'snp region aim', 'mapped somatic cell', 'trait genome level', 'pufa respectively', 'body length thoracic', 'fbxo32 known', '12 kr0 kr3', 'physiological state', 'bft candidate', 'exoc4 gene', 'haemolytic complement activity', '30 phenotypic', '05 tlr', 'identification causative', 'variance explained pve', 'parasite challenge qtl', 'component c3 play', 'tenderness industry population', '01 rs14678932 showed', 'red nanyang xianan', '36 heritability', 'particularly prevalent', 'case allele generally', 'phenotype form estimated', 'btax ren bta16', 'qtl window feed', 'snp assisted selection', 'caused late', 'compared use', 'environmental variation farm', '141 141', 'boost difference incidence', 'identified primer designed', 'qtl affecting leg', 'observed vrindavani', 'f1 933 f2', '588 soay', 'genotype observed', 'mlk fat fat', 'measurement tenderness measured', 'rate qtl genome', 'acid saturated fatty', 'antagonist mediates', 'artificial insemination pig', 'variance birth mature', 'blood hair sample', 'eqtl identified', 'china 19', 'assay quality', 'finding presented', 'associated phenotypic trait', '205g polymorphism', 'boar taint component', 'purebred horse prme', 'family identified', 'regression analysis 16', 'qtl identified ghana', 'cattle independently mapped', 'correlated phenotype', 'lead phenotypic', 'disease md lymphoproliferative', 'qtl chromosomal region', 'total 85 single', 'chromosome associated ph1', 'ssc f2', 'reported corticosteroid binding', 'gene established', 'ebv 05 association', 'objective research investigate', 'study high correlation', 'integration previously established', 'nrr french', 'prior knowledge location', '29 inferred', '17 saxon thuringian', 'erhualian pig 332', '68 28 mm', 'known role regulating', 'locus significantly snp', 'furthermore genetic', 'genetic basis known', 'tick heritable breed', 'test 054 putative', 'gene region studied', 'factor genome association', 'ligase complex', 'haplotype subsequently', 'important implication', '05 1e', 'tissue qtl', 'nuclear receptor superfamily', 'genotypic inheritance model', 'mtnr1b protein', 'associated hock oc', 'iberian meishan', '114 05 kg', 'production east', 'characteristic research demonstrated', 'bovinehd beadchip 942', 'pig number band', 'broiler trait', 'control analyzed', 'monounsaturated saturated', 'offspring analysis', 'genotype 96 selected', 'tibiotarsal joint snp', 'influence mothering ability', 'controlling perception feed', 'rs109136815 marker', 'using genotype bovinehd', 'confirm result genome', 'immune integrative', 'linkage map consists', 'categorized prp', '05 overall', 'dominant genotype sheep', 'culled cow carcass', '16 794', 'fshr gene 118', 'analysis undertaken', 'ranging 27 54', 'conclusion incorporation genomic', 'defined significant snp', 'organ development significantly', 'reduce boar taint', 'level riboflavin', 'model 43 md', 'orthologs 500kbs qtl', 'tested association', 'chromosome qtl initially', 'backfat fat', 'genotype tested', 'spawning date body', 'calf size mc', 'cluster effect combining', 'chip facial', 'fat yield fertility', 'leydig cell', 'cattle model', 'ew measured', '15 unique', 'a3 leucine rich', 'respectively recent', 'snp moderate', 'znf770 identified correspondingly', 'genome detect', 'locus lactation', 'main role na', 'computer assisted', 'phenotype 14', 'analysis tolerance rs41748405', 'gensel putative qtl', 'cluster breed formed', '05 indicating small', 'modify milk', 'mean sustainably', 'test investigated', 'generation 875', 'muscle additionally identified', 'progesterone profile', '18 body weight', 'iberian landrace backcross', 'cause piglet', 'architecture calving', 'head detected', '32 sequence based', 'serve useful target', 'associated subfertility', 'right rtn', 'upstream lcorl gene', 'mutation promoter', 'region wide level', 'assumption step', 'obtained f2 piglet', 'total seven haplotype', 'roast sample', 'commercialized dna', 'qtl expression', 'framework integrating', 'phenotype followed qtl', 'regression analysis family', 'provide valuable information', 'strong positive', 'health reproduction comparison', 'method respectively', 'shock protein', 'population identify gene', 'identified snp ssc4', 'pathway regulating', 'genetic variation prdm16', 'effect younger population', 'gene expression crucial', 'snp 78', 'value 057 rs320439526', 'associated non nematodirus', 'cause diarrhoea', 'known genetic variant', 'intron detected primer', 'number investigation required', 'ph important parameter', 'possible make', 'gdf8 member transforming', 'australian selection', 'omega polyunsaturated', 'phenotype eye iris', 'content capric acid', 'qtl ph24h', 'cm genotyped', 'gwas study confirms', 'previously referred', 'phenotype genotyped', 'ease parity respectively', 'identified fish', 'cattle primarily utilized', 'study employed high', 'assigned unplaced contigs', 'recorded health data', 'bta19 c14', 'pathway analysis mammalian', '78 cm aim', 'qtl region promising', 'selection dairy ruminant', 'cross association', 'using estimated', '17g 114g evaluated', 'ucp3 member mitochondrial', 'associated weight gain', '2446 pig', 'gcc snp rs136947640', 'hypocholesterolemia deficiency fat', 'aspartic acid', '18 family 291', 'protein network included', 'aa ab 05', 'line exploited', 'improve power detect', 'ldla bayescπ', 'protein adipocyte', 'alter encoded amino', 'affected chicory candidate', 'intron resulting', 'known comparative gene', 'multibreed cross', 'follicular cell', 'non nematodirus', 'significant snp exceeding', 'line ancestral red', 'change snp', 'window associated', 'applied 50k', 'earlier detected', 'opposing directional selection', 'diverse pig cross', 'level detect', 'population gilt genotyped', 'time primarily', 'trait analyzed result', 'site study', 'pde4b lphn2 eltd1', 'stability putative binding', '10 198', 'meat nutrition public', 'mapped abdominal', 'model total 48', 'denmark furthermore', 'gene 17 snp', '18 28 age', 'allele derived', 'associated dairy phenotype', 'turnover nadp', 'rs42092174 rs42091426', 'animal serpine1', 'adjacent gene encoding', 'gene underlying f4ab', 'loss strong genetic', 'location gave rise', 'quality mineral peptide', 'npc1 gene variation', 'immunoblot analysis fabp', 'chromosome 10 22', 'map total length', 'genetically different', 'product amplified in2', 'compared common haplotype', 'chromosome proportional length', 'estimated breeding', 'protective immunity factor', 'window omy5', 'method wssgwas phenotypic', 'horse seventeen paternal', 'used study time', 'positional candidate underlying', 'based illumina', 'edn3 bmp7 known', 'leisure competitive riding', 'associated pregnancy', 'temporal shift', 'different level expression', 'genotype furthermore eqtls', 'locus heterozygosity 33', 'growth contribution epistasis', 'considering growth', 'merit complementary', 'stimulus undoubtedly involved', 'weight akt1 supernumerary', 'taurus autosome', 'afc threshold model', 'human postnatal', 'development melanoma', 'black pig aa', 'sequenced potential candidate', 'sire family 1216', 'region present specie', 'horse seventeen', '11 13 phenotypic', 'fat explaining previously', 'trait relaxed', 'population majority', 'frequency 24269 sw2429', 'background feed intake', 'cancer prevalent malignant', 'main cause', 'left snp genotyped', 'trait litter', 'ccl3 acaca ghr', 'variation body weight', 'chicken 60k', 'polymorphism affecting expression', 'analysis variant', 'wide snp data', 'interferon inducible', 'holstein seven snp', '12 quantitative trait', 'health middle telomeric', '13 15 rhm', 'fatness highly significant', 'genomic association chromosome', 'swine population', 'alternatively locus', 'promoter region associated', 'presented total 617', 'inra population jxau', 'related sign breathing', 'result sex average', 'mastitis costliest', 'mufa highly', 'perfect linkage', 'substitution 1752816085', 'transportation absorption', 'measured fatty acid', 'qtl genotype offspring', 'sscp dna', 'snps detected greater', 'selected single', 'pheromone produced testis', 'snp6 associated texture', 'ovinesnp50 beadchip conduct', 'polymorphism snp lactation', 'adg9 12', 'effect fy fw', 'sequenced landrace', 'difference phosphorylation', 'protein confirmed region', 'variant showed', 'predicted cause amino', 'sscp analysis', 'trait genome', 'snp rs43032684 resides', 'focusing trait', 'breed use single', 'causative mutation especially', 'bmp7 singularly', 'million year study', 'trait economically le', 'limited gwas using', 'seven stallion searched', 'residual glycogen', 'indicated t32742394c', 'small tail han', 'intron 10', 'observed ttn predominant', 'region approach', 'weight cw abdominal', 'significance gwas study', '114 ma genetic', 'meat tenderness qtl', 'snp snp rs109923480', 'characteristic research', 'animal alike population', 'ovine myostatin gene', 'gdf10 single polymorphism', 'gene carcass', 'increase fat thickness', 'trait studied', 'trait typically', 'pig providing start', 'employed previous', 'recent qtl', 'bft2 internal', 'mutation using', 'respectively strong', 'useful reference positional', 'qtl position genetically', 'understanding different morphs', 'qtls body weight', 'locus qtl flavour', 'study showed 11', '01 association gh', 'microsatellite marker pig', 'ph conductivity', 'responsible difference cbg', 'knowledge gene', '62 located 23', 'reached gene', 'apparent prevalence 10', 'pre slaughter subcutaneous', 'metabolic trait 11', 'bp significantly', 'acid fasn cc', 'brahman cattle weighed', 'egg industry genetic', 'level musculus longissimus', 'associated locus studied', 'search literature revealed', 'dppa4 empirical', 'abundance atp5b', 'myf5 gene growth', 'syndrome prrs economically', 'fat line direct', 'identified window region', 'acrosome integrity', '12 study', 'polyphen software genetic', 'disease clinical representation', 'ltn rtn max', 'male measured 333', 'bfgl ngs 4939', 'region 24', 'imprinting cluster', '808543 located', 'snp identified polymerase', 'economic concern industry', 'genotype aa exhibited', 'selection based', 'length base circumference', 'resistance making', 'nature feed intake', 'haflinger shetland', 'bac clone', 'containing missense', 'blood component chicken', 'loss ep300 tenderness', 'variance animal related', 'seq significant snp', 'biology aberration', 'abc dairy cow', 'albumen height', 'adhesion phenotype 14', 'survival ssc7', 'explanatory value chromosome', 'measure feed', 'population nellore', 'white heavy pig', 'variation 227 gene', '35 gga2 body', 'gga5 gga6', 'discussed high linkage', 'tandem repeat muc13b', 'trait discriminating putative', 'work ovine hsp90aa1', 'gene result', '05 vasopressin receptor', 'conservation indigenous chicken', 'mm 33', 'performed approximately 175', 'tenthrib 02', 'shear force cooking', 'trait able identify', 'pft ppargc1a', 'avfec avfec packed', 'backfat igf2 loin', 'chromosome 30', 'study egwas 45', 'fertility ayrshire population', 'comparison nc_007316 mutation', 'total 515', 'analysis respectively marker', 'category related bone', 'risk locus', 'frequency differed', 'identification underlying mechanism', 'challenge tanzania', 'dorsi muscle order', 'detected blood', 'recent year study', 'content decreasing', 'furthermore combined', 'effect monounsaturated mufa', 'growth curve approach', 'trait maternal component', 'gradient examined atp1a1', 'identified synteny duplicated', 'technological measure meat', 'detected resource', 'affect performance', 'cla cla ruminant', 'content 1557t 1948g', 'ear surface pig', 'permutation testing chromosome', 'trait indicine', 'correlation rg boar', 'breeding program potentially', 'negative effect protein', 'development body', 'population international', 'qtls 14', 'million respectively', 'rate detecting causative', 'region related fatty', 'snp snp3', 'recent year increasing', 'markov chain method', 'genetic property addition', 'target genomic region', 'teat development despite', 'chromosome locus muscle', 'precocious non precocious', 'peak qtl', 'chromosome selected genotyping', 'low positional', 'used data 13', 'high correlation estimated', 'defence mechanism', 'block associated', 'function linked insulin', 'define phenotype', 'allele generally increased', 'map utilized', 'calving performance located', '177 single', 'dmi animal expected', 'government approximately 190', 'identify genes qtls', 'bayesian shrinkage method', 'harbouring cart gene', 'trait mentioned cattle', 'half significant snp', 'significant suggestive additive', 'vl 11', '42e 07 48e', 'change solely chest', 'intron untranslated', 'map2k6 phospholipase beta', 'abortion stillbirth', 'carry genomic analysis', 'polymorphism bovine mfa', 'chromosome bta1 12', 'measured female', 'level 05 qtl', 'produce egg', 'linked potential major', 'steer 406', '165bp apart strongest', 'bovinehd beadchip 24', 'lamb weighed', 'similar marker', 'historical field disease', 'slc26a2 laminitis fgf12', 'fgf8 multiple sequence', 'using commercial suffolk', 'hb erythrocyte count', 'aspect associated', 'yield highly', 'flock recent advance', 'approach low density', 'research quantitative', 'total 32 polymorphism', 'included categorical fixed', 'e4b gene', 'detected intron 12', 'threshold 380 snp', '144 individual belonging', '2007 steer', 'providing supporting', 'directly exploited', 'account ld', 'effect including marker', 'phenotypic variance family', 'xpter xp2 xq2', 'sc 05 functional', 'survival salmonid', 'environmental correlation', '611 79 snp', 'account hidden', 'candidate genomic element', 'snp frequent', 'snp evolutionary', 'explained greater', '988 piglet included', 'affect egg yolk', 'major allele segregating', 'gr vitro commercial', 'abundant class', 'pig reproductive', 'testis weight tew', 'provided evidence mstn', 'model snp exon', 'locus missing', 'pattern scored', 'qtl epistatic region', 'stage disease qtl', '38 unaffected half', 'ham knuckle', 'analysis revealed suggestive', 'descendant common', 'investigate affect', 'ld drip loss', 'population limiting usefulness', 'quality requested traditional', 'replicate evidence', 'sw839 sequencing', 'importance constitute', 'novo lipogenesis catalyzes', '1382c lep 1387c', 'suggest polymorphism', 'density genotype 770', 'score 05 relative', 'emphasizes nr3c1', 'arms pcr investigated', 'cebpa showed', 'model human puerperal', 'curve characteristic derived', 'affecting body', 'chromosome additional', 'screen genetic variation', 'parental bird', 'charolais 963', 'disease severity human', 'interval 38 cm', 'prnp selection purpose', 'evidenced 58 cm', 'result variant single', 'snp genotyped tested', 'association analysis tick', 'expressed insulin like', 'random missing', 'identified bos', 'gene rna', 'breed f2 pedigree', 'evaluated correlation liver', 'suggested regulation lcorl', 'udder score', 'phu ph', 'ph redness texture', 'linear model relatedness', 'antibody associated', 'trib1 156_157del 0003', 'missing genotype', '1394a his465arg 1751a', '18 1410 day', 'region ssc7 identical', '232 animal known', '44 allele 207', 'chicken ornithine', 'factor osteoporotic fracture', 'fertility trait varied', 'represented separated family', 'gridqtl software http', 'pik3r1 pla2g12a', 'positive correlation', '1141 simmental', 'cow bonferroni correction', 'group chicken', 'pony known dwarf', 'qtl effect information', 'including oxidative phosphorylation', 'pleurisy objective study', 'study helpful understanding', 'cm 39', 'beadchip population chromosome', '006 upregulated', 'deficiency substantial public', 'indole skatole sp', 'depth 001', 'development yield certain', 'mapping investigate snp', 'nominal 10 rapid', 'disease swine industry', 'polypay breed', 'ovulation rate estimated', 'favored regard', 'probably low', 'upstream transcription start', 'family increase productive', 'family rainbow trout', '14 beef cattle', '457 porcine f2', 'associated lea', 'clarify genomic relationship', 'capra hircus chi', 'individual good poor', 'ovine ucp1 potential', 'pork color', 'quality ph color', 'cm 11 cm', '227 gene', 'exhibited known homozygous', 'taurus chromosome 14', 'lw breed', 'month life', 'used heritability anaemia', 'improvement microsatellite', 'extreme chicken line', 'statistical analysis revealed', 'scd fads2', 'significance gws ssc4', 'university nebraska lincoln', 'similarly detected', 'gene suggestively associated', 'sq developmental', 'challenged haemonchus', 'adg extreme economic', '391 single', 'confirmed novel genomic', 'snp reached bonferroni', 'breed cross increased', 'maintenance appropriate backfat', 'fasn gene underlying', 'ccl3 acaca', 'identify genetic region', 'year round despite', 'bovine chromosome altogether', 'weight abw contribute', 'array japanese', 'size economically important', 'epistatic qtl affecting', 'routine evaluation', 'annotation knowledge', 'associated studied population', 'related trait genomic', 'accounted half body', 'titan used interrogate', 'result suggest polymorphic', 'striking contrast sterility', 'genetic variance miristic', 'application genetic', 'paternal haplotype', 'standard deviation 16', 'point unfavorable relationship', '12 e47w24', 'supporting evidence qtl', 'research demonstrated', 'association complex trait', 'gene bw puberty', 'entire coding', 'disequilibrium ld granddaughter', 'herpesvirus antigen', 'pbm percentage', '990 polymorphism significantly', 'signal erhualian', 'gene comprises', 'genetic effect multilocus', 'related function simulation', 'set identify qtl', 'experiment qtl previously', 'trait improvement duroc', 'synonymous polymorphism conserved', 'close linkage', 'test association', '2449g located upstream', 'identified unlinked', 'dopamine antagonist', 'evolutionary conservative region', 'domain bovine', 'acop cattle provide', 'boost gene', 'trait exhibit', 'west asian breed', 'associated snp bos', 'account significant', 'quality trait analyzed', 'associated snp', 'bw70 fi 49', 'lack traditionally', 'snp showed', 'separate qtl region', 'prohibited order maintain', 'refining estimate qtl', 'fat protein somatic', 'ssc6 ssc8 ssc10', 'detected notable', 'mode growth carcass', 'trait marker', 'pathogen continues', 'described nonsynonymous', 'pig available genotype', 'abundance spleen lung', 'localization ctsk', 'line using illumina', 'locus contributing', 'using mixed model', 'spotted coat color', 'strong qtl', 'snp 26 642', 'largest effect expressed', 'lower conception', 'bovine lap3 ncapg', 'fish average snp', 'fixed qtl', 'body carcass weight', 'examine extent', 'calculated using postgsf90', 'lipoprotein analysed', 'maybe causal mutation', 'mutation affecting yield', 'showed maximum', 'effect divergent selection', 'bone trait detected', 'stat1 fabp4 csn2', 'asga0085522 h3ga0056170 detected', 'production health reproduction', 'background leakage water', 'snp account small', 'effect flavor score', 'ph loss', 'egg count packed', 'ham total weight', 'suggests presence favorable', 'test gwa', 'terminal repeat explain', 'marker resulted', 'carcass appears feasible', 'line study provides', 'gene fat yield', 'slc39a7 hmga1', 'affected percentage eviscerated', 'practice beneficial fatty', 'behavior analyzed transmission', 'analyzed parameter estimate', 'dissect genetic basis', 'local breed gushi', 'population specific locus', '27 significant', 'time developmental', 'provide fundamental', 'quality hanwoo significant', '18 total', 'expression value treated', 'animal hampshire', 'original pigment body', 'polymorphism promoter region', 'calving ease pce', 'observed f2', 'strategy genetic', 'detect confirm', 'detection second qtl', '23 major gene', 'candidate variant cv', 'simultaneously change fat', 'genomic clone', 'ssc6 ssc7 ssc8', 'polymorphism regression', 'expectation maximization', 'phenotyped packed cell', 'tenfold increase', 'consumption increasing', 'phenotype hen', 'effect birthing process', 'ability distinguish', 'disequilibrium observed ars', 'response pepsinogen concentration', 'associated increased phenotypic', 'imprinting qtl qtl', 'zealand cattle reared', 'effectively result provide', 'region explain genetic', 'trait bighorn sheep', 'analysis new single', 'chick adult hen', 'cholesterol chl content', 'sequencing cdna', 'subcutaneous carcass fat', 'concentration prolactin', 'factor present', 'close proximity gene', 'named bovinehd1400007259 10', 'protein content economically', 'quality driven hand', '26 48', 'snp fell mb', 'weight 42 day', 'individual single', 'lack routine data', 'associated tew', 'sheep farming benefit', 'complex nature hypersensitive', 'meat tenderness 05', 'snp calculated segregation', 'increasing backfat', 'pde4b1 pde4b3 using', 'conducted total', 'individual produced', 'trait study undertaken', 'chromosome determination', 'improved model comprehensive', 'exist random regression', 'process including oxidative', 'laying 60', 'selection overlapped qtl', 'wise level 04', 'using linkage analysis', 'validated larger population', '9379 bp', 'investment despite', 'significant effect cmp', 'suggest mir 1596', 'mon hol cow', 'tbg genotype', 'association clinical', 'gli3 mediates vertebrate', 'bac library length', 'interpret recent', 'nucleotide sequence transcript', 'immune inflammatory', 'mastitis finding', 'trigger cell', 'gene pcr', 'model combining gene', 'wnt10b differentially expressed', '60k high density', 'weighted analysis snp', 'level heterosis previously', 'using markov', 'neuropeptide npy dopamine', 'cattle associated region', 'growth stress', 'sire 34 dam', 'economic performance animal', 'laiwu pig note', 'reaction bird', 'study mapped roan', 'study region ssc4', 'gland change expression', 'identification novel interacting', 'total 472 lamb', 'lm addition', 'associated tg chol', 'combined frequency 85', '990 l990', 'objective estimate effect', 'severity index', 'trait confirmed hanwoo', 'chicken treating', 'pattern phenotypic expression', 'lp objective', 'right line maximum', 'quality trait tested', 'cl 24269', 'boar type allele', 'sex housing', 'population elovl6 strong', 'wide significance region', 'transcript ultimately', 'carcass weight previously', 'correlated body weight', 'evaluated separately', 'tnb number', 'dissection eighty animal', 'litter important', 'recombination using', 'detected ryanodine', 'production greater adoption', 'study detection', 'using information 24', 'imf bfw region', 'copy lcorl assigned', 'variation causative linkage', 'region chromosome studied', 'approach identified single', 'effect litter chromosome', 'heterochromia pattern', 'causal gene affecting', 'effect distinction confidence', 'hw lea narrowed', 'based association study', 'dominance dominance', 'important table egg', 'sequence heterogeneous', 'study difficult measure', 'evaluated result microsatellite', 'correction significance level', 'gamma pparg', 'locus mapped', 'afp addition', 'effect 279phe', 'shelled white leghorn', '19 day open', 'mb explained 16', 'result scope selecting', '000 snp located', 'daily milk', 'confirmed purebred', 'age indicate qtl', 'expression numerous', 'serum mucosal immunoglobulin', 'role economy', 'time pcr', 'revealed low', 'using bonferroni', 'fed grass', 'johne disease', 'granadina goat', 'affecting egg', '1773t located', 'contributes large percentage', 'major role central', 'analysis based r2', 'crude fat moisture', 'interestingly hmga2 located', 'virus challenge', 'selected case control', 'variance thoracic vertebral', 'concern industry environmental', 'low positional concordance', 'marker chromosome used', 'mq trait estimated', 'fto influence', 'ala 15 bp', 'ai cnv', 'animal considering', 'number visit feeder', 'bioinformatics analysis quantitative', 'mineral sugar concentration', 'segregating population analyzed', 'level high throughput', 'area body size', 'wise basis', 'zealand nz', 'additional qtl eca4', 'known linkage disequilibrium', 'red pedigree', 'trophy status', 'trait impacting rln', 'group box family', 'identified putative signature', 'seven polymorphism production', 'included covariate level', 'wide screen qtl', 'vaccenic acid va', 'qtls eca2 48', 'qtl loin region', 'cluster pair cluster', 'gene bone trait', 'objective phenotype', 'snp crossed', 'study carried country', 'crh cocaine', 'tractable agonistic', 'framework beneficial', 'help understanding metabolism', 'heart fat kph', 'tg gene chromosomal', 'protein source human', 'symmetry minor difference', 'different number snp', 'reproductive trait testicular', 'chromosome comparative mapping', 'cooking meat intact', 'gene provided', 'phenotypic variance', 'enzyme function chicken', 'previous study localized', '1661 ewe 29', 'estimate heritability', 'region inverted', 'identified development', 'xirp2 tetratricopeptide repeat', 'snp28 extremely', 'known aa', 'industry new', 'calpastatin sample', 'qtls ssc', 'gwas performed 156', 'transversion mstn', 'important lp upstream', 'qtl static qtl', 'efficiency efficiency', 'syndrome poor growth', 'allele major', 'height human mouse', 'iberian pig exhibit', 'seven snp', 'applied detect quantitative', 'test feasibility', 'qtl muscle loin', 'marker interval qtl', 'statistical association ovulation', 'experimental family european', '04 cm le', 'pign kiaa1468 tnfrsf11a', 'ssc largest', 'sow investigated paternal', 'porcine tcap', 'previously called', 'cause reduction variance', 'model lald', 'ether extract', 'chromosome 10p15', 'daily weight measurement', 'pooling approach applied', 'tender juicy pork', 'f2 pig cross', '320 186', 'tbrd gwaa identified', 'bone mineral content', 'result reported support', 'candidate gene litter', 'wnt10b 12 major', 'nearly significant', 'tolerance defined cow', 'encodes inducible', 'behavior growth', 'beef breed holstein', 'duroc sired crossbred', 'effect quality mainly', 'design mapped joint', '95 mb chromosome', 'imf loin', 'respectively 9607480', 'tgfb1 fto showed', 'white hampshire duroc', 'effect protein structure', 'composition modulation', 'method data', 'cm3 sc linked', 'came 161 sire', 'digestive function metabolic', 'conclude polymorphism ovine', 'non compensatory sperm', 'allele frequency 592', 'fever csf contagious', '48 bp', 'bw gain', 'gene bdh2', 'correlation level slope', 'pietrain german', 'adaptation tropical', 'information annotating phenotypic', 'layer accounted', 'arr allele', 'generation resource family', 'derived algorithm detect', 'gene fabp', 'genotype significantly lower', 'profile gas chromatography', 'time quantitative', 'environment difference genetic', 'power detect association', '17 05 30', 'log drop used', 'chromosome regression analysis', 'tfn qtl', 'rate service number', 'variable cost', '25503 s1_at candidacy', 'lipoprotein uptake', 'origin different population', 'locus affecting trait', '62 64 68', 'observed fatness population', 'population 16', '494a boar', 't433g snp marker', 'study proposed potential', 'activated angiogenesis vasculogenesis', 'maldi tof', 'significance analysis tbg', 'conducted 12th', 'genomic blup gblup', 'livp piglet', 'spanned 24 29', 'sib mating', 'adg prrsv infected', 'isomerase protein polymorphism', 'stepwise regression', 'heterozygous number', 'study including plag1', '36 cm', 'breed average', 'aa exhibited', 'pig breed pietrain', 'dairy cow based', 'identify qtl', 'tryptophan 80 encoded', 'significantly le 01', 'bovine npc1 gene', '10 454', 'included 172', 'nucleotide polymorphism panel', 'beef carcass', 'sample taken challenge', 'adg future', 'loss bves slc3a2', 'according qtl', 'individual elisa', 'generated c4715t', 'located sheep', 'mb included', 'ssc2 ssc12 explained', 'transcription significant', 'ucp2 ucp3', 'simultaneously using', 'mapped head suggestive', 'yk rt101 strain', 'appearance texture', 'identified 29', 'abcg2 tyr581ser', 'modulation angiogenesis', 'romanov sheep population', 'qtls chromosome 13', 'marbling yield grade', 'link genetic variation', 'test population suggested', '17 wg42', 'infection included dppa2', 'qtl reported increase', 'rt pcr race', 'treated response', 'response clearly complex', 'meat color ssc4', 'underlying genetic factor', 'expressed gene locus', 'model assumed known', 'genotyped haplotype', 'genetic improvement reproductive', 'spp allergen', 'spp1c 1251c spp1c', 'adhesive etec f41', 'cd effect', 'selected population', 'orthologous segment human', 'sib family considered', 'dh dj ca', 'meat percentage lmp', 'fw hoof trimming', 'gene abhd5 known', 'genotyping 789 fish', 'limb bone length', '422c marbling angus', 'based genetic', 'correcting fixed effect', 'specific dilution', 'study applied', 'trait male fertility', 'using ggp porcine', 'experimental design 2000', 'loss 100 million', 'mean ebv', 'qtl various population', 'detected pparg', 'low 18 rorc', 'sc herd', 'analysis significant', 'pig qtl differentially', 'ssc7 qtl fixed', 'allele tended', 'quality grade carcass', '10 grandsire family', 'lep 1387c lepr', 'non catalytic', 'glucose insulin signaling', 'corticosterone response suggests', 'identification qtls', 'fat gene expression', 'identified substitution mutation', 'contains ortholog', 'largest association', 'influence em', 'pig breed snp', 'avoid tt', 'ct bird 05', 'taken result', 'mc1r marker located', 'size 200', 'autosomal chromosome study', 'tbrd identified', 'gene overall snp', 'association highly', '71 genetic', 'gene chicken response', 'genome scan seven', 'ssc5 15', 'breed 76', 'outbred broiler meat', 'fat thickness weight', 'haplotype analysed showed', 'ejaculation phenotype data', 'protein functional role', 'malignant cell lymphoma', 'half sib sire', 'date identify', 'transcription factor 12', '24 29 mb', 'approach conclusion result', 'bw70 age', 'combination analysis', 'ibk score', 'qtl classical fat', 'lamb appear', '24269 sw2429 7907', 'reflecting absence ascertainment', 'carcass weight qtls', 'odds 46 genetic', 'map estimated', 'signal gene encoding', 'toll like', 'cnv generated non', 'c16 index', 'traditional gwas gene', 'deletions pgf gene', 'region identified using', 'vertebra count 16', 'leukocyte trait', 'vertnin vrtn', 'role cleaving beta', 'reproduction body conformation', 'chromosome ssc1 key', 'dl gga1 gga4', 'animal 47', 'disease pattern related', 'weight longissimus', 'number variant', 'information following trait', 'skeletal aberration', 'yield genome chromosome', 'interaction fat1', 'marker target', 'background somatic', 'microsatellite marker single', 'number experiment', 'kcnj3 bostauv1r417', 'jersey jer second', 'marker association trait', 'snp genotyped rorc', 'gwas conclusion significant', 'functional validation', 'profound impact', 'meat fat meat', 'wald chi', 'index haem', 'rs339939442 polymorphism 10', 'line compared', 'design detect', 'gene tbg', 'family member xkr4', 'included qtl analysis', 'order access', 'chicken afe result', '29 mb region', 'breeding strategy aimed', 'progeny ovine chromosome', 'percentage family', 'used population 668', 'lepr 1987c fixed', 'suggestive effect flavor', 'retarded growth', 'ssc4 ssc5 ssc6', 'result identify', 'sequence polymorphism map', 'chromosome gene male', 'independently bft pig', '0238 0601', 'scale intercross red', 'cm gga1 explained', 'porcine embryonic skeletal', 'tested son', 'trait gwas analysis', 'offer possibility', 'analysis chromosome', 'value combining valuable', 'relationship barring recessive', 'intercross wildtype', '043 italian brown', 'localized chromosome 20', 'promoter snp 995a', 'sib produced using', 'came 161', 'growth deserve', 'breast weight', '672c androstenone', '165 chicken resource', '17 shoulder', 'strongly suggest bovine', 'large white 98', 'carcass yield meat', 'influence meat quality', 'genetic improvement example', 'gc snai2 pim1', 'snp resulting', 'ssc7 pleiotropic', 'mono polyunsaturated', 'ctsz impacted', '007 bta26 10', 'industry nearly billion', 'horse arabian', 'number function porcine', 'using bootstrap', 'puberty overlapping', 'region affect mineral', 'thickness human rs4121165', 'role uterine epithelium', 'mb ssc7', 'molecular marker improving', 'respectively present', 'lmh lmp measured', 'available evidence', 'effect greater population', 'paper demonstrated', 'rs17193181 htr2a rs17664565', 'sequenced fragment', '43 md', 'greater number qtl', 'genome sequence data', 'growth presently quantitative', 'putative positional functional', 'additive effect qtl', 'identified various qtlr', 'lesion reliable', 'evident qtl', 'region affect milk', 'bta15 interestingly pleiotropic', 'association separate population', 'number cd2', 'based study', 'snp associated intramuscular', '18 19 major', '10 16 17', 'family member 6a1', 'breed pony', 'method mapped qtl', 'diallelic experiment', 'based mating strategy', 'significance threshold 2000', 'cc 56', 'reliable technique determination', 'vertebra located', 'composite founder', 'αs2 cn', '1n9c saturated', '50977717t nc_019484 located', 'expected chance support', 'mb primarily 38', 'fp german', '28 carcass', 'based mating', 'commercial strain', 'concentration 300', 'aft reduced', 'population selection litter', 'role fe sensitivity', 'trait growth body', 'higher genotype dd', 'control collected', 'data useful', 'genetic structure genotypic', 'phenotypic trait luxi', 'ebv deregressed proof', 'panel sp', 'mbp chromosome chromosome', 'significant association snp', '15 displayed significance', 'chromosome number spermatozoon', 'difference postnatal growth', 'procedure cattle breed', 'igf2 region objective', '51 polymorphic snp', 'detected 10', 'chip hanwoo cattle', '055 rfi 175', 'chicken potential', 'nineteen snp related', 'selection trophy', 'exists predominantly duroc', 'presented result association', '002 23 standard', 'quality intramuscular', 'analysis resulted', 'lentogenic ndv strain', 'age class separately', 'effect myofiber diameter', 'gertrudis common haplotype', 'compared single', 'axiom hd genotyping', 'qtl position', 'bp 76', '87 96 population', 'associated low', 'retained gwas', 'starting point', 'completion bovine genome', 'conclusion result contribute', '1e 05', 'bmp15 highest en', 'bos taurus chromosome', 'breed significant impact', 'tenderness gene', 'gene strategy refine', 'possible causal', 'weaning gain genomic', 'information contained', 'fasn 301 699', 'discus prospect', 'lp2 lactation lp3', 'analysis detected overlapping', 'marker accounted', 'delta like homolog', 'different chromosome ssc', 'region influence', 'mb window', 'body size 05', 'reading frame gene', 'wide quantitative trait', 'score backfat thickness', 'twh described calm', 'effect skatole associated', 'cow objective study', 'composition milk', 'result fec', 'genotype 172', 'lipid ngef leg', '28 trait related', 'milk production holstein', '2799g adrb3 interestingly', 'immune trait f2', 'pigmentation color group', 'evaluated fertility trait', 'information qtl', 'noise genetic', 'mate low level', 'sequencing bac', 'effect approximately', 'using estimated genetic', 'position narrowed considerably', 'probable region', 'increased decreased', 'purpose fleckvieh', 'extremely muscled', 'detection fine mapping', 'external fat bft1', 'cw analogous', 'routinely recorded united', 'qtl combined', 'lwgt ssc4 stillp', 'chromosome 29 reached', 'strain possible', 'scan revealed snp', 'promoter activity supposed', 'analyze polymorphism', 'receptor gene drd1', 'collected lamb genotyped', 'influenced steer', 'aragonesa sheep', 'additional related locus', 'multivariate analysis recovered', 'wide significant suggestive', 'coagulation property mcp', 'leukotriene a4', 'confer ibk susceptibility', 'study focused identification', 'goldengate assay', 'landrace f2 intercross', '30 carcass unacceptably', 'limiting usefulness', 'suggested interesting', 'cm ssc6 respectively', 'mass spectrometry association', 'surpassing threshold', 'loin mc', '12 intramuscular', 'demonstrated haplotype association', 'dna sample collected', 'allele reported fertile', '16 significantly', 'muscle drumsticks thighs', 'located chromosome dominant', 'breed using nrr', 'detecting association', 'canchim cattle', 'locus qtl maternal', 'animal including chicken', 'rg lw', 'total carcass lean', 'protein percentage increase', 'variant candidate', 'trained panellist linear', 'family rear leg', 'breed including', 'consistent hypothesis chromosome', '928 fetus pregnant', 'ranking snp', 'clustered mammal major', 'promote higher milk', 'lpin1 stat1 fabp4', 'fto snp significantly', 'polymorphism chicken economic', 'effect polymorphism reproduction', 'knowledge study investigating', 'random polygenic', 'recprotein hapmap52348', 'nc_007316 mutation nt963', 'pparγ allele population', 'snp explained observed', 'sscx ssc8', 'including human', 'stillbirth btax loc520057', 'selection produce naturally', 'cm carcass weight', 'maximum disease associated', 'gene study', 'predict correlated', 'protein kg', 'disequilibrium sc combined', 'trait 768', 'pam slco4c1 st8sia4', 'sire used test', 'hgd gene comprises', 'disequilibrium adjacent', 'showed general consistency', 'ovary located', 'pattern muscle', 'degree white spotting', 'boar flavour', 'cwt significant', 'genotyped soay', '22g 17g 114g', 'register included total', 'strategy applied trait', 'gene known casein', 'activity gr study', 'anxa5 analysis', 'myog gene', 'broiler carcass', 'egg laying 26', 'single experiment', 'snp 39 significant', 'using pc', 'interesting area future', 'allows detection', 'eca3 raw', 'conducted 30', 'exposed experimental', 'additional 46', 'result provide strong', 'qtl model cause', 'signal observed', 'evaluated interacting qtl', 'rln bilateral mononeuropathy', 'significant fish farming', 'different parity result', 'unavailable infected', 'variant common', 'network associated phenotype', '102 metr', 'hgb respectively', 'le milk', 'cdna obtained silico', 'miescheriana genome', 'previously mapped fatness', '3750 reflected', 'previous study chromosome', 'share 80 identity', 'based vivo', 'functionally related production', 'kdm5a gene', 'examine additional', 'sheep st', 'size birth haplotype', 'analysed sire linear', 'measured inverse', 'cross led', 'ejaculation duration measured', 'including fertility', 'disease mammary gland', 'sib pair design', 'acid composition beef', 'nearly prediction model', 'cooking loss higher', 'meishan crossbred', 'pbw pr', 'cow plink software', 'demonstrate bft', 'measured imf', 'way cross animal', 'gwas represents', 'rate limiting', 'malodorous compound', 'increased 305', 'result conclusive interaction', 'including 832', 'studied trait identified', 'locus qtls osteochondrosis', 'trait process', 'nan jiaxian', 'population 1599 f2', 'cause intracellular', '10 25', 'ascertain 12 known', 'piebaldism italian holstein', 'meat composition quantitative', 'linkage mapping', 'mastitis highly demanded', 'weight ranging', 'associated change milk', 'density conclusion identified', 'carotene subsequently', 'jersey limousin background', 'white type', 'mutant dermal', 'transcription start', 'nonselected sheep', 'biological positional candidate', 'located reported qtl', 'progression phenotype', 'band paternal', 'modified horn', 'associated average lifetime', 'fewer smma 105', 'snp identified using', 'cu dh na', 'adaptation required', 'source pig', 'herd dam', 'important trait beef', 'substitute original body', '09 22', 'study 329 purebred', 'polymorphism snp assay', 'decreased milk yield', 'altered amino acid', 'multiple qtl detection', 'ssc9 result', 'terminal domain', 'meiotic cell', 'animal result indicate', 'animal sacrificial', 'signaling finding suggest', 'subtraits retained placenta', 'significant pathway implicated', 'age 48w e48', 'earlier finding polymorphism', 'increased mineral', 'gene considered important', '416 cow 436', 'family including animal', 'hsp90aa1 chosen putative', 'used domestic sheep', 'oar2_132568092 mtx2 hoxd', 'composite crossbred', 'tissue 40', 'based 50k snp', 'sheep rambouillet', 'integrity trait candidate', 'percentage fat meat', 'single lactation leading', '18 oar18 texel', 'chicken far gwas', '01 backfat thickness', 'solo insertion reticuloendotheliosis', 'gene stabilizing', 'precisely regardless meat', 'trait fat bf', 'cardiovascular metabolic', 'measured ulna radius', 'used identify sequence', 'breed confirmed certain', 'family denaturing gradient', 'nr6a1 strong', 'result qtls femoral', 'supported muc13', 'known gene region', 'serotonin receptor', 'region associated congenital', 'quality crossbred population', 'thickness 05 lean', 'densitometry shadow correction', 'improvement classical selection', 'contains aldo keto', 'adult stature', 'chicken potential molecular', 'basis microtia sheep', 'inseminated semen poll', '554 chinese', '99 03', 'primarily associated variation', 'trait important consider', 'genotype cidec', 'disequilibrium single locus', 'lc model identified', 'qtls phenotype', 'useful genomic selection', 'increasing marker density', 'pig population method', 'porcine genome previously', 'resistance early time', 'animal raised', 'contrast enrichment', 'specific opportunity', 'sire tm qtl', 'developed microsatellites', 'study hanoverian stallion', 'convergent strabismus', 'calving difficulty direct', 'difference wagyu', 'acid report', 'ucp3 significantly', 'work detect time', '361 bp', 'coding region flanked', 'genotype 01 padmscs', 'allele la revealed', 'statistical analysis showed', '33 trait', 'major cluster south', 'colonization provides', '167 dna marker', '30 variance explained', 'explained window 50', 'dcd pm ch', '286 dam', 'variant teat', 'mitochondrial gene 19179', 'trait related meat', 'addition tb driven', 'heritability estimate su', 'gga16 19 26', 'protein siva1', 'confirming importance', 'notch1 regressed estimated', 'serum ige level', 'model repeated measure', 'way 771a 1101a', '13 06 53', 'multicellular organism growth', 'region gene provide', 'det1 various', 'mutation detected linkage', 'region encoded orphan', 'investigated linear', 'oar1 using regional', 'carotene dioxygenase bcdo2', 'qtls controlling shank', 'posterior probability', 'deviation hardy', 'controlling perception', 'study used popular', 'suggestive threshold', 'change g150r m259t', 'breeding future', 'variant underlying', 'enzyme lipid', '00246150 hapmap50366 bta', 'bead chip mixed', 'integrity conclusion', 'qtls identified different', 'general immune', 'cow living farm', 'finding suggest kdm5a', 'locus map region', 'variation milk fat', '75 marker significant', '05 evaluated', 'mean gebv udder', 'vitamin evaluated', 'reliable marker', 'explained 13 additive', 'missense mutation cd36', 'composition milk result', '159 affect initiation', 'ank1 gene potential', 'located 50 kbp', 'variability sample', 'qtl affected shank', 'conducted determine variation', 'pectoralis major minor', 'jersey 64', '15 23 effect', 'present dairy', 'population allowing', '455 pig', 'association genetic variation', 'physiological predictor', '4500a 4950c', 'juvenile salmonid', 'retinol trans', 'animal increased respiratory', 'containing 1622 steer', 'ct measured', 'mp score', '539 3691g 498', 'area major', 'protein percentage revealed', 'spawning spawn weight', 'genotypic effect approached', '113kg marker nup88', 'different line difference', 'estimated relative', 'pleiotropic snp bta2', 'undetected carrier', 'replicated fine mapped', '21 chromosome total', '217_79 533', 'dna sequencing novel', 'identified 15 chromosome', 'reported chicken study', 'ld distance cm', 'study 10', 'cyb5a known', 'value ebv deregressed', 'sorcs2 play', 'microsatellites used 14', 'information 30 marker', 'kg se 060', 'accounted 84', 'slick dominantly inherited', 'performed dtd', 'normal sperm', 'frzb col5a2', 'component independent present', 'consist 446 piglet', 'reproductive longevity litter', 'slaughter fitted', 'age indicate', 'ergic1 sh3pxd2b hmga2', 'report suggesting', 'gene cftr', 'causality significant', 'applied proposed', 'weight lm', 'st associated', 'confounding factor present', 'analysis teat number', '02 03 respectively', 'genotype 38', 'pig sequence slc39a7', 'target qtl', 'pig genotype', 'acid moderately highly', 'leptin concentration lepc', 'bull mean adjusted', 'qtl breed observed', 'immunocrit genetic analysis', 'benefit likely', 'applied correction phenotypic', 'bovine neuroendocrine', 'nr3c1 important', 'cm second primarily', 'dd genome wide', 'vl phenotypic sd', 'insemination resulting', 'total 17 different', 'chromosome 14 29', 'expression porcine skip', '_csrp3_83 cm _tef', 'female report qtl', '27 combining data', 'industry mapped', 'bcwd snp ere', '15 animal aa', 'technology provide mean', 'furthermore 47', 'highest allelic frequency', 'interval 70 cm', 'αs1 αs2 cn', 'fold abundant derived', '13 major gene', 'foetus fattening stage', '021 adg', 'scan performed 194', 'line candidate', 'protein kinase', '12 single nucleotide', 'family estimated frequency', 'allele increased vertebral', 'effective ma different', 'holstein population includes', 'mrna secondary structure', 'association detected snp', 'immune parameter candidate', 'ph respectively', 'breeding value beef', 'production trait examined', 'psychiatric neurological', 'provides continued', 'different coat', 'new insight biological', 'yellowness meat color', 'member cytochrome p450', 'consistency family combined', 'component pc technique', 'analysis based sparse', 'snp diagnostics causal', '22 associated trait', 'genotype present study', 'factor affecting power', 'fe accuracy genomic', 'population churra sheep', 'test quantitative trait', 'phenotype genotype', 'frequency finding indicate', 'rxra nuclear', 'lepc total', 'ssc7 small', 'amplifying low', 'expect commercial impact', 'pig region', 'trait massively', 'used observation', '01 15118756c', 'composition group', 'age attained', 'carcass weight 13', 'analyzed population', 'heat tolerance coefficient', 'muscle reduce succinyl', 'breed ability', 'history aim study', 'affecting expression conversely', 'significant locus evidenced', 'study conducted total', 'causal factor', 'hydroxybutyric acid', 'examined study log', 'maternal factor', 'suggestive qtls trait', 'mastitis mapped small', 'haplotype 35', 'similar genetic background', 'duroc barrow', 'key role gene', 'broiler association', 'gene lp', 'simmental exhibit lightening', 'modern breed', 'marker allowed', 'fine mapping method', 'crossbred dam line', 'individual related candidate', 'kinase adenosine monophosphate', 'progress improvement', 'generation sufficiently', 'genetic variance associated', 'associated soga1', 'model gwas study', 'study study scottish', 'nve rib landrace', 'study unclear', 'area additional', 'mapping using additional', 'day post immersion', '57 affymetrix snp', 'effect mastitis', 'foundation insight', 'heritabilities 15', 'major difference detected', 'ibk susceptibility', 'urokinase type', 'chromosome 20', 'interferon signaling', '40 compared pedigree', 'major known gene', 'cm male female', 'additional half sib', 'elisa genotyped', 'snp contributing', 'separate crossbred population', 'qtl jersey breed', 'explored fish', 'snp rs42670351', 'motility thawed', 'identification ultimately', 'pig divergent androstenone', 'immunocompetence heterophil', 'conformation polymorphism', '87 good genotype', 'fishy metallic non', 'ssc4 ssc6 minolta', 'strain investigate', 'variance component analysis', 'complex relationship genotype', 'using 29 fluorescent', 'genotype 311a', 'trait located snp8', 'wbsf breed', 'hic1 transcription', 'fat 001 94', 'associated osteochondrosis humerus', 'domain consists', 'genetic correlation tenderness', 'depigmentation defect heterochromia', 'fillet yield', 'improvement selection', 'trait semen production', 'connected meat', 'trait heart girth', '02 suggesting similar', 'volume distribution', 'trait dr', 'regressed respect', 'bovine gdf5 gene', 'associated follicular', 'trait 30 yr', 'population conclusion frameshift', 'productivity using resource', 'analysis traditional', 'correlation detected', 'genotype missing detection', 'related gene hypothalamus', 'genotype mean gebv', 'number record available', 'provide opportunity', 'prrsv challenge', 'cow addition', 'mass igf2 located', 'nucleotide polymorphism 2412', 'additive dominance effect', 'effect disease highly', 'male herd', 'sheep segregate solid', 'analysis porcine tcap', '28 56', 'differing site including', 'yield deviation yd', 'associated gene known', 'insight genetic basis', 'mean lod score', '86 egg', 'response milk production', 'py pp pft', 'determine physical', 'role early', 'acquire immunoglobulin', 'based association', 'effect milk composition', 'primary target', 'trait sheep aim', 'decr1 substitution', 'significant decrease', 'affect reproductive trait', 'hormone neuronal', 'showed lactoglobulin', '36 week', 'bovine bead', 'assuming pleiotropic', '48 57', 'stress chordc1 associated', 'genetics possible reduce', 'mutation v371m', 'sa measured expression', 'growth rnf103 tspan31', 'snp3 distinct haplotype', 'compare maternal chromosome', 'usda usmarc', 'phu color', 'significant peak chromosome', 'percentage body', 'detected beef cattle', '382 pig', 'porcine immune', 'tnb 44', 'avpcv detected', 'cattle maintain level', 'colour genetics', 'androstenone concentration', 'influencing content capric', 'cattle population limiting', '64 69 85', 'focused severely', 'verifies qtl ssc3', 'data hybridized mrna', 'acop rapidly', 'tfs highly expressed', 'change physiological behavioral', 'source variation', 'assisted selection reduce', 'quality carcass composition', 'fatness 1750 cattle', '984 bull', 'affect bf imf', '312a 446g respectively', 'cell proliferation cell', 'obtained 752 laying', 'study provide confidence', 'use antimicrobial poultry', 'model comprehensive', 'similar association individual', 'ratio fcr specie', 'derived 660k', 'finding using illumina', 'seven microchromosomes uncovered', 'content soxhlet petroleum', 'gene centering', 'mstn 435', '33 candidate', 'involved development maintenance', 'region tnf polymorphism', 'technology le', '24 addition 11', 'quality control 613', 'ascertain snp causal', 'point inner', 'subset 336 animal', 'yield 028', 'rbc difference', 'laying record', 'background simultaneous detection', 'genetic selection chicken', 'purebred major', 'increase beef', 'holstein bull dairy', 'applied extended', 'conventional breeding', 'cow population', 'clear study designed', '40 35 significant', 'periweaning failure', 'preventative treatment', 'tenderness population studied', 'trait providing supporting', 'gwas modeling', 'work aimed refine', 'entire backyard', 'chinese taihu sow', 'bp indel genotyped', 'nuclear receptor', 'additionally combined', 'affecting egg production', 'different set gene', 'decisive determinant', 'haplotype csnps', '07 heterozygote', 'polymorphism regulatory region', 'causality commercialized', 'snp marker associate', 'study investigate porcine', 'weight 70 150', 'bp including complete', 'major quality attribute', 'identified linear', 'technique based', 'bw cattle small', 'distinct novel qtls', 'enables development genetic', 'genome wide gene', 'level word', 'specie accumulate', 'mutation exon 20', 'qtl performed', 'deepen understanding biology', 'spp1 gene association', 'cow lower', 'produced milk', 'incomplete exposure mastitis', 'spatial temporal stage', '1365 animal', 'coding snvs csnvs', 'nematode resistance scottish', 'negative correlation', 'pleiotropic effect presence', 'population new', 'used derive', 'calculate additive dominant', 'pig dumi significant', 'result total 33', 'strength sex', '100 randomly', 'qtl suggested', 'disease caused moraxellabovis', 'chromosome sire 2357', 'oar3 reported previous', 'pig detected genomic', 'family individual snp', 'length 15', 'increased 50 genetic', 'old used estimate', 'thickness result', 'fitting polygenic effect', 'boundary qtlrs', 'lt minolta', 'study lda', 'abomasal lymph node', 'fv breed total', 'mammal thyroid', 'genotyped animal ssgwas', 'total 698 animal', '24 particularly', 'verified 30', '21 genome', 'significantly higher number', 'search snp mapping', 'dpp6 dipeptidyl', 'investigated association fabp4', 'mapping reason', 'polymorphism snp 43', 'approximately 400', 'waist fat', 'multipoint zmeans', 'direction allele', 'ca based', 'breast cancer', 'model produced', 'internal organ beneficial', 'higher 05', 'near microsatellite sw1953', 'wise level allele', '13 interval', 'chromosome 17', 'feather pecker', 'ld distance', 'report pfts south', 'chromosome region previously', '83 wdr83 overlapping', 'gga1 351 353', 'gene family vertebral', 'livestock industry aim', 'mainly related', 'breed highest log10', 'feed intake pietrain', 'ham pig', 'cnvruler software', 'approximately 900', 'identified 12 lei0079', 'map cow accurate', 'map fecal culture', 'bone fracture laying', 'key regulator', 'grade hanwoo statistical', 'term onset', 'association polymorphism localized', 'possibly linked', 'sequence gene assigned', 'ct tt', 'host parasite', 'new genome wise', 'significant bonferroni threshold', 'f41 total', 'gene regulate anti', 'model presented', 'cm 22 72', '532 bta mir', 'conducted comprehensive', 'beadchip 24 47', 'ensembl porcine', 'follows highly', 'measurement polish', 'transcript abundance measured', 'snp50 beadchip', 'assisted selection previously', 'young pig', 'promoter angus charolais', 'loin meat yield', 'ntn1 consistent ntn1', 'data fecal', 'approach used predict', 'ucr2 pde4b2', 'chicken h5h5 diplotype', 'variation ttn ltn', 'inducible form', 'overall leg action', 'demonstrate approach', 'resulted validation qtl', 'rs43032684 significant', 'production somatic cell', 'smaller additive', 'gene identified bta13', 'significant trait', 'investigated stage', 'subsequently genome', 'cm instron', 'vaccine evaluated', 'cytochrome p450 cyp2', 'female respectively', 'indirect selection', 'level 20', '15 17 19', 'different autosome', '107 cnvrs', 'concentration mineral protein', 'wide significance chromosome', 'likewise showed', 'relationship calpain meat', 'platform detect candidate', 'applied chromosomal', '16 study', 'strength defined', 'tertiary structure forecasting', 'region lalba gene', 'eca2 15 filly', 'performed declare snp', 'aforementioned snp', 'qtls shank', 'hindquarter joint', 'amplicons sequenced', 'candidate gene genetic', 'wild type effect', 'complement cascade involving', 'antibody igg1 igg2', 'possible verify segregation', 'revealed 42895 locus', 'affect mrna level', 'trait chromosome wide', 'ca homeostasis', 'base population', 'ny cattle', 'generation resulted', 'development thickness weight', 'adrenal gland', 'affected entire', 'background leg weakness', 'heritability cooking loss', 'maternal offspring trait', 'secondary potentially genetically', 'therapeutic prophylactic', 'ssc1 ssc9', 'keto reductase akr', '49 genetic', 'period chromosome', 'pig interesting', 'subtropical production environment', 'circumcincta paper reduced', 'marker genotype 172', 'detected 40 35', 'demonstrated polygenic', 'generated best sex', '100 kbp', 'characterized gene', 'performance trait chinese', 'parasitic nematode result', 'responsible qtls increase', 'f2 hen derived', 'recognized important cytokine', 'bird total body', 'family focused severely', 'mean high', 'selection variation breed', 'associated snp mapping', 'region gga15 identified', 'affect progression severity', '19 vertebra comparison', 'background porcine', 'pinpoint causative gene', 'qtl puberty onset', 'detected chromosome scan', 'varied 044 506', 'problem pig welfare', 'milk yield cumulative', 'microsatellite marker following', 'sequenced reveal polymorphism', 'association host', 'infection significantly', 'model various available', 'set overlapping', 'proposed method result', 'stature nordic', 'bmp responsive', 'breed support', 'dominance heterosis multiplicative', 'trait 76 genome', 'trait contrast remarkable', 'ow uterine length', 'process late feathering', 'association evidenced 58', 'organ bone integrity', 'role regulating cellular', 'pathogen challenge response', 'affecting seven growth', 'negative regulatory role', 'index thi class', 'strategy improvement trait', 'variety white', 'factor binding protein', 'investigated lep gene', 'shift assay designed', 'content indicator level', 'known involvement', 'sahiwal famous optimum', 'study revealed seven', 'effect polygenic', 'level abcg2 expression', 'effect lp', 'agent cause severe', 'chinese holstein cow', '05 e3 299', 'dna 510 adult', 'power high reduced', 'siblings performed genome', '17 utr 114', 'process gap', 'trait gwas 10', 'eye depigmented', 'analysis 216', 'kcnj3 bostauv1r417 bostauv1r419', 'allele qtl region', 'large white outbred', 'annotation subsequent gwas', 'increase power obtained', 'bta7 bta10 bta26', 'scan large scale', 'candidate gene presented', 'line association analysis', '20 reached', 'individual analyzed', 'pig melim strain', 'gene mastitis', 'sib dependent origin', 'value based best', 'kb apart', 'establish significant association', 'significant marker number', 'bred high low', 'sliding window analysis', 'significance lod 15', 'allele frequency removed', 'serum level human', 'f1 generation', 'highly contagious', 'snp defined', 'including retinol binding', 'weight 49', 'cow cohort selected', 'proportion 16', 'background advanced intercross', 'heritability help', 'provides strong evidence', 'proved cost effective', 'target recent selection', 'processing fate', 'white leghorn wildtype', 'previous discrepancy reported', 'trait bf', 'sample collected 404', '438 snp located', 'allele minor allele', 'pcv avpcv decline', 'weight body composition', 'cis regulatory polymorphism', 'genotype derive annotated', 'female fertility herd', 'mapped associated performance', 'approach based illumina', 'entropion domestic', 'selected response', 'state used develop', 'reported suggestive snp', 'breed altogether', 'genetic regulation 63', 'genotyped chromosomal', 'region involved cow', 'estimation effect', 'sire mixed', 'ere identified', 'milk causing high', 'suggesting breed', 'associated divergent', 'associated sc ft', 'locus synteny', 'chicken individual', 'result beneficial', 'acid qtl detected', 'swine marked difference', 'order adjust horse', 'specie semi quantitative', 'informative rfi', 'rs43101486 located', 'gene primarily', 'pla2g10 rrn3 asap1', 'intron haplotype', 'loin toughness female', 'study 820 commercial', 'hypothalamus data suggests', 'marker association tested', 'hypothesis region', 'cattle high', '413 293', 'detected greater', 'result total 26', 'locus linkage', 'recent study identified', 'association cw height', 'sire 486 hanwoo', 'equine researcher generation', 'resource population discrepancy', '051 566 057', 'facial marking', 'waist fat thickness', 'active form', 'infection growing', 'explored using', 'brahman influence', 'prkag3 associated', 'protein 117', 'routine milk progesterone', 'tool identification', 'bovine fbxo32', 'transcription factor responsible', 'segregating leg muscle', 'finally influence', 'gene required normal', 'markedly decreased 05', 'examination using dual', 'fertility significantly', 'value sire', 'broiler employed high', 'cytokine response sixteen', 'association analysis 216', 'including additive', 'close proximity', 'affymetrix snp array', 'alpha 144', 'ranged genetic', 'basis sliding window', 'different commercial population', 'pou1f1 ghr', '13 month age', 'bayesian model bayes', '24 cu 90', 'result support possibility', 'rs14491030 causing', 'study determine chromosomal', 'suggest functional hypothesis', 'population used refine', 'variance td', 'potential imf', 'new candidate', 'program low abdominal', 'variant located', 'carry genome qtl', 'dominance variance ii', 'indication 442', 'taint genome wide', 'detected qtl used', 'tropical country mainly', 'qtl allelic effect', '20 001 qtls', '10 position differs', 'nineteen genomic region', 'expression acsm5 acss2', 'result experiment compared', 'smaller phenotypic', 'cattle population long', 'underpin development gene', '40 qtl', 'pig crucial', 'objective study association', 'major causal', 'contains missense mutation', '22 antral follicle', '019 bf', 'rib rib', 'identified potentially important', 'peak height electropherograms', 'protein mammal', 'region mmp2', 'infection ovlv infects', 'identified qtl successfully', 'gwas estimated', 'map causal variant', 'pietrain sired', 'novel snp marker', 'validated qtl located', 'marker incorporated', 'sheep behavioral', '68 growth', '79 greater', 'obesity associated', 'feathering phenotype result', 'lower individual', 'porcine muc13 gene', 'snp 60k beadchip', 'female genome wide', 'lpl considered', 'transducer activator', 'new qtl allelic', 'whipworm suis particularly', 'substitution effect 86', 'oviposition egg weight', 'subfamily hydroxysteroid dehydrogenases', 'method relationship matrix', 'state knowledge', 'breed provides', 'use marker assisted', '707 female', 'associated snp used', 'suggest data', '2b2 man2b2 qtl', 'allowed map locus', 'angus panel', 'detected 72 mb', 'marker associated pig', 'new melanoma', 'feeding reduced', 'alteration contour', 'content ssc15', 'explained significant region', 'status performed', 'numerous snp', 'bilateral symmetry minor', 'breed luxi luxi', 'genotypic association contrast', 'growth 54 family', '31 chromosome leaving', 'case allele', 'animal immunoglobulin', 'cervical vertebra cl1', 'polymorphism erythrocyte antigen', 'fertility nws population', 'individual ewe', 'animal model fitted', '36 respectively phenotypic', 'obtained illumina', 'yeast pdr5 protein', '447a snp', 'evidence correlation', 'rump length breed', 'seasonality chose', 'similar subcutaneous', 'designated cd46', 'development promoter analysis', 'analyzed square method', 'variation region porcine', 'disequilibrium ld compared', 'fl utt', 'nudt7 japanese', 'program identify', 'architecture weight bft', 'basic information', 'hanwoo beef korean', 'largest proportion heritability', 'breed maintained', 'analysis previously reported', 'n229h altering', 'family inhibitor diverse', 'fatness region', 'fragmentation index mfi', 'critical significant threshold', 'broiler allele', 'predicted result amino', 'caused alteration', 'ghr prlr located', '28 23', 'ltn right', 'qtl association analysis', 'significantly seven', 'confirmation experiment 10', 'genotype 05 ex', 'defect cattle', 'protein responds thyroid', '31 sib family', '12q13 14 affected', 'distal gga5 af', '1661 amino', 'genomic prediction multiple', 'percentage tsp result', 'associated positional candidate', 'involved steroidogenesis regulated', 'globally snp', 'importance dairy sector', 'length scapula ulna', 'obesity npc2', 'analysis la combined', 'block mainly', 'new significant effect', 'effect assessed', 'marginal epistatic additive', 'related protein turnover', 'measured adhesion second', 'studied population consisted', 'associated genetic variant', 'sapinière inra experimental', 'ssc8 region', 'map genomic', 'especially regarding direct', 'known myostatin ovine', 'gga2 dl', 'result effectively narrowed', 'using inter strain', 'allele showed significantly', 'footrot available', 'qtl mapping identical', 'dienoyl coa', 'dfiadj result', '96 baluchi sheep', 'scrapie resistant', 'harbor 13 highly', 'maximum compression', 'pietrain pi population', 'detected sire using', 'cm 001', 'screened 284 white', 'sheep breed world', '05 reporter', 'autosome bta peak', 'component model', 'study define qtl', 'trait grouped', 'male polled female', 'information illumina bovine', 'lamb result', 'mapping suggests nonsynonymous', 'analyzed chromosomal segment', 'dl gga1', 'level snp rs419096188', 'aldh7a1 apoa2', 'significantly associated fcr', 'associated 10 rfi', 'cm family sire', 'fescue used', 'located distal', 'ssc15 ejaculation', 'sib family', 'licensed vaccine', 'level available', 'successfully map', 'qtls genetic', 'wood model', 'morphology sex controlled', 'breeding purpose study', 'transition predicted alter', 'galgal6 highly', 'gly69arg 1138', 'afe phenotypic', 'rflp polymorphism linked', 'investigated genetic regulation', 'slightly higher number', 'cattle immunised', 'megabase pair', 'oc fetlock fm', 'qtl mapping qtl', 'bone strength laying', 'total litter birth', 'intake rfi measured', 'showed tentative', 'design hatching', 'stage suggestive', 'addition verification specific', 'mechanism fatty', 'association high negative', 'close bmp15 gene', 'close progesterone', 'lg cross total', 'pool sequencing including', 'sample transcriptome', 'estimated loss 100', 'infected cow elisa', 'slaughter animal data', 'subject genotyped single', 'allelic expression', 'fat growth test', 'variation cv ifc', 'included regression', 'multipoint variance', 'gave accuracy', '0011 0001', 'subject genotyped', 'protein yield qtl', 'generate high density', 'antibody mapped', 'interval acsl1 necessary', 'regression 1536 snp', 'ancestor used identify', 'nineteen chromosome contained', 'trajectory ranged', 'analyzed classical', 'experimental design using', 'value gebv', 'despite selection', 'assay phenotypic genotypic', 'affect porcine', 'result significant qtl', 'selection milk yield', 'analysis modified', 'gwas selection', 'effect mixture', 'adjustment multiple testing', 'reported result improve', '18 month age', 'result suggest variant', 'method 63', 'model model investigated', 'reported ensembl', 'genetic marker interval', 'post infection dpi', 'disease like', 'feed account', 'showed greater', '05 influence', 'selection approach', 'chloride channel activity', 'genotype 5678784a', 'analysed association reproduction', 'broiler layer chicken', '200 locus', 'cross showed snp', 'explaining phenotypic variance', 'larger population prior', 'placenta harbored', 'examined variant gene', 'connected recently identified', 'random effect mixture', 'significant linkage 26', '05 bf ld', '83 egg', 'breeding organization', 'conclusion able map', 'correspond previously reported', 'gene reported beneficial', 'polymorphism studied', 'relevant genetic mechanism', 'distinct conformation', 'ssc15 39 cm', 'unrelated phenotypic trait', 'microsatellite marker evaluate', 'metabolism dairy', 'based snp window', 'greater transcript level', 'result established', 'using step mixed', '17122a intron', 'used improve hcr', 'gga1 lei0079', 'boar population undergone', 'weaning later', 'ewe bred ram', 'fitted additive', 'test implemented following', '58 mb region', '98 cm result', 'protein percentage breeding', 'chicken day', 'iia gene', 'using genotype', 'validated marker predict', 'detected 272', 'diameter shd fasting', 'gene fto', 'response prrs virus', 'development energy', 'porcinesnp60k beadchip linear', 'conducted interval', 'evaluate effect marker', 'family genetically', 'identified specifically', 'intron mutation position', 'genetic mechanism underlie', 'predicted alter', 'genotyped 15', 'literature mining', 'effect protein percentage', 'generation muscle', 'pi marker tested', 'qtl affecting nsb', 'pathway underlying', 'pallister hall', '759 snp retained', 'difference heterozygote class', 'associated higher adg', 'multi trait method', '31 annotated bovine', 'especially subgroup', 'inbred light', 'gene snp combination', 'form sequence deposited', 'responsible pig', 'substitution dominance', 'docosapentaenoic acid arachidonic', 'dataset improved identification', 'html http', 'allocated half', 'skeletal investment mediated', 'association study knuckle', 'light significance', 'study norwegian', 'analyzed quantitative trait', 'abhd5 associated production', 'fiber density 05', 'explain 40', 'snp exhibited', 'developed alternative qtl', 'impaired fertility', 'improve healthiness', 'friesian dairy cattle', 'variant showed 46544883a', 'effect prolificacy', 'mapping total 85', 'new therapeutic target', 'significance qtl shown', 'locus erhualian', 'possible bta13', 'increase artificial insemination', 'result molecular', 'weight measured animal', 'observed sire dam', 'heat tolerance', 'individual assessed animal', 'phu false discovery', 'evaluation sire', 'located ssc1', 'opn gene spp1', 'limited relationship', 'marker observed asian', 'gene considered affect', 'oar consistent report', 'greater predicted', 'lamb recorded pleurisy', 'identify ketone body', 'ubr2 rpl7 smc2', 'exceed threshold', 'chicken located known', 'nominal level 650', 'qtl bovine', 'rate pubertal', 'stallion 19', '188 informative high', 'weight gain 48', 'nutritional healthfulness value', 'snp identified associated', 'individual purpose map', '74 cm 25', 'analysis 172', 'fertility potential', 'measure identification', 'nanyang xianan agreement', 'qtl likely', 'oar18 qtl texel', 'selection bmts mqts', 'total 617', 'accounted nearly 39', 'influencing hb', 'functionally linked milk', 'comb reflects', 'gh1 showed', 'measure color marbling', 'texel single qtl', 'bta showing', 'beef marbling score', 'mutation associated parameter', 'variant missing homozygous', 'arginine vasopressin receptor', 'involving nme7', 'variation immune related', 'half sibling', 'population set twinning', 'mixed breed', 'nominal value', 'imf analysis', 'mutation snp', 'abo vav2 cacna1s', 'background lma', 'criollo derived breed', 'fecxl fecxo', 'synonymous substitution', 'polymorphism intronic region', 'performed identify locus', 'density lactate', 'inter intramuscular fat', '131 daughter produced', 'observed dgkb bos', 'milk effect', 'empirical 006 sytl3', 'italian duroc comparing', 'cytoplasmic polyadenylation element', 'ew eggshell weight', 'layer bird thirty', 'allele frequency 205g', 'expression dlk1 maternal', 'study used charolais', 'fat yield aim', 'result public database', 'result experiment carried', 'thermotolerance tharparkar indigenous', 'polymorphism appropriate approach', 'ranking snp selected', 'representing 866', 'using high depth', '190 half sib', 'order reveal', '05 nn 05', 'contrast analysis', 'qtl region harboring', 'allele 38 genotype', 'detected genome region', 'snp use gwas', 'defect practice marchigiana', 'factor relevant', 'cow genotyped 50k', 'cattle management', 'cow based previous', 'indicator trait meat', 'erhualian cross', 'putative qtl different', 'refine qtl support', 'muscle function', 'wide linkage study', 'useful information understand', 'distance sw2456', 'economically important selection', 'fecbb fecxb fecxg', 'aujeszky disease', 'study combine', 'mutation larger', 'adam12 ache', 'correlated mrna', 'polymorphism meat quality', 'trait serum lipid', 'using 994', 'bta 82', 'epistasis analysis complex', 'pig chromosome white', 'meat trait identified', 'clue unravel', 'massarray matrix assisted', 'statistically significant lower', 'variance explained certain', 'productive herd', '10 39', '1400 cnvrs', 'affecting porcine', 'association prp', 'suggestive linkage', 'genotype rs13687128', 'obtained milk production', '19 38', 'chromosome analysed', 'coding region', 'trait reciprocal', 'relevant colour', 'yearling height cow', 'association 66 single', 'metabolic weight mmwt', 'effect loin eye', 'horse consisting 14', 'size larger 100', 'data primiparous', 'additional marker chosen', 'figf strongly', 'cow gwas', 'approach identified tmem154', 'capacity meat affecting', 'herd life interval', 'service 497 heifer', 'determine total', 'age en300 egg', 'evaluated result', 'lm cross sectional', 'pathogen mean', 'region chromosome putative', 'marker used npl', 'allele 51 48', 'uncovered additional', 'involved relationship', 'increase weight', 'h6h6 showed', 'binding site pref', 'analysis linear model', 'gwas performed trait', 'experiment showed', '17 suggestive', 'compound identified', 'mapping used analyze', 'deleted type cnv', 'pit strongly', 'stearic oleic acid', 'trait region included', 'ratio test categorical', 'immune defence slc22a4', 'overlapped previously', 'potential utilization', 'gene tnb enox1', '45 min semimembranosus', 'effect animal', 'sheep south western', 'snp consisting 301a', 'membrane organization formation', 'dairy cattle model', 'gwa analysis gwa', 'qingyu pig breed', 'receptor gene il8ra', 'snp g4533815a g4533675c', 'gene late feathering', 'ham redness', 'induced obesity', 'mammalian cell', 'standard 50k chip', 'conclusion locus useful', 'mm 29', 'location conclusion using', 'white lw', 'bird slaughtered wk', 'diarrhoea risk', 'selective genotyping combination', 'trait second', '247 79', 'ranged 06', 'daughter tested', 'growth metabolism', 'chromosome closely', '305 291', '16 20 mb', 'protein percentage', 'mirnas including', 'length variation require', 'cattle pcr rflp', 'position causal', 'texel sheep characterized', 'using sample 1534', 'breed high productivity', 'increase fine mapping', 'including 50k', 'qtl identified tg', 'population achieved detection', 'production twinning', 'importance epistatic', 'blood reflects', 'expression mature gga', 'direction screening', 'pleiotropic aa', 'impute 192', 'locus segregating iberian', 'phenotype relating', 'neonatal young', 'relate tender', 'associated teat count', 'landrace hampshire intercross', 'biological pathway identified', 'different previous', 'commonly observed', 'background total', 'cattle detect quantitative', 'snp identified trait', 'reflects cow', 'growth fat accretion', 'variation meishan cross', 'used increasing', 'service 712', 'chicken subsequently 14', 'locus qtls provide', 'risk locus eca', 'architecture internal', '238 individual 15', 'trait useful improve', 'weight bcs', 'added genotyped 110', 'dmi phase association', 'trait 18 significant', 'size rln coincident', 'island association analysis', 'role gene identified', 'pca admixture', 'weight bmw percentage', 'ngs 118998', '404 chinese holstein', '1883 animal phenotyped', 'cattle population examined', '16 031', 'positional candidate', 'genotype significant effect', 'suggest snp51_bta 119876', 'evaluate association snp', 'gene qtl affecting', 'human locus pointing', 'determined day', 'threonine protein', 'derive large', 'protein ucp3', 'gga5 gga23', 'group used qtl', 'pcr sscp analysis', 'addition strong', 'aa vaccinating attenuated', 'potentially promotes', 'complex environmental factor', 'detected mbp', 'polygenic environment improved', 'fillet yield fy', 'apolipoprotein apob synthesized', 'exhibit lower', 'phenotype 486 steer', 'pig genome wide', 'preliminary foundation identifying', 'chromosome wb shear', 'conventional reproduction generated', 'differentially expressed brain', 'difference line following', 'ratio substitution 3096c', 'showed highest effect', 'desaturase gene scd1', 'characterize important gene', 'chronic mastitis', 'elovl6 relative expression', 'analysis haeiii', 'mitochondrial pathway transporter', 'power detection quantitative', 'chromosome informative polymorphism', 'rate post mortem', 'haplotype spanned', 'chromosome ssc 15', 'autochthonous tunisian', 'gli family zinc', 'presented result', 'probability genome traditional', 'detected bta 15', 'qtl fcr ssc2', 'compared dj gwas', 'functionally associated', 'significant snp pathway', 'common female', 'region affecting clinical', 'st6galnac3 st6galnac5', 'strong linear correlation', 'flock genotyped single', 'high proportion unsaturated', 'peak defined maximum', 'post stress level', 'light molecular', 'estimated parity experiment', 'prolific sire', 'located mapping', 'characteristic possible', 'previously reported chromosome', 'investigated joints', 'plin5 located', 'effective mean identifying', 'fatty acid trait', 'iberian landrace', '20 cm rm006', 'ip alkaline phosphatase', 'model m3 qtl', 'affected genotype calf', 'allele recessive', 'growth risk', 'run using', '25 affected pp', '28 gene', 'digital photo', 'calcium metabolism', 'ability genomic', 'carcass fatness anatomy', 'gene 5k', 'metabolic trait genome', 'detected genome scan', 'set cft', 'molecular genetics refining', 'algorithm help', 'acceptor site', 'result current study', 'enzyme cellular', 'catecholamine indicates information', 'identified associated difference', 'uncovering genetic', 'rate 23', 'qtls suggestive', 'qtl improved ldla', 'infection main', 'efficient mixed model', 'develops utero week', 'lp2 lp3', 'family pa', 'family 657 daughter', 'deregressed breeding', 'iselect chip', 'approach used estimate', 'sample size necessary', '11 variant', 'hoxa11 bmp2', 'covariate selection', 'improve herd life', 'mutation 91c', 'parent experimental', 'provide potential', 'porcine skip intron', 'mitogen activated', 'sharing data', 'ssc6 84 cm', 'vector heartwater disease', 'composite cross', 'ssc2q lead', 'prop1 10', 'window common', 'missense decr1', 'lipoprotein low density', 'dst mocs1 lrfn2', 'ebv ph hour', 'weight trimmed ham', 'factor common form', '051 815 34', 'mutation dgat1 ghr', 'vaccine respectively', 'affect teat count', '222 645 investigated', 'strategically added', 'higher feed', 'altered antibody response', 'hpai survival', 'chromosome wide significance', 'selection chinese', 'crossbred sheep', 'f1 lamb', 'consumer acceptance subject', 'genomic region promising', 'simmental 20', 'abhd5 associated', 'analysis variety snp', 'piglet castrated shortly', 'time dq', 'analyzed seven', 'performed cis trans', 'moderately correlated', '05 study', '671 marker binary', 'site 29 snp', 'reduce confidence', 'mir 1596 candidate', 'region number novel', 'similar pattern', 'experiment promising region', 'substitution effect brahman', 'sequencing method', 'stillbirth problem use', 'used data animal', 'standard deviation given', 'experiment showed serum', 'phosphatase skip', 'effect adaptability', 'unravel genetic mechanism', 'conformation polymorphism amplicons', 'identification new significant', 'model pleiotropic qtl', 'matched herd', 'polymorphism significant association', 'chromosome 27 bootstrap', 'weight line', 'lp given gain', 'model cause reduction', 'resistance ipnv case', 'growth identified', 'value set model', 'feedlot cattle', '16 27 chromosome', 'resistance genome wide', 'family region explains', '81 cm 18', 'cell score lascs', 'autosome 18 bta18', 'enhance sustainability study', 'line comparisonwise', 'located immediately', 'tackle issue multiple', 'weaning grazing challenge', 'mutation disease associated', 'holstein breed', 'qtls likely tissue', 'cow suggest', 'origin effect identified', 'effect quantitative', '50 genomic', 'leg lifr ph', '95 highest', 'variant promoter demonstrated', 'suggest genome', 'chromosomal region analyzed', 'prediction equation coefficient', 'ranged 36 61', 'yw qtl', 'component btb', 'array genomic', 'allele production trait', 'iif polypeptide', 'chinese meishan european', 'nellore steer', 'study nba tnb', 'marker locus', 'vertebral number meat', '282 individual', 'high growth wl77', 'polymorphism horn type', 'cross work attempted', 'distinct phenotypic trait', 'need study', 'pregnancy rate pr', 'infectious bovine', 'population order identify', 'boar reproduction performance', 'ratio identified significance', 'sc parameter used', 'situation deterministic ibd', 'suggest polymorphism major', 'throughput sequencing', 'genotyping result', 'tissue mass', 'interval investigated', 'base change', 'important reproductive', 'information paternal', 'analysis haplotype based', 'resource population qtls', 'addition association', 'csnps bovine body', 'result qtl localisation', 'trait average', 'clinical model', 'map good', 'selection molecular', 'variance previously known', 'total 39', 'production genetically modified', 'naturally parasitized', 'using traditional maximum', 'value conclusion involvement', 'dq124298 344a genotyped', 'considered novel', 'stimulates reproductive hormone', 'litter genetic variance', 'using gensel software', 'tirap ets1 kirrel3', 'rna evidence showed', 'gene lipoprotein receptor', 'iloperidone treatment', 'f₂ population objective', 'qtl nn 10', 'clearly indicate', 'measured different', 'contrast human mc4r', 'cloned single', '89 06', 'ldha lactate', 'different fimbria type', 'relationship taken account', 'flanking 122cm', 'mcp cft', 'csn3 qtl segregating', 'pool applied illumina', 'gene enrichment performed', '15 snp marker', 'elisa tests genotyping', 'oxidation anaerobic', 'sa version used', 'revealed functional', '11 snp seven', 'overtransmission infanticidal', 'trait gwas conducted', 'beef steer', 'highly inbred', 'homozygous rjf', 'lifr edn3', 'impact livestock', 'fecx 02', 'sheep investigate genomic', 'uncorrected 19', 'breed lean type', 'tick primary objective', 'acid fatty', 'obtained heifer', 'promoter region mmp2', 'related intelligence', 'power instance trait', 'studied ascertain possible', 'aimed identify single', 'rna molecule act', 'daughter wild type', 'large previously', 'marker development low', 'shank length shl', 'respective position 42', 'trait compared homozygote', 'revealed boar taint', 'element close', 'ca single', 'difference gene expression', 'addition dna', 'conduct genome wide', 'breeding scheme different', 'block defined snp', 'gwas provide powerful', 'apart ghr gene', 'impute snp', 'fleckvieh fv breed', 'report sheep', 'phenotype genomic region', 'evolutional constraint', 'parental line', 'kb interval containing', 'signalling gene involved', 'gwas approach', '18 20 data', 'fi1 rfi', 'animal 12th', 'exploiting population', 'study map qtl', 'complaint including heart', 'used aseasonal', 'wssgwas used', 'lactose percentage total', 'narrowed region nh', 'oleic 10 polyunsaturated', 'location qtl region', 'improvement meat quality', 'allele imf content', '17 sib family', 'livestock recently toll', 'susceptibility scrapie sheep', 'response se', 'qtl eca15', 'fragment candidate gene', 'infection represent', 'function chicken knowledge', 'lead identification genetic', 'pair cluster similar', 'foundation population', 'enhance understanding', 'using panel', 'week age 22', 'close function related', 'trait literature', 'using statistical model', 'thoroughbred tb previously', 'haplotype allele', 'trait danish', 'previously reported affecting', 'qtls sharply', 'snp data set', 'fertility health', 'qtls component', 'identify common variant', 'rs43101486 located upstream', 'locus 27 trait', 'chromosome qtl 11', 'conclusion initial qtl', 'selected snp estimating', 'similarly haplotype derived', 'structuring study', 'gene approach study', 'gene encoding alpha', 'trim29 ehmt2', 'allow powerful', 'heifer genotype bovinesnp50', '05 whilst qtl', 'quality control experimental', 'ultimately reducing economic', 'respectively important region', 'swine revealed number', 'completely pigmented', 'trait locus used', 'trace genetic', 'fever vaccine adjusting', 'include development dna', 'assigned snp', 'mainly additive', 'laiwu erhualian', 'region including', 'variant associated milk', '06 53', 'biology underpinning', 'harbored 129', 'analysis suggests', 'fat region replicated', 'syntenic human 12q21', 'gene lead phenotypic', 'allele frequency accuracy', 'perinatal mortality detected', 'evaluation united state', 'selection focused', 'sow reproductive', 'close function', 'dimension trait bw', 'weight lesser', 'gpc6 present', 'detected simple 305', 'tightly connected energy', 'meat animal research', 'chicken chromosome including', 'interacted nerve', 'breakpoint present', 'gene regarding prolificacy', 'behavioural developmental trait', 'specific discrepancy allele', 'confirmed chromosome', 'level effect gene', 'sw839 sequencing experiment', 'duroc breed association', 'uterine capacity uc', 'faecal tissue map', 'study demonstrated potential', 'category include modifier', 'rs13997811 significant effect', 'transcript abundance detected', 'relative mrna expression', 'c7h19orf60 mrpl48', 'qtl detection potential', 'aa genotype animal', '70 85', 'age respectively', 'dominant recessive', 'polymorphism potentially strong', 'effective vaccination therapeutic', 'promising gene underlying', 'used total 106', 'pph pch pwh', 'retn 1473g 84', 'italian simmental cattle', 'reached weight', 'copy number variation', 'correlation concentration', 'resulted confirmation', 'located exon fabp4', 'presence l1', 'polymorphism resulting amino', 'scurs persist', 'date indicated', 'study association snp', 'obtained post mortem', 'total 512', 'analysis carried', 'white 142 div', 'distant cattle', '40 substitution', 'locate mb lead', 'rock using', 'age largest', 'ability maintain proliferative', 'physiologic response', 'time association reported', 'swiss breed database', 'coding region intronic', 'sc ft', 'make extremely good', '05 bft cwt', 'step identification', 'percentage afp shank', 'evolution genetic variation', 'provides list significant', 'number sample 240', 'consistent negative', 'strategy conclusion milk', 'thyroxine binding globulin', 'genetic basis pork', 'kasp genotyping assay', 'used genotyping snp', '24 25 affected', 'approach used analyze', 'brown swiss cattle', 'disease livestock', 'negative staphylococci staphylococcus', 'gene motility', 'interleukin 15 il', 'fabp revealed gene', 'complexity counting', 'differed significantly 001', 'breed moving', 'coding region genome', 'potential snp qtl', 'independent analysis omy16', 'instability knowledge genetic', 'locus qtl genome', 'different behaviour', '14 associated single', 'proximal candidate gene', '15 24 marker', 'diagnostic parameter essential', 'identified different variant', 'ssc14 encodes', 'breeding value illumina', '500 bp', 'routine data recording', 'mature weight', 'model analysis confirmed', 'increased carrier lamb', 'presence snp statistical', 'shared similarity genetic', 'variation mammalian', '67 marker genotyped', 'phospholipid metabolism inorganic', 'insertion reticuloendotheliosis', 'vicinity bms778', 'dh high', 'fatty acid degradation', 'association study multi', 'snp bta6 identified', 'subtypes af trait', 'ovine high density', 'lys232ala substitution acylcoa', 'p4 locus', 'lp data 796', 'pig testis improve', 'tolerance subsequent', 'relationship daughter', 'disequilibrium historical recombination', 'bta7 insr region', 'located ssc6 region', 'population neaurp cross', 'parasite load season', 'population protein mrna', 'significant association 88', 'case evidence', 'fat content tt', 'true causal', 'total 154 snp', 'corticosterone level effect', 'medullary bone', 'based calpain regulatory', 'associated variant mastitis', 'area ssc1', '17 bp', 'bone metabolism derived', 'breeding value production', 'prt 878', 'likely essential normal', 'similarly qtl', 'sire named tarantino', 'close proximity region', 'characterized based', 'consistent breed indicating', 'used determine', 'imf duroc', 'data transformed using', '79 addition', 'geographically distant', 'partially recessive study', 'gene gys1 encodes', 'irs4 posse', 'snp eca10', '40 16', 'identify candidate region', '127 412', 'bta19 ccl3 acaca', 'bull experimental cross', 'muscle lm', 'resulted significant difference', 'weight gain', 'responsible overall difference', 'prediction 91 bull', 'yield dry', 'approach characterization qtls', 'gene potentially involved', '0011 measured breed', 'gene association polymorphism', 'signalling haemostasis mucus', 'ssc1 seminiferous', 'infection confirmed result', '2571 polymorphism', 'chromosome seventeen qtls', 'resulted arginine', 'offspring diagnosed', 'qtl different measure', '12 76', 'sw2155 sw1856 chromosome', 'analysis combining breed', 'analysis revealed difference', 'white leghorn polish', 'nonparametric interval', 'bratzler shear force', 'difference rump angle', 'knowledge qtl', 'prdm16 control', '53 snp additive', 'marker located chromosome', 'largest effect reflectance', 'region associated clinical', 'faceted disease commonly', 'marker map fine', 'nominal detect snp', '10 generation increased', 'polymorphism candidate regulate', 'zero covariance', 'mir 204', '68 21 chromosome', 'allele traced whirlhill', 'respectively conclusion identified', 'segregating snp', 'pedigree difference body', 'chap associated', 'addition candidate gene', 'sire recorded cow', 'white boar meishan', 'length 05 423t', 'snp flanking sequence', 'ifc average', '56 682', 'phenotype allow', 'suggest pnpla3 gene', 'high quality chicken', 'count effect iga', 'association investigate genetic', 'model backward elimination', 'trait heredity study', 'human mouse conspicuously', 'deposition qtl', 'component contained 13', 'inheritance genome', 'high indexing pig', 'selection increase rate', 'bw alter expression', 'qtl associated increase', 'polymorphism investigated', 'mb consistently', 'government worldwide approach', 'suggest kdm5a', 'eca3 requires', 'porcine chromosome significant', 'description genomic region', 'yellow fat colour', 'cn state estimated', 'despite economic fatty', 'microsatellites chromosome marker', 'published cdna', 'udder health index', 'cnvrs 43 overlapped', 'protein transport', 'mb bta', 'causal cause identified', '05 furthermore', 'allowed map', 'dgat1 ghr respectively', 'affecting clinical', 'rate 90 day', 'production directly', 'ncccwa odd', 'carcass analysis', 'pool sequencing technology', 'locus eca3 affect', 'oar 22', 'presence multiple linked', 'identified qtlmap', 'weight analysis', 'gene bird', 'bp deletion open', 'pp spanish', 'pheromone previously', 'addition hotspot region', 'candidate gene wgcna', 'development improve selection', 'reduced growth position', 'salmonid specie continent', 'reported conclusion result', 'qtl detection performed', 'involved expression regulation', 'detection candidate', 'sire assigned', 'segregating meishan', 'uterus considered', 'explained 22 phenotypic', 'gene associated prkag3', 'mykiss aquaculture', 'function gene', 'various trait including', 'region lpin2', 'polymorphism closely linked', 'study kind', 'genotyped marker polymorphic', 'lt ph', 'mass femur length', '10 17 19', 'associated resistance suis', 'considered potential important', 'presence eqtl', 'trait used construct', 'disease related', '20 mb likely', 'influence number vertebra', 'pde4b cloned classified', 'identified unquestionably represent', 'liver protein', 'backcross pedigree test', 'genotyped 169 genetic', 'texture trait shear', 'igga ige level', '06 qtl loin', 'uncovered potential dqb1', 'occurred lowest', 'trait potentially useful', 'coa dehydrogenase ehhadh', 'relationship matrix gblup', 'exploiting selective genotyping', 'locus shown underlie', 'welfare little', 'class principal component', 'decreasing cbg affinity', 'region associated variety', 'marbling wbsf tenderness', 'regression closely', 'pdgfrb csf1r', 'cortisol 25', 'respectively grm1 pol', 'study procedure', 'confidence interval snp', '576c polymorphism', '21 microsatellite marker', 'meat scored', 'bivariate analysis', 'tenderness 18 20', 'difference anxa9 02', 'fat percentage lower', 'genotypic model near', 'qtl profile posse', 'line nil', 'genotype produce', '17 21 22', 'cow experience peak', 'ldl analysis', 'c18 1n c18', 'prkag3 substitution', 'wide significant genotype', 'overlapped earlier reported', '41 20147039c intronic', 'h1 h4', 'industry reciprocal', 'trait highly heritable', 'week respectively chicken', 'relationship trait association', 'period chromosome 20', 'resulting d7g', 'association maternal', 'domain 83', 'reproductive fertility', 'encoding bovine herpesvirus', 'leading difference observed', 'sheep total', 'thickness mutation affect', 'microsatellites bta5 297', 'region domestic sheep', 'isolation exposure', 'deposition reinforces role', 'kept artificial', 'suggestive qtl detected', 'calving size calf', 'kept 58 large', 'farrowed measurement taken', 'sequencing gb used', 'dd cow cc', 'linear analysis', 'carcass trait mainly', 'day paper report', 'bdnf nt ntrk2', 'explored candidate', 'information concerning contribution', 'genetic variance car', 'total 43', 'process fetal', 'power detecting qtn', 'association identified snp', 'duodenum ileum', 'quality pig meat', 'gpihbp1 mrna level', 'resource population built', 'conformation score half', 'lw animal nucleus', 'including qtl bta23', 'improved identification', 'promoter region 22g', 'ratio test statistic', 'ssc6 13', 'gluconeogenesis objective', 'pony study aimed', 'presenting large normal', 'identified region bovine', 'package offer advantage', 'kg 11', 'flanking region exon', 'combined genotype 05', 'developed genotype', 'milk aim', 'asp224asn mtnr1a gene', 'ssc6 meat', 'tool necessary', 'observer social separation', 'fat 86', 'chicken population genome', 'combining biological knowledge', 'accurate measure', 'useful increase efficiency', 'nba genotype significance', 'segregate position', 'hypocalcemia overall', 'significance newly', 'ppard ear tissue', 'detected major', 'revealed numerous snp', 'high density affymetrix', '2061 5043', 'bmd bone structure', 'physiological predisposition calving', 'region showed tissue', '11 c18 cis', 'rhm result', 'influence chicken', 'specie large economic', 'body weight using', 'trait 888', 'model mlm better', 'regulation protein', 'result suggest cebpa', 'mastitis genotype 17', 'marker tested association', 'count lr rg', 'lda single', 'cm steak', 'gene expression gluteus', 'f2 cross qtl', 'schleswig saxon thuringian', 'significant snp single', '100 muscle', 'width depth lumbar', 'linked ca homeostasis', 'reported human melanoma', 'synthesis polyamines cation', 'qtl contributing weight', 'expected trait directional', 'identify 21k transcribed', 'le susceptible mastitis', 'association dcd', 'final model study', '16 qtl detected', 'effect qtl sex', 'qtl influencing cla', '180 female ovulation', 'like protein ctnnal1', 'pi affected', 'pig confirmed', 'trait combine', 'african cattle phenotyped', 'kit close', '44 96', 'impact selective breeding', 'weight showed progressive', 'ca inorganic phosphorus', 'trait significant suggestive', 'equine navicular bone', 'indicated differing frequency', 'linked proactive coping', 'mapping regression technique', 'selection program potentially', 'total 19 suggestive', 'higher hot carcass', 'bursal disease ibdv', 'polymorphism associated fat', 'beneficial mapping', 'chromosome 130', 'tt transition', 'binary trait represent', 'panel porcine snp60', 'association result obtained', '21 077', 'arthritis cachexia sheep', 'snp tested breed', 'association study osteochondrosis', 'gene widely expressed', 'identified effect litter', 'aco2 pi4k2a', 'c16 content ratio', 'furthermore 40 genome', 'genome impact', 'segregating population', '10718g 10841g 10936g', 'heating cooking', 'effect qtl detected', 'using f2 cross', 'number phenotyped genotyped', 'egg weight region', 'conducted snp 1751a', 'population developed crossing', 'necessarily adult height', 'concern reducing saturated', 'oar18 qtl explored', 'sow continuous farrowing', '14 chinese erhualian', 'reaction revealed porcine', 'linkage disequilibrium r2', 'chick gene expressed', 'gene 61', 'conclusion confirmed presence', 'cell score locus', 'dgat1 gene significant', 'phenotyped serum lipid', 'potential marker improve', 'presence pseudoautosomal', 'subsequent founder generation', 'transcript revealed 897', 'unraveling key', '269 bp', 'relationship advance', '662 123', 'marbling score 400', 'concentration leptin', 'gene role identifying', 'level largest significant', '05 08', 'snp lep 1382c', 'gamete qtl test', '51 262 animal', '4mb bta29', 'significantly associated vrtn', 'genotyped 129 marker', 'analysed snp', 'locus qtl beef', 'region chromosome refined', 'gene region included', 'observed bta1 13', 'sire production', 'based nonparametric', 'dairy cow parturition', 'mycotoxicosis sheep caused', 'population using defined', 'desaturation stearic', 'managed autochthonous tunisian', 'tcf12 200', 'identified sign ptosis', 'lactation cow grouped', 'generation pedigree using', 'cholesterol chl', '04 0e', 'growth curve trajectory', 'fatness color ph', 'content duroc meat', 'innate fear behavior', 'investigate connection', 'gene cckbr significant', 'st6galnac5 ttll7 result', 'adipocyte size', 'locus identified approach', '6723ag genotype', 'expression meg3 pig', 'homozygote result provide', 'horse corroborated', 'locus model result', 'wise basis combined', 'stat1 chosen', 'ssc8 closely associated', 'calf detected association', 'capn1_rs81358667g casp3_rs319658214g shear', 'daughter result', 'lean ebv estimate', 'bmy population', 'endoparasitic infection scottish', 'grain 180 day', 'level 01 05', 'separately f2', 'ablating polyadenylation signal', 'potential polymorphism', 'pathway implicated measured', 'slc22a18 gene ssc2', '44 snp located', 'breeding improved shell', 'cattle provided', 'adrenal cortex stimulation', 'published pig aim', 'sd associated', 'model showed significant', 'brazilian sheep', '27 13 significant', 'phenotypic trait result', 'horned animal condition', 'drip loss dl', 'model feed', 'expression quantitative', 'glycogen residual', 'ascites incidence', 'demonstrated allele snp', 'artificial selection availability', 'control 64800 snp', 'crest trait identified', 'grouped represent', '24 genome wide', 'moisture content ph', 'response observed', 'percentage sc bb', 'snp chosen', 'steer ranged 44', 'validating improving catfish', 'population objective study', 'crispr cas9', 'using gb', 'red nr', 'lamb pedigree ranked', 'proximity mapped', 'better cope infection', 'mir1 mir206', 'kg fixed', '15 microsatellite', 'major qtl fa', 'rao case', 'tightly linked marker', 'approach principal', 'dissection backcross', 'trait investigated obtained', 'subjected long', 'using general', 'equal different allele', 'transported glycosylphosphatidylinositol anchored', 'a59v associated', 'iia iib fiber', 'high 18', 'architecture fitness', 'mapped model parameter', 'cattle large', 'total chromosome wise', 'minor haplotype', 'maintaining ph', 'performed detect genomic', 'sharp likelihood peak', 'goodness fit', 'whc regardless', 'analysis using mixed', 'iib ssc2 ra', 'f2 offspring inoculated', 'coding tight junction', 'candidate nucleotide', 'impact long', 'bw wk', 'using elisa', 'fat chicken line', 'thymocyte selection associated', 'meat quality potential', 'value twinning estimated', 'number analysis', 'focused quantitative trait', 'population confirm association', 'parity total 41', 'specific locus showing', 'genome involved', 'level late lactation', 'significance understanding', 'mfi genotype aa', '001 chi2 108', '2007 previous', 'change navicular', 'study date', 'trappc9 arhgap39 novel', 'endonuclease silico analysis', 'candidate gene far', 'outbred founder line', 'significant conclusion drawn', 'test 05', 'qtl associated qtl', 'ssc2 study carried', 'member functionally plausible', 'gonadotrophin releasing hormone', 'pedigree naturally infected', '214 cow university', 'detected bms764 drd4', 'trout marker', 'ii detect', 'background western', 'genomic region reached', '10 363 animal', 'used impute', 'derived map consistent', 'coli coagulase negative', 'line fayoumi', 'small effect exception', 'background typical', 'factor signalling molecule', 'study knuckle', 'assigned ccr2 bta22q24', 'seven sire', 'ldlrad3 known associated', 'performance core', 'truly causative', 'specific gene locus', '42404a broiler trait', 'backcross sire', 'bm4621 csn3 qtl', 'cortisol receptor new', 'tenderness measured shear', 'cd region', 'population completion bovine', 'spp1 osteopontin multifaceted', '444g associated', 'involved including', 'radiographic examination comprised', 'determine pork', 'effect estimated 20', 'reported result study', 'member associated birth', 'stifle rayed twice', 'different fertility trait', 'homology yeast pdr5', 'pwh silesian hucul', 'junglefowl intercross standard', 'scc incidence', 'protein 12', 'mica romanov', 'ssc qtl explained', 'v293a gene', 'linked brd', 'nonsynonymous leptin', 'selection process', '284 unique', 'interestingly novel quantitative', '500 f2 female', 'report microsatellite', 'derivative free reml', 'pig chromosome 12', 'used alter', 'divergent backfat', 'indicating breed', 'proportional length', 'backcross individual subjected', 'acid composition goldengate', 'clear candidate gene', 'locus qtl localized', 'qtl trait studied', '62 nve 78', 'width breast', 'obesity associated gene', 'oc dissecans', 'affecting analyzed', 'assembly result qtl', 'marker associated ow', 'conformation fl structure', 'fat adg fcr', 'variation bone quality', 'regulated gene', 'snp rs29018921 chromosome', 'underlying pleiotropic relationship', 'gene afe', '12 genome wide', 'different set antigen', '01 produced', 'failure exploring time', 'adenoma gene neuropeptides', 'evidence overtransmission infanticidal', '31 32', 'cm yellowness ssc15', 'pair conclusion result', 'heritable arachidonic', 'bta located', 'genetics variation', 'parent experimental family', 'promoter region', 'sire 18', 'nonlinear model utilized', 'reproduction random environmental', 'reproduction trait play', 'size shape distinct', 'prrs growing', 'qtl heterozygosity estimate', 'nbea gene', 'genotyped matrix assisted', 'gene analysis quantitative', 'breed using 125', 'significant issue bovine', 'ear erectness major', 'owner based', 'linoleic conjugated', 'cnvs marker', 'position proximity', '23 genomic dna', 'result suggested atp5b', 'analysis effective genomic', 'domestication process relies', 'inactivity le exploratory', 'obese region homologous', 'data consisted large', 'sire baier', 'concern pig breeding', 'snp50 beadchip previous', 'study hanoverian', 'milk production related', 'snp corresponding', 'development smn1', 'associated calving difficulty', 'allele tended increase', 'important pathogen worldwide', 'trait pig chromosome', 'v30a dgat1', 'combining increase', 'association study pinpointing', 'fetlock fm', 'haplotypes presented clear', 'nucleotide polymorphism spp1c', 'structural protein included', 'antibody response major', 'canine result', 'signature experiment', 'polymorphism xk', 'qtls described production', 'leading comparable', 'phenotyped individual', 'possibly linked birth', 'genome assisted breeding', '50 protein level', 'il 12 level', 'restriction fragment', 'pathway likely', 'square test suggested', 'locus qtl sc', 'performance test', 'affected control variety', 'feather current', '47 897', 'confirm linkage reveal', 'chromosome gct0006', 'snp regression bayesian', 'gender age', 'sheep breed associated', 'chosen bovine chromosome', 'climate meat', 'disequilibrium ld genetic', 'step gwas', 'accuracy improved', 'centimorgan cm', 'majority 86 105', 'unrelated highly inbred', 'imprinted alternatively spliced', 'swine proportion', 'understood genome', 'rs134340637 rs41919992', 'successfully validated qpcr', 'dupi comparative', 'observed gene list', 'wur gbp1', 'location association', 'chromosome including marker', 'polymorphism identified located', 'percentage diameter different', '105 snp c18', 'muscle fiber effect', 'marker interval s0312', 'discovery rate 10', 'snp association', 'bovine cidec', 'power comprehensive coverage', 'ct ag ga', 'impact ex', 'volume mcv', 'performed using porcine', 'locus qtl cpd', 'physiology bone related', 'iroquois homeobox', 'characteristic livestock', 'determined using nimblegen', 'interactivity gene', 'imprinting effect closely', 'represented biological', 'gwas animal', 'measure fertility fertility', '01 total 15', '777 marker', 'association strength revealed', 'polymorphism appropriate', 'hexim1 sd htr5a', 'key factor quality', 'higher cd higher', '17 wg42 mb', 'proportion genetic variance', 'birth weight conclusion', 'data illumina equinesnp50', 'false positive qtl', 'gel shift assay', 'harbored cluster marker', '33 f0 70', 'issue multiple', 'metabolism regulating activity', 'phenotype advantageous qtl', 'cdna share 99', 'qtl ttn', 'genotyping panel', 'causative mutation resistance', 'qtl maternally', 'conducted charolais', 'different trait association', 'option gensel predict', 'followed homozygosity mapping', 'salmonella resistance production', 'susceptibility etec', 'quality allow', 'analysis carcass growth', 'sscx sixteen qtl', 'allelic effect modelled', 'analysis transcript', 'berkshire duroc', 'clinical disease alternative', 'fe accuracy', 'controlled chronological', 'higher using', '906 jiaxian', 'included lifetime average', 'genotyped 200 sire', 'slaughtered measurement', 'trait favourable', 'important livestock industry', 'significant role', 'cattle 01 72472', '169 e3 299', 'major enzyme involved', 'variant myostatin', 'breed dominated holstein', 'explained large proportion', 'fabp allele', 'important trait carcass', 'additive effect highly', 'consistent infection status', 'content day', 'sterility exhibited', 'measured 40 day', 'investigating potentially identify', 'genome level high', '200 genotype aa', 'breeding programme', 'chest girth nanyang', 'showed locus 91c', 'perturbed mdv recombinant', 'production respectively pattern', 'mac cac mfi', 'case confirmed', 'specie variation', 'functional study role', 'ssc4 ssc6', 'univariate analysis probability', 'distributed region', 'genotypic information', 'extent swine', 'cloning ipn resistance', 'world genetic mechanism', 'affected ph value', 'genome assisted', 'indicator sheep meat', 'resistant carrier', 'total 153', 'little known natural', 'lead amino', 'association dcd ch', 'qtl thoracic', 'locus method', 'bta significant snp', 'explore possibility increase', 'composition ssc12', 'obtained low coverage', 'yield trait locus', 'located previously', 'cla ruminant', 'female difficult expensive', 'program especially', 'dorset selected reduced', 'qtl1 15 cm', 'factor strong candidate', 'echs1 enoyl coa', 'gene milk trait', 'thirty additional qtl', 'influence dgat1', 'contributing dominance variation', 'muscularity sheep polymerase', 'bms483 mnb209', '16 snp', 'etec f41', 'infection 10 day', 'oar11 weight staple', 'result showed new', 'growth function chromosome', 'study quantitative', 'refining estimation', 'region pig scd', 'wattle size', 'validated independent cattle', '05 ct', 'dam line dam', 'variation micrornas', 'chromosome new mainly', 'obesity excess', 'quality higher quality', 'drenches control', 'sw1856 chromosome 13', 'thymus weight 61', 'development promoter', 'snp rs80983858', 'analysis performed qtl', 'used identify mutation', 'trait duroc', 'associated snp aligned', 'genotyping additional marker', 'low association signal', '44 100', 'confirmed use', 'pathway bta04810 enriched', 'vol related', 'closest gene strongly', 'model zc3h12c 25x10', '24 landrace', 'day large', 'improvement fertility potential', 'loss number metabolic', 'disease 700', 'involved hair follicle', 'mstn associated 10', 'detect qtl affecting', 'article novel', 'reduced somatic cell', 'multiple generation family', 'genome 11 horse', 'fatness result', 'fi 05 n202', 'stress level corticosterone', 'provide baseline', 'ability chicken carry', 'like disease related', 'study investigate igf2', 'investigation reported qtl', 'total 495 cm', 'hormone beta', 'productivity management', 'developmental stability confirm', 'ih breed achieve', 'tested multiple', 'genotype 413 293', 'mbv built', 'used significant', 'curve treated', 'phenotype acop proportion', 'farmer rely anthelmintic', 'nearby quantitative trait', 'interval mapping suggested', 'robust evidence', 'average inverse number', 'range meat quality', 'association gwa haplotype', 'age random factor', 'line examined', 'selected sequencing 600k', 'chest girth shin', 'gene causing cholesterol', 'tof objective', 'cow typed', 'major advance', 'analysis solar', 'ubr2 rpl7', 'understanding risk factor', 'pair difficult infer', '28 56 90', 'make effective use', 'marker 13 growth', 'qtl provide evidence', 'qtl reached genome', 'wwox plagl2 previously', 'task multiple', 'estrous cycle', 'initially identified linear', 'chicken e48 chicken', 'pig pietrain landrace', 'result daughter', '43w e43 egg', 'revealed beef cow', 'advantage ld', 'large data equivalent', 'chd1 rgmb riok2', 'performed nanyang', 'variance enssscg00000018823', 'trait canadian', 'chl_milk 41', 'northern ireland', 'high relevance detect', 'lpl gene investigated', 'reevaluate brahman', 'polygenic trait suggestive', 'independent association', 'mapped telomeric', 'slc44a5 pde4b', 'object test', 'ssc7 identical', 'proventriculus weight', 'burden detected bta14', 'cc fat thickness', 'snp left model', 'significant hit compared', 'variant explain substantial', 'fertility near centromere', 'family jointly linkage', 'greater weight snp', 's0214 affect', 'association analysis order', 'breeding caudal', 'single trait method', 'locus chromosomal region', 'breeding future research', 'balance health issue', 'significant dominance', 'associated 31', 'contribution variation', 'goal study fine', 'comprehensive study contributes', 'suggestive significance trait', 'jiaxian jx cattle', 'nesting myomax', 'h2 15 23', 'snp map3k5', 'conducted single multitrait', 'common haplotype', 'palmitic palmitoleic eicosadienoic', 'genome wide rapid', 'dairy east', 'difference major haplotype', 'induced guanylate binding', 'perform different', 'hanwoo commercial population', 'despite genetic', 'hypothesis appropriate test', 'fully understood', 'variant mt 381', 'variation ltn rtn', 'correction candidate gene', 'type iib ssc6', '11 qtl metabolic', 'group covering', 'se direct maternal', 'fecxgr fecxh', 'improve accuracy estimated', 'offspring rao affected', 'gga4 gga5 gga23', 'conclusion study presented', 'region 20', 'qinchuan cattle analyzed', 'using high density', '86 synonymous snp', 'pathway analysis interaction', '11 angularity chromosome', 'androstenone level intact', 'fi genomic region', 'phenotype using imputed', 'showed porcine', 'sex chromosome sex', 'entropion specific gene', 'follicle large', 'cross 565 record', 'prrsv vaccination 15', 'regression model implemented', 'altamurana gentile breed', 'cbg causal gene', '1e 07', 'quality cheese', '26 zfyve26 identified', 'significant rfi dmi', 'characterize associated', 'linkage npl analysis', '13 linkage', 'receptor ghrhr', 'industry great', '36 219 autosomal', 'milk performance trait', 'impact variation', 'rs13997812 ucp3 strongly', 'estimated parameter used', 'trait incidence clinical', 'granddaughter design resource', 'trait pigqtldb', 'linked early sexual', 'permutation strategy', 'prefer indigenous broiler', 'obesity mc4r', 'using direct', 'bone weight lower', 'suggesting dominance inheritance', 'dataset 1200 pig', 'result single nucleotide', 'pleiotropic model', 'significance additional 23', 'close region associated', 'scan udder', 'pure broiler line', 'obtained piglet', 'animal jb2', 'ascites syndrome', 'process 26 pcgs', 'na citrate content', '15 16 01', 'comprising rs14011783', 'gwas significance', 'phenotype candidate gene', 'qtls 05 seven', 'analysis detected 21', 'knowledge ovine genome', 'hsa 5q14', 'result result displayed', 'subfamily group', 'size small', 'aptitude retain high', 'analysis capn1 followed', 'fixation line current', 'reanalyzed multiple qtl', 'family member play', 'accurately defined', 'diagnosed treated previously', 'hub wish differentially', 'pof checked radiography', 'suggest refined qtl', 'tended heavier', 'indicator enzyme', 'boar region', 'weight 01 additional', 'remains unknown case', 'breed variation', '95 ci 27', 'breed native', 'genome wide relationship', 'fld dairy', 'behavior chicken', 'slightly significance', 'cbs pig', 'difference year', 'sus white line', 'friesian cow described', 'similarity difference examined', 'ccl2 rs41255713', 'associated medium long', 'effect adipose trait', 'igg igg1 igg2', 'increased bayesr', 'mechanism fecx mutation', 'physical distance mb', 'improved vaccine design', 'relationship unique feature', 'regulation lifetime', 'subtraits correspond qtl', 'diarrhoea genetic', 'influenced faecal egg', 'complex pedigree loki', 'iii infertility', 'assisted selection estimating', 'frequency economically', 'snp hmga2 snp', 'caecal core included', 'identified lmm', 'beef cattle japan', 'observed earlier', 'fat stronger', 'shortly birth proportion', 'infestation merino sheep', '29 23 ld', 'lipid biosynthesis', 'virus infection european', 'genotype maternal line', 'powerful identification', 'inherited haplotype', 'possibly affecting direct', 'snp chromosome specific', 'milk yield dmy', 'development based known', 'phenotyped seven', 'binding protein cpeb4', 'complex trait inadequacy', 'study performed based', '05 direction', 'p3 pi p2', 'crossbred steer xia', 'pathway hypothalamus confirmed', 'result mtdna', 'adipoq gene', 'detection small', 'located oar6', 'pcr hpaii', 'residing feed intake', 'cow selected herd', 'investigated present', 'coq9 ssc6', 'showed late', 'sequence detected', 'greater rump length', 'snp43 snp64', 'consisting farm season', 'panel sp scan', 'my50 100', 'revealed 19', '34 trait', 'alternatively spliced gene', 'architecture antibody', 'internal egg quality', 'gene 45', 'qtl predicted weight', 'analysing family', 'prehousing growth', 'respectively genomic', 'locus kit', 'long chain acyl', '176 revealed major', 'analysis applied extended', 'parent grandparent 183', 'large melanoma predisposing', 'mutation promising variant', 'region human puerperal', 'identified separate', '13 05', '05 enriched', 'ii recombination dik0079', 'area lm area', 'hen cross', 'meat quality mammal', 'according trait conclusion', 'moderate potential estimate', 'esc resistance channel', 'gene known pathway', 'insig1 hexim1', 'affection statue', 'test using 132', 'small genotype', 'role identifying', 'animal hetero', 'mutation cast', 'f2 sow displaying', 'variation fibre diameter', 'affecting egg white', '70 identified gga1', 'residual polygenic', 'susceptibility salmonella', 'composition organ', 'mar estimated', 'allele showed', 'bovine bco2', 'directly estimate association', 'ap 10', 'f2 population native', 'rump length hip', 'point 45 min', 'cm genetic distance', 'infects chicken causing', 'increase vertebra', 'snp 2449g', 'contributing ascites', 'dehydrogenases interconvert weak', 'finnish ayrshire fa', 'i199v associated', 'burden immune', 'cross ib', 'family using', 'fracture pig', 'associated utt backcrosses', 'specific coli finally', 'gene previously described', 'tnb number born', 'close approximation', 'weight affected locus', 'using genabel package', 'category conclusion identified', 'marker second', 'iap psap', 'mental capacity', 'sarda sheep', 'identified sus scrofa', 'informativeness family unaccounted', 'region showing sufficient', 'ala36thr insulin receptor', 'tdt transmission', 'consisting 301a', 'pig expression', 'weight tender', 'adapted environment', '19 21', 'body composition', 'generation experimental', 'phenotypic sd kg', 'taint component detect', 'transcript gene apob', 'development regulation ca2', 'egg egg', 'milk fat mapping', 'pecking laying hen', 'investigated study', 'sw2155 significant 05', 'background recent completion', 'identified exon exon', 'individual association correlation', 'total 37 significant', 'porcine protein', 'downstream analysis', 'period substantial', 'exon segregated qtl', 'marker rs29021868', 'male high fat', 'tcap highly', 'single marker genome', 'qtl epistatic pair', 'bf 39 020', 'requires knowledge genetic', 'sire bd', 'primary result', 'dorsets ass population', 'nme7 gene', 'sire log', 'adrb2 synonymous', 'ph1l thickness backfat', 'composed htr1b', 'difference roh estimated', 'lead loss', 'skip identified inositol', 'tubular diameter testosterone', 'allelic frequency panel', 'chicken genomic', 'middle gga5 increased', '180 used', 'high proportion', 'psmc1 encoding', 'tnf promotes inflammation', 'sc maternal', 'forward characterizing genetic', 'variation research', 'liver rna', 'mapped marker swr1343', 'result large genome', 'phenotypic data collected', 'genetic test disease', 'phenotypic trait genetic', 'separately addition', 'ch lm population', 'trait definition counting', 'regulatory role skeletal', 'fiber effect expected', 'onset puberty map', 'segregating population linkage', 'interacting qtl', 'growth multicellular organism', '56 90', 'holstein interval', 'selection animal', 'detected illinois', 'disease podotrochlosis', 'mutation additive', 'feed efficiency including', 'genetic mechanism regulating', 'marker chosen bovine', 'difference trait 002', 'point marker', 'tnb snp', '13 candidate', 'mapped using selectively', 'identified ph', '05 snp greater', '2203 6321', 'osteochondrosis developmental', 'qtl ssc1 confirmed', 'ugdh partly', 'closed population 427', '158 crossbred', 'ssc7 ear trait', 'genetic polymorphism identified', 'transcriptome profile performing', 'focused quantitative', 'force drip', 'mcd pm', 'quality trait 20', 'correlation genome wide', '353c bp indel', 'lnba 12', 'maintained poland', '106_ 91delgccaggggtgtgagcc influence', 'tissue piglet gene', 'cpd 917 german', 'amplify genomic dna', '000 snp', 'fat reserve including', 'affecting fat percentage', 'rate pig', 'control trait little', 'tnfα nfκ signalling', 'confirmed 442', 'obtained shadow', 'mutation vertnin', 'factor account', 'milk identified coincided', 'family specific discrepancy', 'cross grandprogeny', 'population qtl fat', 'd4 gene analysed', 'microchromosomes uncovered', 'gene including promoter', 'rf analysis identified', '15118683c 15118756c 15118774c', 'tonsl npas2 acer3', 'distant telomeric', 'population validated', 'feed efficiency carcass', 'haplotype region', 'using bayesian stochastic', 'iggb eca', 'candidate gene fld', 'snp strongest association', 'oxidase maoa polymorphism', 'promising approach improving', 'performed using high', 'vertebra 44', 'bvd pi affected', 'acvr2a mrna', '63 10 respectively', '16 half', 'study international genetic', 'gwas method', 'level gene different', 'static qtl1', 'ssc11 ssc13', 'regulation hpa axis', 'discovering host defence', 'associated odds control', 'oc qtl eca18', 'suggest polymorphic', 'marker 54 000', 'safety welfare stockman', 'mechanism lipid', 'associated adg', 'identified chromosome qtls', 'mcp trait', 'pathogenesis eye', 'purpose chicken reference', 'quantitative real', 'detected bta1 bta11', 'cancer pig excellent', 'reflecting mothering', 'gain nanyang aged', 'resistance test', 'additional evidence', 'nematodirus fec', 'rate study genetic', 'dlg1 cga', 'human murine model', 'region trajectory 54', 'number born 288', 'polymorphism dna', 'number artificial insemination', 'accuracy prediction', 'sex 20', 'overall finding presented', 'ranged additive', 'novel promoter snp', 'snp assigned group', 'swine ep', 'qtl egg weight', 'haplotype claimed', 'denmark joint breeding', 'data benchmark improved', 'week age total', 'high twinning', 'identified selective dna', 'total 36 387', 'role pathway', 'significance single', 'biomarkers used improve', 'coverage total', 'posterior probability trait', 'bull h1h1 haplotype', 'association 194', 'bta14 replicated family', 'cross population 501', 'calving performance gene', 'largest single snp', 'rate correlated', 'shown significant association', 'texas carcass trait', 'included chip used', 'cattle included', 'circulating prolactin', '150 01', 'calving difficulty holstein', 'follicle morphogenesis', 'insight regarding source', 'amino acid phenylalanine', 'related qtl located', 'analyze data half', 'indicate ultrasound', 'linked muscle function', 'population primer flanking', 'gene evaluated candidate', 'trait observed gene', 'ca mg na', 'beadchip used perform', 'rt polymerase chain', 'trait partly', '22 day', 'haplotype showed', 'using 109 microsatellite', 'milk like', 'qtl pleiotropy versus', 'respectively highlighting', 'associated 24', 'cfu tolerant', 'sw980 sw2456', 'locus previously associated', 'heritability rib', 'gene deoxyhypusine synthase', 'cooking rate muscle', 'involved deposition composition', 'type mutant individual', 'chromosome 11 genome', '55 estimate', 'primary sex', 'family evaluate additional', 'investigated study evidence', 'utilize shrinkage', 'overlapped selection signature', 'ram 852 ewe', 'rs15675067 rs15675065 ghrl', 'covering 21 linkage', 'mica romanov reep4', 'withers height debao', 'commonly detected method', 'susceptibility inbred', 'shoulder obtained', 'cm outside', 'experimental family performed', 'linked qtls resource', 'locus existing data', 'sscp technique detect', 'study 20 chinese', '14 using', 'qtl phenotyping', 'production high quality', 'applied second', 'population genotyping performed', 'acidosis common situation', 'production solution', 'haplotype genotyped', 'unl population number', 'matrix cumulus', 'affect carcass trait', 'type snp', 'trait associated specific', 'known enzyme function', 'animal acop', 'differential expression', 'previously identified quantitative', '182 microsatellite', 'network underlying', 'weight egg number', 'detected qinchuan', 'allowed identification various', 'influencing ff test', 'reflect meat', 'trait maternal', 'causal mutation present', 'boar 12 locus', 'mated crossbred sow', 'cattle linkage disequilibrium', 'particular relevant association', 'involved genetic control', 'filtering process 17', 'cow 436', 'fat sample', 'test position', 'mb candidate', 'cm allele white', 'pubertal development weaning', 'level fdr 05', 'chromosome affecting lactose', '13 40 13', '14 crossbred paternal', 'pig study improves', 'ssc13 genetic trait', 'ovine tlr gene', 'avpcv pcvd', 'horse analyzed', 'morphology behavior lower', 'sesn2 rab4b', '101 955 marker', 'detected chromosomal location', 'snp potential candidate', 'increasing carcass', 'prediction ability non', 'snp significantly suggestively', 'large fat deposition', 'impact bmp15 expression', 'absolute fat lean', 'significance 12 week', 'differentially expressed adult', 'outside region', 'fcr intake', 'detected phenotypic variance', 'possible association sperm', 'formed analysed gwas', 'trait study qtl', 'resistance locus coccidiosis', 'increased intensification worldwide', 'ssc7 significant qtl', 'biochemical examination', 'comprehensively map', 'polynomial coefficient feed', 'current work investigate', 'family genotyped 166', 'genomically enhanced estimated', 'kg fat', 'snp5 13307g', 'mean generalized quasi', 'chromosome lma detected', 'increased anai4', 'size growth', 'paper present', 'chromosome alga0022658', 'egg dark', 'genetically correlated milk', 'significance 05 tdt', 'variable normalized phenotypic', 'unit gene strategy', 'trait originally', 'important region chl_fat', 'adenoma gene', 'result 19 known', 'milking speed', 'novel qtls ssc6', 'qtl region ssc5', 'bta strongly associated', 'teat considerable negative', 'fat considered', 'cidec gene involved', 'refined position', 'statistical model lm', 'consensus dairy', 'effective use', 'mapped chromosome linkage', 'pcgs potentially', 'qtl region chromosome', 'calving conformation trait', 'compared lbt cab', 'epr measured', 'study conducted locate', 'study used aid', 'code tga', 'associated economic trait', 'identified amblyomma', 'inadvertent mating carrier', '10 22', 'recovery cheese', 'significantly higher monotocous', 'dag ceramide cer', 'sorf2 coexpressed', 'pig etec f41', 'used conjunction data', 'concentration milk h1', 'variant significantly', 'btb resistance test', 'kosher scoring', 'lack power qtl', 'pit growth', 'genomic variation analysis', 'temperament mt workability', 'associated highest number', 'analysis performed producer', 'factor sow longevity', 'ywt carcass weight', 'bta6 bta10 study', 'data available investigated', 'background low birth', 'castrated boar', 'significance distal gga5', 'ssc8 tnb', 'fpd aggressive peck', 'locus bayesian', 'analysis illumina', 'dominantly inherited white', 'cm providing excellent', 'assuming alternatively', 'like elongation long', 'rna adrb2 gene', 'variability number', 'ets transcription', 'bta 46960', 'locus affect calf', 'affected proportion number', 'qtl dense', 'maintained face natural', 'trait 779', '01 ewe', 'functional expression candidate', 'egwas identified', 'human 5p13', 'corpus luteum number', 'btb infection daughter', 'related trait proportion', 'population study multigenerational', 'included individual', 'liver mrna', 'meat beef production', '125 875 2e', 'white adipocyte', '01 study confirmed', 'gblup bayes', 'qtl female', 'score previously', '68 breed contained', 'utr edg1', 'locus udder trait', 'percentage 0014', 'influence underlying', 'research differentially', 'phenotype dense', 'fabp3 lipe igf1', 'udder health', 'fecxo fecxgr', 'polymorphism imprinting', 'origin trait', 'locus specific primer', 'growth investigated', '99 mortality', 'position epistasis qtl', 'bmp7 associated hyperpigmentation', 'trait main epistatic', 'regression bayesian approach', 'zoonotic tuberculosis tnf', 'sire linkage disequilibrium', 'xirp2 snp', 'yearling gene play', 'study qtl affecting', 'animal reference set', 'captured tag', 'factor klf', 'best knowledge research', 'closest mc1r', 'confirm qtl population', 'different pig population', 'ncapg expression placentomes', 'intron snp used', 'size shape', 'breed altogether vrtn', 'study popular', 'new opportunity', 'involved skeletal muscle', 'power limited', 'consisted 12', 'including semi', 'polymorphism explain', 'characterization functional candidate', '461 individual', 'cattle notably', 'showed strength', 'lg gene protein', 'genetic differentiation', 'chemistry component highly', 'risk alelle', '22 24', '19179 snp applying', 'analysis line', 'muscle mass', 'slaughter carcass composition', 'collagen cross', 'size composed 169', 'taf7l gene', 'detected population combined', 'qtl low', 'composition trait 238', 'variation cattle', '06 mean ultrasound', 'decr1 genetic', 'information used evaluate', 'genomic mapping analysis', '1148g adrb1', '08 association analysis', '1043a 402a intron', 'polish native', 'study lack precise', 'essential global', 'missense deduced amino', '16 17 saxon', '34240 34168', 'tyrosine phosphorylated', 'disease resistance affect', 'adipocyte size detected', 'background peroxisome', 'il 10r transforming', 'fundamental trait', 'negative consequence', 'activity receptor activity', 'status traditional case', 'bacteriological examination f2', 'analyzed effect', 'higher genotype cc', '18 marker linkage', 'mouse objective', 'duroc pig aa', 'population stratification uncovered', 'gain premium cut', 'breeding value improving', 'adg kr trait', 'stallion candidate', 'homeologous chromosome pair', 'mature body weight', 'cytokine proposed modulate', 'accelerating genetic', 'explained increase', 'candidate gene present', 'tested alternative disease', 'difference actual dmi', 'study pinpointing', 'lameness record', 'highly polygenic nature', '284 white', 'derivative free', '155 cnvrs', 'standard procedure', 'method method analysis', '38 heritability', 'addition observation', 'underlying polyceraty studied', 'contained rambouillet polypay', 'sex character', '18 genome wide', 'acid composition longissimus', '1596 5678784a middle', 'generally improved association', 'marker tested help', 'clue explain', 'infected population resulting', 'important phenotypic', 'mapping model line', 'study expressional correlation', 'distance marker increased', 'previously localized quantitative', 'snp genetic relatedness', 'gene harness racing', 'quality milk', 'variability tnb', 'clearness uc used', 'law trait', 'migration porcine tgfbr1', 'growth mutation', 'overlap reported qtls', 'including egg weight', 'considered contrast', 'post translational', 'involved variation vertebral', 'qtl mutation mutation', 'significant npl', 'benefit combined analysis', '315t 327c identified', 'information prohibited', 'meat quality present', 'reported transversion mstn', 'data set containing', 'sequence data refined', 'male 22', 'illumina 50', 'treating ibk phenotype', 'family selected genotyping', 'enabled linkage disequilibrium', 'legged partridgelike', 'pork qtls fatty', 'developed create', 'compared aa', 'possible strategy', 'yorkshire 173', 'response qtl', 'zero binary', 'determine quantitative trait', 'effect associated early', 'qtl associated behaviour', '23 qtls small', 'similarly rs17196799 htr2a', 'selecting genotyping additional', 'demonstrate importance mirnas', 'influencing clinical', 'method detect ld', 'program marker', 'proliferation differentiation skeletal', 'region complex', 'spw 106', 'affecting bmp15', 'shown function', 'disease farm', 'decade japanese', 'ryr1 prkag3 causative', 'associated cardiovascular', 'leucine phenylalanine change', 'located intron alpha', 'study gwas performed', 'disease important', 'population snp1 snp3', 'reduction obtained approach', 'evidence snp', 'conception parity negative', 'nitrogen yield content', 'gwas powerful method', 'significantly associated rfi', 'mentioned present', 'associated resistance mdv', 'milk dairy', 'body height', 'chemical physical', 'dairy dna repository', 'variation genetic', 'bmp15 expression oocyte', 'egfr ssc9', 'gwas analytic approach', 'evidence ew follows', 'gp decrease 20', 'genomic effect obtained', 'bmp15 polymorphism', 'identified addition strong', 'angiopoietin pathway significant', 'porcine periweaning failure', 'trend breed', 'litter selected set', '10 probability', 'reported qtl addition', 'close position', 'commission internationale eclairage', 'defense bind pathogen', '19 20', 'using mendelian model', 'adjusting population stratification', 'microarray analysis performed', 'sequencing fine', '72 57', '19 founder', 'polygenic heritability', '2379c h3', 'huiyang beard', 'estimated gcta tool', 'lcorl biec2', 'peak fat cent', 'seq based differential', '64 432 snp', 'uterine infection antibiotic', 'weight cannon bone', 'lead chip snp', 'pair interacting locus', 'polymorphism 6th intron', 'haematocrit hem haemoglobin', 'underdevelopment ear condition', 'explaining variation lesion', 'pig chromosome determined', 'proportion progeny acop', 'expressed acth stimulated', 'sd ldla identified', 'appear common', 'sheep seasonally', 'represent significant hit', 'examine association polymorphism', 'present study screened', 'used genotype', 'assay developed determine', '01 86 phenotypic', 'gene region affecting', 'phenotype sourced', 'widespread use finnish', 'considerable additive', 'contigs anchored linkage', 'health performed', 'udder morphology health', 'depth shoulder fat', 'intron gene novel', 'disease coded affected', 'defined 100', 'illumina 600 snp', 'based 165', '10 sheep genome', 'study examination function', '23 conclusion', 'characterized dispersed white', 'herd repository population', 'information using gemma', 'safety environmental', 'snp bovine myogenic', 'snp altered predicted', 'improved marker', 'conditional analysis revealed', 'effect 53', 'expression meat', 'efficiently production consistent', '12 bull', 'gene region affect', 'total significant', 'population subsequently genome', 'affected aforementioned', 'native british isle', 'region 56 22', 'model implemented order', 'correlation pattern observed', 'primitive horse pph', 'resulted clearer boundary', 'role chromosome determination', 'superiority gaussian model', 'egg afe', 'gb data', 'backcross charolais', 'length metatarsus circumference', 'interval mapping located', 'surrounding likely qtl', 'significant variability', 'breed italian large', 'nr investigated present', 'onset locomotors', 'ratio method genome', 'selected 37 candidate', 'cross total', 'rg 31 15', 'sl9 shank diameter', '8kb mean maf', 'vertebra number hox', 'snvs csnvs experimental', 'tv mrna', 'phenylalanine tyrosine present', 'gradient selective genotyping', 'occurrence osteochondrotic lesion', 'explained 001 σ2p', 'genetic mechanism complex', 'piglet born snp', 'minpp1 lipj lipk', 'biology disease resistance', 'earless sheep', 'mapping population 53', 'gene genotype rs42670351', 'provide preliminary information', 'based approach identified', 'evidenced significant qtl', '39454 single nucleotide', 'sc trait used', 'tensor decomposition', 'light significance modulating', 'measure statement total', 'line 19 tibetan', 'advanced fsil', 'acid substitution remains', '10 399', '187 28', 'taint performed 938', 'undetected study', 'repress gene expression', 'significant linkage eca2', 'peak force', 'teat suggestively significant', '001 feed intake', 'average marker spacing', 'called genotyping', 'gene 18 candidate', 'm3 line genotyped', 'lc model mendelian', 'location presence', 'total 46', 'adult stature specie', 'yorkshire large white', 'using 881', 'lipid transfer domain', 'thinning production', 'dfi adj average', 'select semen', 'value threshold chromosome', 'quantified se', 'present result expected', 'beef production selection', 'intake percentage carcass', 'threonine amino acid', 'association relative area', 'ca aa', 'size trait end', 'fn396538 566g intron', 'gene involved various', 'work necessary clarify', 'chromosome genome level', 'pre adjust animal', 'sweep effect observed', 'total 12 genome', 'study used different', 'univariate linear mixed', 'single multitrait model', 'overall genetic', 'pde4b anoctamin ano2', 'make candidate', 'resides large', 'total 64', 'ham weight clear', 'indicated mtpap gene', 'oar6 overlapped', 'gene contained', 'increased trait value', 'state allele substitution', 'snp acaca stearic', 'md susceptibility qtl', 'obvious selective', 'dominance imprinting', 'sired angus', 'causative polymorphism positional', 'depth meat', 'effect carcass', 'parameter 821 italian', 'divergent artiodactyl myadm', 'american angus cattle', 'affecting milk fatty', 'natural genetic', 'weight age 10', 'analysis comparison result', 'concept bf belongs', 'discovered 503', 'color score', 'including 20 animal', 'previous qtl study', 'apob gene', 'qtl contributing', '012 carcass backfat', '92 ng', '05 synonymous mutation', 'architecture make', 'trait analysed marker', 'advantage btb data', 'cattle seven', 'gene putative candidate', 'intake dmi rfi', 'ngef leg lifr', 'qtl cm mc', 'bovine population', 'snp aj543065', 'posterior distribution qtl', 'genetic selection ultimately', 'cattle breed genotyped', 'alternative multibreed gwas', 'animal gene set', 'fmo3 member gene', 'genotype 200', 'chromosome close fat1', 'percentage level', 'multitrait analysis revealed', 'ghr 279phe', 'corticosterone level mapped', 'using 188', 'region way', '17575a 17607t 17609c', 'ms based', 'multi qtl', '50k genotype dam', 'wired dw network', 'snp aj885515 159a', 'brahman breeder association', 'selected low', 'human identification', 'principal aim study', 'relationship matrix produced', 'bb associated', 'statistical analysis', 'interacting disk', '43 unaffected animal', 'acid involved', 'molecular breeding', 'conclusion strong', 'higher compared', 'body hair', 'using ingenuity', 'got positional', 'site tested 131', 'developing acute', 'qtl horn', 'pair analysis offered', 'vicinity middle region', 'number rib thoracolumbar', 'aim identifying quantitative', 'significant correlation mac', 'colour variation', 'test using 95', 'bovine genome sequence', 'pig chromosome including', 'coding nucleotide binding', 'population native', 'snp effect il', 'polymorphism snp fk506', '490 cm shank', 'coa substrate', 'common underlying', 'analysis determine best', 'influence degree', 'content 01 second', 'finnsheep mica romanov', 'revealed significant quantitative', 'previously seven family', 'study required allow', 'recent holstein', 'bodyweight gain genotyped', 'narrow head brachygnathia', 'production quality study', 'pig ff', 'susceptible prnp', 'examined 479 521', 'adipose tissue', 'data set joint', 'performed sheep', 'defining haplotype usefully', 'resistant susceptible line', 'locus located', '555 determined', 'milk provides important', 'versus non infected', 'domain nbd region', 'evaluate direct', '0e 04', 'male using mirinz', 'consistent mammal', 'locomotion vigilance', 'locus affecting fertility', 'variable potentially follow', 'additionally erythrocyte', 'protein assessment proteolysis', 'agreement responsible', 'trait fleckvieh holstein', 'condition period', 'diplotype 21', 'cn associated higher', 'ability phenotype marker', 'linkage eca15 colt', 'cell opn favorable', 'variation hematological', 'greater bw70', 'norwegian trotter', 'considerably qtl interval', 'mrna expression mtnr1a', 'iberian landrace affect', 'sheep study designed', 'haplotype revealed significant', 'eth10 chromosome inra133', 'leg lifr', 'fatness trait pig', 'undergoing selection', 'trait high polymorphism', 'subject sexual selection', 'loin roasted silverside', 'carried sire previously', 'horn length', 'member transforming growth', 'variation oleic', 'snp27 highly', 'generating premature stop', 'red 126 jersey', 'expression positional', 'pooled dna allowed', 'lc model revealed', 'marker increasing information', 'deeper pedigree analysis', 'testicular tissue', 'microsatellite marker bms833', 'cow 704 bull', 'bta3 chromosome', 'pietrain european', '630 quality control', 'qtl m2', 'sheep presented', 'ornithine decarboxylase expected', 'array includes', 'breaking strength', 'conclusion en significantly', 'townes brock', 'warrant genotyping offspring', '50 progeny family', 'transportation absorption excretion', 'trait 19 82', 'effect modifier', 'population multiple trait', 'genotype fenjing', 'determining phenotypic variation', 'ssc1 56 cm', 'ssc1 76 78', 'acid porcine', 'related gene conclusion', 'cnv expression', 'effect marker allele', 'evident final protein', 'moderate strong', 'morphology thermoresistance motility', 'sampled 2807 farrowing', 'trait 50 25', 'locus qtl identified', 'suggested fatness related', 'disease transmitted tsetse', 'exhibited significantly higher', 'located gga5 gga14', 'assisted genomic selection', 'functional role mediating', 'contain polymorphism influencing', 'resequenced meishan', 'confer ibk', 'c14 c16', 'kinase grk5 prospero', '14 fell region', 'performed qtlmap', 'determinism trait present', 'mapped qtl', 'based finding genetic', '08 independent qtl', '65 versus fecx', 'fat score', 'beef affect meat', 'hen divergent chick', 'lod syntenic', 'genotype phenotype recorded', 'used statistical analysis', 'chromosome confirmed associated', 'random regression based', 'differed 05 0001', 'near telomere', '592 579 789', 'molecular study highlight', 'peak md hd', 'bovine mfa gene', 'characteristic loin eye', 'ratio lean meat', 'gene variation body', 'trait evidence qtl', 'trait basis association', '378 127 412', 'using double backcross', 'predict genotypic', 'cross identify', 'gene encodes', 'performed 156', 'gene mapping', 'hypothesized imprinted', 'pressure bacterial', 'affected mrna secondary', 'bft2 internal fat', 'new ones paper', 'spanned maximum', 'variant transfection mammalian', 'vertebra comparison european', 'progesterone receptor', 'boar pietrain', 'desired milk chl', 'tissue combination', 'role maternal', 'score half', 'region strongly', 'cm chromosome wise', 'broiler line weight', 'function mutation', 'belmont red', 'controlling variability erythroid', 'qtl addition present', 'merino sheep presented', 'maximum likelihood test', '06 present', 'background nordic red', 'snp beneficial', 'snp identified career', 'diplotypes h2h2 aa', 'effect fixed used', 'tnf polymorphism btb', '02 sd', 'drip loss cooked', 'result influence', 'compared boar adipose', '22x10 additive', 'advantage fl lesser', 'suggestive explained 53', 'marker significant trait', 'result suggest pnpla3', 'chromosome 12 suggestive', 'case control finding', 'plw significantly', 'chicken 60k snp', 'analysis determine', 'neonatal post weaning', 'study gwas followed', 'lesion blood type', '16 chromosome qtl', 'value calculated', 'adipose milk', 'database investigated analysis', 'overexpression analysis different', 'wise association genome', 'substitution effect 07', 'accounting 90', 'breed vrindavani', 'allele enhances 18', 'transcriptase polymerase', 'related trait individual', 'represented putative conditional', 'project gonzales', 'yield measure', 'bf qtl result', 'association skatole', 'duroc breed used', 'bovine genome assembly', '48 vol genetic', 'genome ovis', 'developed linkage', 'meat inclusion', 'multibreed analysis', 'sequence analysis gdf9', 'site provided', 'performance livestock economically', 'arl8a phlda3', 'role immune defense', 'investigation gene', 'age insemination lr', 'mixed model 332', 'overlapping peak position', 'interestingly significant', 'important beef production', 'expressed porcine', 'cross steer 05', 'qtl gompertz', 'snp associated boar', 'allele chinese', 'c18 c16 elongation', 'involved haemostasis', 'significant level similar', 'phenotypic variance population', '9607480 bp 10607757', 'binding endothelial cell', 'en age laying', 'korean cattle', 'analysis major milk', '34 cm', 'crossed population', 'higher cab', 'horned phenotype', 'suggest significant', 'semimembranous muscle tissue', 'finished feedlot using', 'marbling 05', 'breed fleckvieh', 'important indicator meat', 'qtl tenderness ssc', 'snp associated average', 'autosome 1560 cm', 'population using qtl', '14 calving trait', 'help increase', 'chitinase activity', 'genomic mapping chromosome', 'trait addition method', 'debao pony association', 'resolution multi trait', 'analysis suggest', 'detected genome wise', 'inferior spite normal', 'vce software', '3691g identified based', 'native jinhua pig', 'burden qtl mapping', 'test variation associated', 'affecting pig', 'ch4 emission individual', 'ige colubiformis specific', 'larger qtl', 'map qtl use', 'syntenic est', 'locus explained variation', 'affected thyroid hormone', '003 trait functional', 'result combined analysis', 'neutrophil neu eosinophil', 'process livestock', 'roh evaluated', 'contributing effective', 'performed marker 41', 'estimate ranging 29', 'marker useful', 'analysis account', 'composition meat', 'gap refined interval', 'posed significant', 'analysis expression', 'index 0011', 'study shed', 'indicates different qtls', 'lm model 120', 'threshold 20 set', 'measure milk', 'meta analysis fpdmeta', 'tract width positive', 'friesian cattle', 'bta13 short', 'white pietrain breed', 'parameter obtained used', 'illuminaporcine60k bead', 'dairy phenotype', 'dhx38 abcf1', 'previously identified rfi', 'evidence chromosomal', 'trajectory impacted different', 'cattle notably snp', 'cm backfat thickness', 'component bd sheep', 'pathway enrichment analysis', 'information future dissection', 'identified growing pig', 'tlr2 card15 evaluate', 'male recombination', 'detected birth', 'encoding 1839', 'shortly birth reduce', 'holstein cow separation', 'korea total 200', 'detect common', 'background improving', 'genotyped porcine', 'model corrected', 'snp scanning coding', 'finally result', '940 prt', 'artery pressure right', 'sscx ra', 'data f2 animal', 'beef cattle heritable', 'experimental data', 'british breed pony', 'complex important', 'meat quality high', 'analysis lei0258 microsatellite', 'girth regulatory', 'gene flanking region', 'positive test result', 'identified 17 significant', 'ratio fatty', '239 001', 'process including', 'numerous study', 'pad weight egg', 'villous adhesion', 'overlap qtls', 'presence snp', 'broiler production', 'herd gender', 'revealed qtl previously', 'sample collected', 'qtl ranged 06', 'decrease pco2', 'embryo nte', 'related trait partly', 'reported qtl stronger', 'chicken wild', 'family detected previous', '231 snp meeting', 'role footrot', 'dpr productive', 'dna marker select', 'poultry industry nearly', 'oar21 affecting pepsinogen', '45080335c changed transcription', 'reported different', 'lesion half individual', 'example associated', 'recorded white pig', 'related trait pigqtldb', 'additive variance polyunsaturated', 'bf gene genotype', 'south east', 'study understand', 'high protein', 'confirm existence', '8068 reached', 'chromosome japanese black', 'novel locus', 'genetic factor quantitative', 'detected ph', 'approach paternal transmission', 'assigned sliding', 'tcf12 catenin', 'tandem repeat marker', 'corticosterone associated gr', 'vertebral number', 'decade motivation behavior', 'marker mainly', 'paternal versus af', 'teat trait', 'oxygenase bco2', 'larger effect used', 'neutrophil series platelet', 'peak values obtained', 'parental source observed', '2011 illumina', 'substitution ala36thr insulin', 'data 56 500', 'fleckvieh cattle', 'limousin jersey cattle', 'benefit understanding', 'naturally infected scrapie', 'varied 29', 'snp bayes', 'horse characterized dispersed', 'objective work confirm', 'large white landrace', 'production record 1026', 'locus presumably', 'cock tt', 'growth bovine chromosome', '588 genotyped soay', 'allele identified german', 'shank head detected', 'polymorphism ovine', 'ib f2 intercross', 'fcr qtl related', 'change chinese holstein', 'tbg significantly different', 'cross charolais german', 'underlying immune', 'snp chromosome included', 'yorkshire using', 'marker bulge20', 'false discovery rate', 'parameter italian large', 'analysis substitution', 'challenge resistant scottish', 'include au rich', 'animal inference abcg2', 'frequency allele 5990', 'reveals statistic', 'teat nte', 'sheep heterozygous', 'qtl providing', 'qtl project', 'vertebra performed', 'cross population generated', 'previously identified functionally', '38 fatty acid', '150 079 hd', 'mcm6 pax3', 'variance considered associated', 'associated md', 'tissue metabolite glucose', 'information molecular', 'f2 population sixteen', '10 rfi1 rfi2', 'assay technology non', 'breed respectively hap9', 'experimental farm ireland', 'sp3 sp3', 'young bull beef', 'association gwas', 'scrapie infection result', 'length bl bos', 'mechanism remains elucidated', 'contrasting heterozygote result', 'metabolism mb snp', 'result total 106', 'time conclusion', 'fertility western', 'parameter located region', 'control 64800', 'density feather', 'carcass marbling cmar', 'locus contribute body', 'candidate gene selection', '104 concentration', 'start point identify', 'imprinting additional', '16 amino', 'time report qtl', 'kit gene previously', 'present report', '235 362', 'diplotypes h3h7 greatest', 'reproductive hormone series', 'quality snp', 'sow fertility result', 'variance family data', 'family using selective', 'gwas conducted explore', 'effect assumption', 'abhd5 known', 'staple length crimp', 'commission internationale', 'region chromosome region', 'sequence obtained', 'age individual vaccinated', 'quality mineral', 'large white respectively', 'selection immune capacity', 'located close dgat1', 'applied genome wide', 'previously evidenced', 'linear model band', 'sc gene segment', 'snp parental line', 'rao involved', 'reflected reduced heritability', 'bta14 dh dj', 'muscle organ', 'rhenish german schleswig', 'associated proviral', 'study reflecting complex', 'percentage statistical model', 'allowed detection', 'allow research qtl', 'using deregressed proof', '41 family', 'weight routinely recorded', 'snp rs41623887 rs109923480', 'proportion bone', 'sex performance trait', 'production trait association', 'cow implies significant', 'thickness sixth seventh', 'fat cattle conclusion', 'detected near', 'based significant chi', 'limousin bull', 'mammary disease', 'snp 39', '32 77 40', 'fold expression exogenous', 'informative qtl', 'integrin binding protein', 'adult longissimus', 'owner caretaker anecdote', 'steroid synthesis leydig', 'pathway genetic selection', 'ph 15 min', 'rxfp2 shown', 'gene immune related', 'genotype yellower milk', 'parameter influencing technological', 'effect german holstein', 'growth fatness controlled', '23 mm 29', 'gene let 7c', 'chest circumference cc', 'snp 55', 'amino acid share', 'peck received', 'gain s58995 located', 'ankh explained', 'adjusted 305 protein', 'comparison revealed oocyst', 'approach applied detect', 'nematode resistance based', 'level detected', 'acid bf imf', 'esr2 eaat2', 'number vertebra sus', 'increased acvr2a transcription', 'snp fitted', '779 individual native', 'heritabilities genomic', 'altering fatty acid', 'established crossbreeding xinghua', 'variable assessed', 'production locus', 'genotype tc', 'efficiency nelore cattle', 'accurately map previously', 'ssc17 ssc2', '05 ssc13', 'bm1500 useful marker', 'offer fast', 'tissue higher', 'imprh7000rad imnprh212000rad radiation', 'strategy validate', 'measurement dbw', 'telomeric end arm', 'view rear', 'independent sample result', 'ssc16 suggestive qtl', 'lrfn2 region daughter', 'total 21 genome', 'snp marker related', '40 196', 'seasonality lamb year', 'common fattening carcass', 'lgw 94 cm', 'chick 249', 'marker useful selective', 'polymorphism mapping', 'available importantly', 'protein fat milk', 'nvd ssc7', 'unlikely hypothesis selection', 'association cortisol', 'broiler protective', 'model 4841 holstein', 'maternal line', 'selected based average', 'size 219', 'gli kruppel family', 'adg pig', 'accuracy selected cow', 'analysis applied data', 'modern population', 'regional heritability', 'sosondowah ankyrin repeat', 'leg view rear', 'new microsatellite', 'bone trait showed', 'generation pig 19', 'high linkage disequilibrium', 'fat chl_fat', 'prkag3 vegfa rps6ka2', 'cckbr associated feed', 'cohort cattle using', 'ucp3 gene using', 'association remained cholecystokinin', 'quality trait performed', 'significance case', 'snp fmo5', 'elovl6 gene', 'validate detected qtl', 'phenotyped genotyped', 'genotype milk production', 'reduce number analysis', '20 data analyzed', 'correlation growth', 'searching maximum', 'unique snp genome', 'finding facilitate', 'ngf dopa dopamine', 'marbling inferred haplotype', 'ema imf hanwoo', 'irf3 qtl eca10', 'peptide derived foot', 'marker revealed total', 'oarae101 interestingly chromosomal', '24 coincided', 'backfat thickness 7th', 'containing known', '1596 3p microrna', 'agc 113g ggc', 'significantly associated 001', 'meat affecting', 'showing chromosome', 'snp discovery region', 'le subcutaneous', 'variation age', 'trait used genetic', 'led revision', 'imputation strategy aim', 'characterization health', 'acid c14 cis', '5274g located', 'analysis estimated snp', 'work relevant study', 'multiple test considered', 'tenth rib backfat', 'significantly linked', 'associated obesity snp', 'size carcass', 'background performed', 'bwf age oviposition', 'development low', 'threatens household food', 'standard animal', '734 chicken 321', 'concentration snp', 'glmm analysis validated', 'environmental impact', 'knowhow regarding', 'phase linkage', 'μg addition haplotype', 'demonstrated experimental', 'cpt1a sucla2 csrnp1', 'development belgian texel', 'odc gene study', 'weight moderate high', 'study identify alternative', 'gene near', 'bf rib significant', 'rs110013280 rs134702839 rs109551605', 'heading mesh', 'nr3c2 quantitative analysis', 'prevalence 46 52', 'protein percent additive', 'population total 724', 'purpose work', 'genotypic difference bos', 'single qtl pleiotropic', 'abc dairy', 'growth factor insulin', 'member fam110b', 'additional family', 'desirable undesirable allele', 'determine genotype', 'line 12', 'practical relevance', '01 body weight', 'result marker heritabilities', 'impairing offspring', 'beadchip imputed', 'population resequencing', 'previous study qtlrs', 'bovine fshr gene', '13 bta27', 'adg fcr', 'snp exon leptin', 'snp related intramuscular', 'micrornas mirnas including', 'animal 14', 'detect statistical interaction', 'qtl identify', 'bone strength performed', '629 370 715', 'level little', 'qtl mc', 'phenotype sequenced', 'representing main cattle', '10 family', 'variation hardy weinberg', 'information pattern', 'ssc2 detected', 'block snp rs412986330', 'cross genetically diverse', 'dh snp', 'line difference broiler', 'liver weight gizzard', 'mammary gland development', 'slope increasing', 'cross validation scheme', 'study human', 'fat suet fat', 'provided complete coverage', 'gene siglec12', 'conducted significant', 'multiple population help', 'hand including', 'measure milk production', 'sheep detect chromosomal', 'genomic region detected', 'variation summer', 'evidence qtl ssc', 'gga4 half sib', 'sheep ovis canadensis', 'region lung antibody', 'trait associated fitness', 'specific study utilizing', '34 mb flanked', 'receptor associated yearling', 'fatness second', '01 finding facilitate', 'cell maintenance glucose', 'ex1 allele snp', 'second challenge designated', 'benefit breeding', 'falkiner memorial', 'difficulty mcd pm', 'influenced underlying variation', 'qtl eqtl 104', 'muscularity tm', 'content study fine', 'diverged distinguished', 'healthy control', 'pc1 indicating', 'function biological', 'population accounted', 'affecting cattle selection', 'association dmi fcr', 'high prolificacy remains', 'microsatellite marker identified', 'occurred lowest frequency', 'evaluation score', 'large f2 cross', 'phlda3 lad1 putatively', 'measured time point', 'tissue qinchuan', 'used 436 genotyped', 'duroc based crossbreds', 'level obtained', 'diameter snp prkag3', 'gene analysis total', 'according chicken spot14alpha', 'lep 1387c fully', 'daughter 12 sire', 'sck2 novel', 'handful non', '170 male calf', 'plasma chl phenotype', 'chromosome affecting number', 'information lack', '31 production', 'aggressive behaviour performed', 'sequencing synonymous substitution', 'sought high', 'genomic variation tested', 'qtls mapped chromosomal', 'chicken provide short', 'effect fitted', 'progeny test program', '23 highly significant', 'prl gene statistical', 'marker snp', 'epha5 nbea gene', 'milk bhb identify', '057 rs320439526', 'ash water content', 'intake fi', 'gga1 11', 'porcine gpihbp1 protein', 'presence variant', 'deposition energy balance', 'regulates secretion', 'ewe purebred awassi', 'composition clear candidate', 'potassium voltage gated', 'recessive haplotype', 'ser15ile thr257met', 'packing plant', 'involved regulating', 'pig erhualian', 'anxa9 gene', 'im lavc', 'predominantly adipose tissue', 'fat metabolism deposition', 'interaction theory', 'trait proportion variation', '200 vs', 'ensure independence', 'cc 56 compared', 'score conformation', 'snp covering genome', 'background gene epigenetically', 'associated clinical', 'family knc resource', 'investigate association pit', 'trait content cp', 'photo visual inspection', 'technique determination dna', 'associated fec 01', 'characterize qtl', 'cohort population 842', 'box dimeric', 'used pathway analysis', 'breeding enlargement', 'bipolar disorder 31', 'type consequently', 'reported causal', 'additive ovulation rate', 'resistance infectious', 'host cell prosaposin', 'qtl explained increase', 'regulator forkhead', 'associated mineral', 'common variant contribute', 'chicken complex', 'code enzyme fatty', 'concordance substantial level', 'number ai', 'marker bta14 decr1', 'day 35 gga2', 'data qtl', '432 655', 'total 423 snp', 'allele genetic', 'gene underlying typical', 'detected impact', 'cc cd', 'evaluated polymorphism', 'allele frequency differed', 'pedigree provided greater', 'combined probability test', 'detected associated fcr', 'inhibiting allele id', 'used address objective', 'trained sensory panel', '17575a 17607t', 'area relatively', 'international genetic evaluation', 'disk protein', '24 tt', 'horse caused', 'qtl refine', 'indication quantitative', 'bonferroni correction association', 'pig determined', 'molecular variance amova', 'urmia indigenous', 'qtl included replication', 'variant characterized retention', '80 741 lactation', 'aim paper', '23 865 cow', 'large commercial population', 'calving trait associated', 'mainly secondary effect', 'ovlv recent study', 'gene mutation contribute', 'widely predominantly adipose', 'mapping mqreml analysis', 'age lyw canchim', '762 bird intercross', 'red subpopulation', 'binding site plausible', '06 2009', 'dgat1 tg showed', 'consistent original', 'identify locus porcine', 'potentially implicated', 'fertility population', 'phenotype qtl pqtl', 'demonstrated usefulness modelling', 'pleiotropic qtl growth', 'ectopic expression', 'gh sorf2', 'strong effect', '13 interval mapping', 'spectrometry evidence', 'basis mastitis', 'associated skin thickness', 'lingao min rongchang', 'na ionized ca', 'calf herd tested', 'boar cross', 'size large', 'multi faceted disease', 'pietrain breed monomorphic', 'trait measured predominantly', 'experienced reproductively', '447gg individual dose', 'result identified genomic', 'dik2862 bms778', '05 result confirm', 'chromosome number', 'maf 25 13', 'chromosome previously', 'selected joint quantitative', 'statistic profile family', 'shedding logarithm odds', 'used genomic breeding', 'clearly result combined', '52 individual', 'bmp 15 gene', 'combined effect snp', 'study reporting snp', 'separate crossbred', 'ssc4 flanked marker', 'meat production', 'segregation analysis', 'snp effect evaluated', 'fertility fundamental trait', 'using animal', 'family 373', 'mutation genotype', 'gwas analysis performed', 'based imputation', 'comparison candidate', 'epidemiological case control', 'marchigiana muscle development', 'imi gene responsive', 'gemma emmax imputed', 'model comparison', 'effect male', 'color 021 commercial', 'animal dominance', 'gwas model weighted', 'representing 826 pig', 'propose use', 'microsatellites conducted', 'human objective study', 'pigmentation genotyped', 'segregate udder', 'growth characteristic hsa', 'combining association linkage', 'genotype effect fatty', 'order run dna', 'snp marker information', 'trait included score', 'improved breed egg', 'grandsires 258', 'gene category', 'pig positive', '10 180', 'protein content indicator', 'sd study', 'defense intensifying glycolytic', 'gamma gene support', 'pm ch lm', 'qtl affecting female', 'pregnancy rate service', 'cm shank girth', 'furthermore haplotype constructed', 'qtl mapping study', 'station flock association', 'novel dna variant', 'association ph24', 'candidate gene sixteen', 'applied duroc', 'abhd5 known comparative', 'bovine leukosis', 'taint especially', 'locus qtl influencing', 'abcd4 gene', 'recent genome wide', 'gene recently', 'tbg carcass', 'eighty dairy', 'tibetan identified', 'status chicken objective', 'composite recently', 'hanwoo statistical', 'expression drip loss', 'hapflk approach', 'breed appears', 'exhibited lower', 'harboring snp', 'population pleiotropic', 'respectively univariate', 'agreement fourfold higher', 'chromosome approximately 22', 'performed large', 'hereford result', 'crossbred population raised', 'implication analysed polymorphism', 'region inverted teat', 'cis cis', 'genotyped putative causative', 'qdg analysis', 'reared outside', 'melanoma performed', 'qtl region cm', 'cn population', 'distinct chromosome', 'marker passing qc', 'age puberty gilt', 'genetic basis complex', 'gga2 revealed', 'heritability 79', 'phenotype explained', 'snp beadchips illumina', 'analysed gwas', 'qtl region genome', 'potentially reduce effect', 'slaughter indicator sheep', 'jersey crossbred', 'estimated study describes', 'ontology analysis revealed', 'backcrossed 12 dam', 'parallel study revealed', 'fe allele', 'percentage myostatin', 'significant 0124', 'equation primal', 'cross diverse outbred', 'phenotype gaussian assumption', '14 allele lysine', 'result selective dna', 'anestrus failure conceive', 'genetic control mastitis', 'set 777 snp', 'trait preparation', 'prolactin prl', '847 snp mapped', 'region lap3', 'marker effect using', '16 41 cm', 'optimization prediction genomic', 'previously reported bovine', 'genotyped 954 f2', 'score compared frequent', 'shanxi black', 'spp allergen objective', '2630 cm qtl', 'fasn gh1 lep', 'growth trait displayed', 'powerful approach', 'variability leucocyte', 'resistant susceptible lamb', 'requested traditional', 'regrouping associated single', 'skin color trait', '10 cfu', 'mixed model including', 'group animal', 'notch2 prex2', 'regulation conclusion', 'contributing variation', 'stable generation provide', '3691g snp significantly', 'haplotype level', 'infected tall', 'syndrome md', 'major health', 'including increase', 'individual inferred', 'dna pool sire', 'ibk susceptibility objective', 'simple humoral', 'weight jb2 r25c', 'affecting risk clinical', 'a2 b1', 'expression subcutaneous', 'gga gallus gallus', 'generation large sibship', 'joint order control', 'snp associated warner', 'sample size composed', 'association social reactivity', 'breed veterinary record', 'assessment frequency', 'dna sample predicted', 'result suggest haplotype', 'data specie suggest', 'lower effect', 'variation clearance maternal', 'array sowpro90', 'product revealed arginine', 'chromosome outbred f2', 'precocity 05', 'xianan population respectively', 'promoter regulatory', 'gene f1 offspring', 'omy5 explained genetic', 'leghorn cross respectively', 'result biological', 'trait broiler breeding', 'study provides evidence', 'different level musculus', 'knowledge vertebral development', 'identified commercial', 'associated cmi chicken', 'cd96 gene', 'chemokine gene', '96c promoter', 'bta02 bta03', 'candidate gene provided', 'pb ranged', 'ultrasound scanning', 'additional crossbred', 'metabolism highlighted gene', 'analysis significant 05', 'trait shared significant', 'demonstrated cast haplotype', 'detrimentally influencing', 'disease poultry', '552 phenotypic measure', 'estimate effect individual', 'anka broiler', 'growth weak', 'expression level large', 'pit polymorphism growth', 'wld 117 su', 'breed 125', 'grandsire family marker', 'gwas 22', 'previous sire genome', 'cow 19 snp', 'based granddaughter design', 'biology underpinning condition', 'line genotyped', 'population analysis', 'qtls backfat', 'search polymorphism analyse', 'differing approach', 'genetic variation', 'heifer estimate', 'population investigate', 'inbreeding sample association', 'qtl region described', 'number ovulation', 'taurus indicus', 'cd46 transcript variant', 'duplication include', 'detected using gwas', 'acid general relationship', 'identified 44 chromosomal', 'kitlg ssc5', 'weight population broiler', 'different period age', 'kit locus', 'greater muscle yield', 'updated release bovine', '15 18 13', 'position estimate', '660 individual', 'reconfirmed causative', 'showed good conservation', 'snp chromosome significantly', 'content criticized risk', 'percentage milk 1222', '001 chromosome', 'concentration snp rs42646708', 'development effective sustainable', 'beta type', 'breeding population fish', 'fat soluble', 'swine originates', 'major genome wise', 'primarily exclusively', 'slc6a4 rs17196799 rs17193181', 'population chinese sutai', 'nce7 polymorphism significantly', 'bmp 15', 'bin1 herc3', 'haplotype m1 line', 'reproductive behavior', 'available discovering host', 'approximately greater 05', 'human confirming', 'se vaccine evaluated', 'effect contributed', 'second method estimate', 'ebv average', 'mapping validation', 'great opportunity study', 'silent mutation identified', 'led discover', 'porcine il 1a', 'monounsaturated 14', 'intron usp43', 'remain major cause', 'bpi exon 10', 'associated bovine milk', 'receptor ryr1 gene', 'gys1 intron', 'expressing fewer proinflammatory', 'risk gene mc1r', 'significant association stearic', 'compared 29', 'observation body', 'difficulty based sift', 'new genetic variant', 'f2 pig', 'ancestor domestic', 'yield daily fat', 'leg muscle fibre', 'basis cloning', 'inheritance oar18 qtl', 'microsatellite omyfgt19tuf', 'defined mb', 'wide screening qtl', 'chicken growth deposition', 'gc rna expression', 'quality tenderness ssc4', 'hsd17b7 ibsp', 'consisted 796 pedigreed', 'lalba gene influenced', 'line known', 'prnp genotype', 'class daughter trait', 'sheep genetic', 'lipid metabolism transported', 'primer polymerase', 'valine alanine', 'wide scan 467', 'important pork', 'reliable detection', 'ssc11 c20', 'locus region gap', 'fetlock oc qtl', 'architecture underlying growth', 'angus charolais university', 'differentiation tyrosine', 'dpr cow conception', 'genome scan identified', 'test fst analysis', 'acid metabolism position', 'chain monte', 'pig identified 17', 'line evidence including', 'chr 20 lod', 'study performed reproductive', '52 23', 'higher chicken', 'immunity high inter', 'sequence data gene', 'male phenotyped ascites', 'identify snp', 'polymorphism snp middle', 'bp harbor', 'small region rxrg', 'snp 667', 'selection included', 'number teat reproductive', 'measured thousand', 'disease subclinical disease', 'gwas significant snp', 'selection defect established', '05 primal cut', '32 measure', 'hsf1 eqtl significant', 'analysed 11', 'coagulation trait milk', '23 kg absent', 'evolution developed microsatellite', 'suggestive identified chromosome', 'qtl largest', 'shorter distance breed', 'relevance detect effect', 'identified gga2', 'phenotypic variation single', 'corrected sc', 'mechanism key mapping', 'included cv', 'immunity protective', 'animal 12 issued', 'snp untranslated region', 'autosome gga gga4', 'separately result', 'c14 proportion', 'bone weakness', 'acid c10 lauric', 'confirmed silico', 'billion annually', 'pulawska altogether', 't3 snp', 'rt 24 detected', 'content enhancing monounsaturated', 'help selection', 'association meat trait', 'global agricultural', '54 95', 'developmental gene', 'genetic variant achieved', '20 contained significant', 'resistance population', 'qtls overlooked', 'chromosome relating 40', 'wide selection resistance', 'consistently related increased', 'influenced outcome', 'effect puberty', '27 trait expected', 'proposed strong', 'disequilibrium result', 'instrumental colour', 'omy9 explained', 'phenotype collected season', 'association model', 'marker associated apob', 'length linear', 'chromosome carried variant', 'effect significantly', 'positive effect', 'specie heritability estimate', 'ascites reduction', 'intronic variant', 'piglet highest', 'ubl5 retn retn', 'substitution included fixed', 'variance component quantitative', 'correlation length', 'snp random polygenic', 'snp noncoding sequence', 'polymorphism bioinformatics', 'production snp associated', 'density insufficient', 'fitness trait variation', '15 shoulder width', 'cell organism contribute', 'regulating synthesis', 'taurus bmy', 'promising approach', 'gene 5k non', 'tph2 rs20917091 slc6a4', 'alternative qtl mapping', 'polymorphism snp rare', 'ecotypes improved selective', 'carotene concentration', 'compared common', 'mmp2 associated hip', 'located conditioned analysis', 'suggesting differential', 'related function', 'effect arg236his influenced', 'locus maximize economic', '434 genetic marker', 'swedish milk', 'concentration adipose', 'hypothesizing sorf2 interacting', '12 snp located', 'comparison mean', 'contribute form', 'tm used', '2449g 2379c h2', 'creatinine cre', 'metabolic trait fatty', 'suffolk 998 sheep', 'direction adipose', 'ebv variance', 'similar explained qtl', 'expedited emmax method', 'candidacy trait related', 'gli kruppel', 'oar3 determine possible', 'marker backfat thickness', 'protein pr domain', 'precision shared qtl', 'result considerable economic', 'large effect pleiotropic', 'steroid androstenone sex', 'varies white', 'prevention prrs partially', 'ssc4 seven', 'f2 population confidence', 'wise marker', 'yield used', 'metabolism cytoskeleton remodeling', 'hgd pvuii', 'analysis statistical significance', 'record milk', 'regarded pivotal', 'linkage analysis performed', 'subtrait abortion genome', 'initial analysis revealed', 'phenotypic genetic', 'locus linkage disequilibrium', 'bull marbling', 'data case', 'effect bmt qc', 'xp2 xq2 xqter', 'wise critical', 'precise position hinders', 'wildtype domestic', 'approach identified specific', 'program weighted', 'embryonic survival pig', 'development mammary', 'factor gdf8 common', 'significant trait carcass', 'gabrb3 hsf1 eqtl', 'approach allow', 'lead considerable', 'association study naturally', 'rbm19 adam12', 'data independent', 'genome previously reported', '98 radiographic', 'determine favourable allele', 'maternal anxa10 cause', 'important reference', 'associated seven', 'indicated tnp1 expression', 'ear size experimental', 'expressed liver kidney', 'sib family identified', 'effect minolta colour', 'meishan lw breed', 'pasture average measurement', 'significant allele', 'trait relative climate', 'hdl ldl ssc1', 'disk protein involved', 'reveal occurrence caudal', 'estimate addition janus', 'identified significance level', 'mainly devoted', 'value studied', 'revealed suggestive', 'result total 171', 'weight breast', 'wt 22', 'variant concentration fat', 'promising candidate gene', 'microsatellites covering 29', 'insertion deletion', 'ssc1 regard number', 'increasing nematode population', 'variance conclusion finding', 'ph color meat', 'fat muscle body', 'callipyge carwell', 'study step identification', 'snp using', 'qtl ssc1 ear', 'efficiency use', '800 single nucleotide', 'qtl explored', '266 178 206', 'carcass population developed', 'single trait breeding', 'evolutionary biology key', 'vitamin elderly', 'demand important revealing', 'polymorphism lpl', 'use historical field', 'light molecular mechanism', '092 conclusions', '532 utr tnp1', 'based linkage', 'sire known', 'cie filtering drip', 'trait comparing', 'valid single nucleotide', 'snp genotyped 250', '10 different', '51 significant', 'transcript fetal tissue', 'ssc2 ssc sus', 'adl0152 sqsl1 explained', 'day prediction', 'activity acvr2a promoter', 'influenced age increasing', 'chromosome 14 near', 'fat concentration snp', 'gene genome wide', 'heritable polygenic trait', 'shaping genomic variation', 'susceptible animal broad', 'family 373 042', 'chromosome ssc5', 'level porcine prkag3', 'ph ssc3', 'new holstein haplotype', 'pnpla3 gene', 'word configuration', 'unacceptably tainted', 'technology examined association', 'response experimental prrs', 'mufa pufa', 'maternal line genetics', 'exposure air k232a', 'snp independently', 'carcass growth meat', 'frequency breed', 'chicken thermoneutral', '16 27', '05 tlr genotype', 'landrace population half', 'level conclusion', 'based variance', 'perform multi', 'estimated association', 'pressure acting', 'backfat 83', 'using medium', 'addition present evidence', 'located lg1', 'bm number luster', 'test drop test', 'adipose tissue combination', 'animal culled', 'colubriformis primary secondary', 'mammary gland later', 'significant percentage', 'imputed holstein friesian', 'gene tg cast', 'information multiple', 'protein sugar milk', 'size european', 'loss oncogenicity strain', 'phenotype linkage analysis', 'analyzed using illumina', 'predominantly mhc', 'window sum phi', 'significant effect palmitoleic', '17 son founding', 'similarity carora variation', 'resource population brief', 'using nimblegen sequencing', 'facilitate cloning candidate', 'availability large scale', 'trout aquaculture industry', 'investigated linear model', 'preventing meaningful', 'linkage information refers', 'lactoferrin gene promoter', 'significant qtl strong', 'bone weight', 'qtl jersey', 'withers height pony', 'small chromosome sharp', 'genetic background korean', 'gene screening failed', 'mucin muc4', 'population derived cross', 'point decipher', 'signaling pathway suggests', 'receptor igf1r gene', 'trait breed parity', '05 ph', 'efficiency phenotype collected', 'gr fecx gr', 'metabolism slaughter', 'opn secreted', 'ewe test day', 'herd total 610', 'thickness included', 'influenced lean bone', 'model identify genomic', 'chr1 presented', 'cooking centrifuge force', 'contribution 63 pre', 'genotype assayed chicken', 'located nucleotide', 'estimated heritabilities polygenic', 'successive cross', 'closely connected meat', 'snp rs13905622 strongly', '10 view', 'relationship significant snp', '12 f2', 'analysis performed considering', 'producing mature microrna', 'consisted 3579', 'effect associated oar6', 'fat tissue body', 'qtl region 18', 'qtls identified chromosome', 'content population', 'issued hg', 'effect combined multivariate', 'downregulated fold adult', 'deviation egg', 'sc difference somatic', 'thickness second', 'interval marker sw2409', 'snp int5', 'test beginning end', 'behavioral trait sheep', 'maximization bayesian', 'cow population 14', 'fisher exact test', 'equation coefficient', 'qtl optimally', 'cell mediated', '150 bf', 'family allele substitution', 'new statistical method', 'dark point', 'swine population subsequently', 'breed syntenic region', 'cell monocyte', 'chromosome using daughter', '28 carcass trait', 'difficulty milk', 'qtl middle gga5', 'tata site snp', 'c5697t intron', 'revealed mutation significantly', 'bird genotyped 269', 'marker presence', 'physiological function related', 'gwas efficient', 'rs43284251 rs109210955 rs41630030', 'percentage association marker', 'pcr pira ghr', 'shoulder loin', 'assembly eca9', 'marker regression multi', 'impact variant contributing', 'qtl located', 'sire dam risk', 'use qtl sheep', 'marker passed quality', 'eth10 pcr', 'involved resistance', 'intercross non', 'novel preventative treatment', 'fescue toxicosis', 'zebu composite', 'abnormal pork', 'uninfected pig', 'new data routinely', 'etnk1 pde3a', 'suggested individual', 'variant mutation', 'mean standard deviation', '01 dd higher', 'founder respectively iv', 'leaf fat weight', 'thirdly provide', 'sperm concentration total', 'attain genome wide', 'carried french', 'ketosis frequently', '11 pig', 'goat 97', 'han sheep', 'trait increase artificial', 'snp31 strongly', 'affecting female', 'new cft trait', 'laying bird', 'ldla carcass trait', 'sheep nos3', 'sperm abnormality', 'glycogen ssc1', 'generation 12 13', 'ssc9 69 cm', '36 gwa analysis', 'calving suggesting', 'intake gga1', 'ab genotype gave', 'teat development', 'sample genotyped based', 'using sire common', 'weight rib rib', 'provide 29 new', 'major mutation suspected', 'genetic effect piglet', '166 marker 18', 'exon ovine ucp1', 'specific opportunity improving', 'snp bovine', 'snp marker prevalence', 'specific cn', 'antral follicle', 'distance using', 'milk naturally enriched', 'cluster marker suggestive', 'linkage disequilibrium mapping', 'thyroglobulin tg backfat', 'protein sp1 site', 'heritable inverted', 'number estimated', 'great importance dairy', 'identifying genomic region', 'porcinesnp60 beadchip association', 'employ genetics', '54 342', 'second prolificacy', 'locus significant', 'porcine susceptibility etec', 'evaluate excretion trait', 'longissimus lumborum et', 'line white leghorn', 'reveals area', 'affected different locus', 'associated gene ontology', 'regulatory snp altering', 'il10_prrsv repulsion phase', 'individual gg', 'eggshell weight', 'required identify', 'lactation estimated', 'interval 25 cm', 'cnvs use', 'offspring rao', '611 79', 'qtl located sus', 'related trait assessed', 'associated production trait', 'positive detected', 'demonstrated porcine ldha', 'chr 14 region', 'allele locus', 'window region seven', 'hampshire nhi inbred', 'sc repeatedly', 'expression liver gfra2', 'proportion heritability attributable', 'sm phosphatidylcholine', 'specie nematode blood', 'higher 001 averaging', 'slope protein', 'chromosome ti qtl', 'interaction study', 'locus study required', 'ssc7 remained final', 'genetic relatedness', '86 105 significant', 'combine large', 'clinical score', 'pig porcine', 'largely unknown investigated', 'furthermore german animal', 'haplotype formed snp', 'tender palatable meat', 'ovine region', 'imbalance potentially', 'pfts south', 'separate group', 'gnaq gene', 'underlying phenotype', 'used localize qtl', 'closest gene', 'thickest 31', 'trait foreleg length', 'cw afw', 'domain source reprogen', 'low fec identified', 'pipeline gatk', 'content detected 72', 'gene ssc15 marker', 'arhgap24 cytoplasmic', 'algorithm derive gene', 'ph 45', 'shamo lean', 'dominant allele recessive', 'genome reference', 'verified complex', 'stress adaptation environmental', 'daily milk yield', 'individual 32', 'porcine skin function', 'computing vienna', 'using divergent', 'lamb season identification', 'unknown sensing regulating', 'single snp associated', 'affecting carcass meat', 'specifically snp', 'functional effect', 'f0 individual illinois', 'genetic background', 'reported using', '562g 3112c cebpd', 'different commercial cross', 'oar11 commercial population', 'evidenced expression', 'mir 204 murine', 'locus qtl performed', 'used pseudophenotypes gwas', 'trait nearly half', 'snp60 beadchip identify', 'respectively suggestive', 'rsnps shown associated', 'ssc7 marbling score', 'zbrk1 transcription factor', 'sh weight rib', 'drumstick weight tibia', 'confirmed following detection', 'important indicator sexual', 'wise significance lower', '62 polymorphism', 'number mastitis', 'female sib dependent', 'production pig major', 'individual seven', 'data 26 growth', 'ovlv post infection', 'group dairy', 'respectively investigated', 'usda herd', 'swine express substantial', 'group association', 'component analysis data', 'muscle development ldha', 'bovine mastitis', 'calling affected 47', 'interesting result qtl', 'explained 19 phenotypic', 'mouse indicating', 'porcine chromosome 12', 'significantly higher somatic', 'ssc17 ssc18', 'unl population', 'cc significant polymorphism', 'suggesting similar set', 'radiography 117 south', 'horse relative contribution', 'keel length metatarsus', 'muscle fiber', 'trait platelet', 'group ranged 14', 'state são paulo', 'specie revealed flanking', 'needed evaluate effect', 'measure metabolic', 'using image', '787 single nucleotide', 'brd essential', 'evolved multiple strategy', 'significant qtl nominal', 'using functional positional', 'effect specifically snp', 'cow performing', '038813 hapmap31284 btc', '12 issued', 't1952a stearoyl coa', '42 32', 'heritability qtl', 'relating female', 'afp addition kit', 'duroc pietrain polish', 'influenza infection', 'marker arranged 20', 'cell activation protein', 'intake rfi2', 'animal nucleus population', 'test polymorphism', 'primer designed amplify', 'platelet trait respectively', 'affected birth weight', 'trait measured animal', 'variation breed bovinesnp50', 'significant number', 'defect heterochromia', 'cattle consist', 'predicted change amino', 'analysis mammalian phenotype', 'previously mapped ssc17', 'contributing rln', 'fimbria type etec', 'detected provided data', 'foetus birth', 'snp non overlapping', 'meta analysis', 'associated yield trait', 'individual assessed rao', 'best evidence', 'analysis identify possible', 'gene capn1', 'difference reproduction random', 'carcass chromosome sw1996', 'imprinting effect snp', 'known pinkeye', 'qtl lead identification', 'uncover qtl', 'underlie correlation disease', 'weight reached', 'weight test end', 'implemented gensel number', 'force heterozygous', 'calcium deposition', 'real time quantitative', 'scan total number', 'obviously population', 'vertebral count region', 'analysis fully confirmed', 'individual cheesemaking', 'compared low ph1l', 'included categorical', 'gwas 10 000', 'iteration based', 'unrelated animal breed', 'level furthermore gpihbp1', 'aim study map', 'imf content homolinolenic', 'fixed equal', 'pathway controlling food', 'disequilibrium single', 'parasitic blood disease', '10329c intronic', 'haplotype effect', 'significant npl value', 'affect promoter', 'implemented existing', 'population tcf21', 'rfi need validated', 'refined location horn', 'size trait nil', 'yield kg 05', 'identified regional', 'whilst majority european', 'haplotype chromosomal', 'qtl affect value', 'showed 205g', 'jointly contribute phenotypic', 'studied indicator', 'group chicken selected', 'litter size', '2228t 2281a promoter', 'region effect', 'useful guide', 'conclusion best knowledge', 'carcass weight cw', 'porcine gpihbp1 lpl', 'sow displaying', 'frequency tested 200', 'predictor included body', 'leucocyte count ssc2', 'conducted pph pch', 'genetic progress genetic', 'founder population lost', 'differentiation phenotypic modulation', 'linkage disequilibria', '141 crossbred beef', 'score 05 271', 'ocd fetlock hock', 'correlated growth fat', 'overall health status', 'size record fecl', 'prediction putative', 'age detected ssc6', 'drug transporter', 'imprinting additional modeling', 'performed bos taurus', 'marker complex trait', 'ma study landrace', 'power detection small', 'robustness genetic', '262 significant snp', 'frequent costly disease', 'genotyped 411 holstein', 'detected dna sequencing', 'polymorphism explained', 'parasitic nematode trichostrongylus', 'condensing spermatid', '05 bb', 'variant growth', '5mb bta6', 'bf lean bf', 'genotype pedigree', 'pietrain allele associated', 'carcass quality hanwoo', 'demonstrate bft hw', 'characteristic component', 'architecture long term', 'cholesterol deficiency haplotype', 'kyphosis vertnin', 'study landrace', 'assisted selection chicken', 'causal mutation litter', 'intercross line ancestral', 'new allelic form', 'transcriptome tibia', 'using gemma software', 'study identified deleted', 'using linear animal', 'considered carried firstly', 'test dna', 'correlated incidence', 'mir 1556 predispose', 'set significant', 'length shank', 'represent important', 'tested 00005 additive', 'detectable qtls', 'fatness economically', 'study sufficient', 'autosome chromosome aim', 'expression large', 'individual tm qtl', 'quality based', '056 728', 'ssc6 ssc7 sscx', 'cross white rock', 'representing 10', 'study internal organ', 'interaction included qtl', 'type consequently snp', 'possible exception', 'animal high growth', '343 single nucleotide', 'breed knowledge study', 'major portion genetic', 'receptor specific bacterium', 'snp ref older', 'low ph1l', 'heterozygous family ranged', 'trait purpose', 'studied snp illumina', 'snp chip 44', 'vaccination generally effective', 'season rainy', 'direct breeding', 'major histocompatibility', 'strategy resistance', 'scored direct calving', 'pcr test', 'mutation g32e', 'chromosome carcass', 'analysis showed 205g', 'gene snp associated', 'processing industry', 'gene igf2 affect', 'result expected lead', 'trait implying', 'bull marbling qtl', 'area lma 05', 'bovine fbxo32 gene', 'mutation regulatory element', 'value low moderate', 'nrr day insemination', 'development ldha copb1', 'epistatic additive effect', 'influence technological property', 'suggesting interpretation', 'snp bta8 su', 'sixth seventh rib', 'detection qtl', 'performed hek293 human', 'bull genome', 'transformed avfec arcsine', 'mapping genomic region', 'chicken interline', 'month age', '101 34', 'glatt kosher low', 'xirp2 15 01', 'majority trait furthermore', 'influence ear trait', 'site abundant', 'carcass gizzard', 'italian holstein sire', 'kbp snp', 'leading conclusion', 'snp representing daughter', 'searched fkbp6 mutation', 'study nrr 281', 'associated resistance identified', 'model analysis revealed', 'sire maximum statistic', 'tested breed significant', '28 62 nve', 'association snp nucb2', 'carried subsample 423', 'ovlv susceptibility', 'window located chromosome', 'loss measure', 'cattle marker', 'validation dataset val', '560 animal', 'calf size stature', 'dependent origin chromosome', 'redness texture prkag3', 'taint evidence', 'ear size nos3', 'validate single', 'universal utility', 'indicated individual', 'study identified genomic', 'identified porcine locus', 'maasai sheep adapted', 'leucocyte neutrophil', 'nutritional value meat', 'effect 11 snp', 'compared aa genotype', 'associated fertility trait', 'mykiss population estimate', 'ontology male reproductive', 'composition candidate', 'studied conclusion', 'corresponding haplotype associated', 'molecular genetic', 'sire scored', 'ssc fine mapped', 'fecundity local breed', 'vl phenotypic', 'infection poorly understood', '43 accomplished', 'weight cw 38', 'development yield', 'result chronic pain', 'nsb 05 nn', 'finding suggest mammal', '001 miescheriana', 'report qtl ph', 'ssc 14', 'lesser degree similarity', 'sexual ornament comb', 'showing investigation intermediate', 'qtl mapping performed', 'krab domain sox9', '25 shank', 'rflp pcr test', 'snp 05', 'scrofa region', 'genetically simple trait', 'result prkag3', 'fat weight suggestive', 'trait related fat', 'lalba summary', 'typhoid 2007 2012', 'dna porcine cmya1', 'line address question', '78 fold early', 'registered cow', 'method based fitting', 'great promise', 'segregating paternal', 'association body length', 'trait enhances', 'effect allele substitution', 'composition fat melting', 'bhb concentration indicator', 'opn haplotype associated', 'seasonality chose mtnr1a', 'snp eca3 snp', 'bovine bco2 gene', 'energy metabolism endocrine', 'fdr resulted', 'genome close proximity', 'gene 420 qinchuan', '44 100 single', 'public regarding', 'acsl3 ghr oxct1', 'associated anai4', 'oestrogen receptor', 'marker analyze quantitative', 'minor evidence', 'iris depigmented phenotype', 'crossbred lamb born', 'pool data', 'sheep chromosome close', 'gross pathology', 'modulation total', 'study qtl carcass', 'mtpn involved', 'including vrtn', 'contribute rfi', 'pig meat trait', 'pig f2', 'duroc pig fcr', 'number thoracic vertebra', 'pinpointing trait', 'genotype gg', 'reported novel unique', 'expression correlate number', '20 cm ssc4', 'joint examined', '055 rfi', 'indicus nellore cow', 'snp f2', 'tcf21 chromosome identified', 'gnas snp', 'variant association', 'reported previously chromosome', 'qtls interestingly chromosomal', 'process signaling pathway', 'mapping decision', 'population jb1', 'enhancing resolution', 'revealed existence haplotype', 'multiple layer', 'nematode control method', 'family marker lower', 'production trait rainbow', 'variance muscle depth', 'used perform ssgwas', 'herd subset 6744', 'animal 3794', 'molecular marker molecular', 'development weaning estrus', 'white individual analyzed', 'tolerance johne', 'encoding gene ube3b', 'parent genotyped using', 'weight mapped gga1', 'rbc increase lamb', 'cattle sire', 'reduce level', 'suggest gdf10 gene', 'addition tac', 'lack fit', 'incidence recorded', 'snp associated 18', 'pig conducted genome', 'dam breed', '40 day body', 'limiting enzyme', 'gene cxxc5', 'underlie phenotypic extreme', 'important role abdominal', 'utr help select', 'discrepancy identified', 'examination revealed near', 'litter record 226', 'animal understand genetic', 'objective study dissect', 'sample obtained 464', 'ldla identified chromosome', '796 pedigreed male', 'differentiated snp cattle', 'count nominally associated', 'research total', 'enzyme required', 'relaxed test located', 'playing crucial', 'despite major', 'deviation phenotypic', 'genotyped 24 microsatellites', 'bacteriological data', 'meat trait affected', 'differentiation normal', 'reported highly', 'variable interval mapping', 'yield shoulder', 'afe wfe', 'provided 42 469', 'snp mir206 snp', 'phenotyped bf ld', 'backfat animal', '02 snp', 'trib1 locus map', 'line elite', 'weight pta', 'slc19a1 icelandic', 'lod 51 lod', '196 significant snp', 'morphogenetic protein binding', 'involved expression', 'family yield', 'multi locus random', 'nucleotide marker', 'able distinguish', 'contributes understanding role', 'variant rbc', 'muscle lipid', 'rfi complex', 'genetic structure resource', 'regulation elovl6 gene', '001 high low', 'controlled polygene', 'pig1 4m array', 'fat depth allele', 'growth backfat', 'mapped close acsl4', 'genetic correlation', 'map chromosomal', 'near lcorl', 'located intron nup210', 'distinct behavioural', 'mastitis case', 'influence fetal', 'previously reported breed', 'covariate prediction', 'year increasing number', 'combined frequency', 'morbidity farm substantial', 'snp ripk2', 'btax bta2 bta10', 'ssc dissect', 'vertnin vrtn involved', 'c8 capric', 'experimental half sib', 'holstein qtl segregating', '192 result snp', 'growth economically important', 'higher semimembranosus', 'montbeliarde step qtl', 'novel population', 'bird genotyped 11', 'color score backfat', 'genetic network form', 'paternal qtl allele', 'hdac11 gene', 'effect whc', '7637 different 01', 'stillbirth calving performance', 'haplotype usefully contribute', 'biomarkers disease', 'level hypothalamus pituitary', 'abundance pectoralis', 'number plausible positional', 'favourable allele inducing', '291 son genotyped', 'fy observed', 'pcr arms pcr', 'greece bf gene', 'background limb bone', '11 12 14', 'synthesis disrupt', 'breast meat weight', 'gene lp significant', 'salmonellosis demonstrated experimental', 'database total', 'trait genetic marker', 'agriculture medicine', 'fst localized inner', '16 qtl strongest', '4q relative', '33 microsatellite snp', 'false positive suggesting', 'protein synthesis', 'known qtl related', 'region vimentin', '05 chicken chromosome', 'chromosome bull', 'previous research quantitative', 'soller et al', '2015 resulting', 'value assessment', 'cortisol measurement', 'rate nrdev 29', 'circadian clock inclusion', 'meat quality thesis', 'dpr coq9 epas1', 'approach using bayesian', 'arrival genome wide', 'combined case', 'involved skeletal', 'region mapped relative', 'regression method ldrm', 'allelic additive', 'vaccine conferring adequate', 'altering growth trait', 'mb sliding', 'fa composition', 'endpoint identified seven', 'bta19 41', 'tenderness index qtl', 'qtl adfi ssc3', 'hybrid thirdly', 'marker equally', 'gdf5 gene', 'independent population provides', 'virus infection', 'scan subsequent', 'production qtl ovis', 'junction protein', '28 represent', 'map3k cyfip1', 'type receptor gene', 'landrace boar 513', 'pc conclusion based', 'accounted 73', 'candidate gene potentially', 'caused bacterial pathogen', 'efficiency growth peg', 'chicken performing', 'loss pig', 'ovine chromosome location', 'pig result showed', 'application selective breeding', 'variation vertebral', 'covering 21', 'used putative quantitative', 'repeat muc13b predicated', 'gnas domain', 'snp span 21', 'ratio 23', 'fabp6 sst nr3c2', 'drip loss 05', 'cow university wisconsin', 'data provides', 'interaction detected', 'testing set randomly', 'c18 content', 'possible causality scd', 'significant epistatic', 'myofiber number 05', 'sixteen qtl', 'prop1 10 363', 'mastitis bvs model', 'revealed numerous', 'commercial population allele', 'study human obesity', 'cdk4 low', 'suffolk family qtl', 'improved tenderness', 'chance support', 'located undiscovered', 'study horn number', 'genotype map quantitative', 'catfish industry', '03 rft 33', 'chinese erhualian prolific', 'recently genome wide', '60k porcine chip', '13 19', 'basis limb bone', 'lead new method', 'rabbit 93', 'study 85k', 'variance ii', 'moisture cywater percentage', 'weight afw percentage', 'actual feed intake', 'lg1 lg26', 'abundance trait correlated', 'ram population 1983', '32 family', 'detection quantitative', 'related trait integrating', 'arl4c gene ssc15', '289 snp located', 'holstein using', 'left ltn', 'largest marker affecting', 'meishan large white', 'cv highlighted', 'sequencing polymerase chain', 'snp60 beadchip available', 'performance gwas', 'cycle body', 'fewer pup', 'region genome potentially', 'f2 intercross genotyped', 'result require', 'significant position limousin', 'kg average age', 'reveal cryptic causal', 'genotype jj ji', '12 021', 'f2 population duroc', 'spanning mb position', 'informative confidence interval', 'like ppil4 shown', 'probability linkage pleiotropic', 'qtl candidate gene', 'analysis revealed family', 'trained sensory', 'weight including', 'interval chromosome highly', 'region ability', 'affymetrix 600 single', 'construct protein protein', 'abcc10 scd5 kiaa0999', '2004 2005 liveweight', 'model mrmlm fast', 'ewe mated heterozygous', 'physiological inhibitor', 'affect fn tfn', '11 differentially expressed', '175 09 kg', 'carrying horn suggests', 'fleckvieh subpopulation analysed', 'set significance threshold', 'animal pertaining sire', 'nervous sheep', '11 12 addition', 'univariate regression', 'analysis revealed 13', 'using 250 microsatellite', 'justify use', 'identified qtl missing', 'facilitate improvement selection', 'complementary multivariate', 'content cell overexpression', 'health welfare competitive', 'residing near suggestive', 'tnb 44 vartnb', 'capn3 gene', 'covariable univariate', 'gene environmental interaction', 'lactoglobulin genetic', 'gland holstein cattle', 'reserve including spinal', 'region yielded positional', 'basis osteochondrosis sport', 'respectively cannon', 'consistent positive substitution', 'delineating genetic', 'trait exists new', 'area 022', 'using locus specific', 'revealed significant allelic', 'spanned maximum mb', 'provide starting', 'understand biologic background', 'led onset', 'classified category genome', 'regional heritability approach', 'ssc7 mapped marker', 'glatt kosher', 'mp score generation', 'nuclear receptor corepressor', 'zebu breed', 'locus explain modest', 'composition bone mineral', 'low frequency number', 'described method combining', '41 different hsp90aa1', 'ankh encoding', 'genetic variation affect', 'marker 29 bovine', 'synthesized mammary gland', 'integrating gwas bioinformatics', '346 chinese', 'loss maternal anxa10', 'pleiotropic effect qtl', 'frequency 56', 'composition influence', 'meat spot accumulation', 'day generation', 'rate rhm revealed', 'located ssc', 'contribute insight complex', '305 animal genotyped', 'relative allele', '961 snp 232', 'sequence gene', 'pla2g6 tmem38b', 'reduced 056', 'lc type lc', 'gin expulsion', 'gwas using 50k', 'qtls identified meat', 'linkage rh mapping', 'resistance gene', 'ca fe', 'biosynthesis determined pig', 'logarithmic bacterial', 'myostatin gene sequence', 'population furthermore genetic', 'platform consisted 61', 'regression 1536', 'arabian quarter', '21 genome scan', 'fall 2007 steer', 'percentage fat', 'prolific breed average', 'rfi feed conversion', 'genetic variant candidate', 'line established', 'known casein paep', 'series model based', 'reach significance', 'german fleckvieh fv', 'regulated tata', 'threefold estimate genetic', 'distribution indicated superiority', 'obtained hybridising', 'benefit examined genetic', 'pig total leucocyte', 'pig clarify', 'region caused missense', 'sdk1 juiciness fitm2', 'approach single nucleotide', 'attempted determine new', 'analysis tbg', 'identify single significant', 'interval ppard glp1r', 'tt genotype influenced', '498 401 locus', 'conducted chi', 'fixed alternative allele', 'pp pft ppargc1a', 'thyrotroph embryonic factor', 'qtl platelet related', 'welfare consequence led', 'intensity score stillbirth', 'snps detected', 'bait chicken', 'locus affecting protein', 'large study', 'correlated phenotype probably', 'positive 05 different', 'content trait influenced', 'regulation seasonal', 'igf2 cast', 'chicken resistant', 'centimorgan position', 'study report polymorphism', 'oncogenic md', 'weight piglet weaning', 'ranged additive effect', 'selection mutation', 'snp reveal', 'hpa sa hypothalamus', 'study gwas reported', 'study indicates', 'reported genetic association', 'power detect trait', 'animal exhibited', 'gene showing significant', 'identify polymorphism strongly', 'derived existing', 'trait purpose single', 'polymorphism method pcr', 'blackface lamb half', 'developed approach increase', 'gene diacylgcerol acyltransferase', 'mmra respectively', 'leghorn strain studied', 'production trait independent', 'body depth', 'likelihood peak', 'host novel pathogenicity', 'infectious bursal', 'polymorphism csnps bovine', 'population ssc3', 'approach reveal', 'disclosed qtl affecting', 'severe problem pig', 'associated rate', 'family variance haplotype', 'qtl 10 paternal', 'snp 43 68', 'vitamin binding', 'wise significance', 'fatty acid 0002', 'distance r2', 'egg count body', 'associated highest', 'mammalian specie date', '91c untranslated', 'difference 86', 'thickness intramuscular', 'block consisting snp', '25 0072 0231', 'suggestive level snp', 'trait bmts meat', 'prosaposin psap', 'vlt viral', 'proviral concentration indicated', 'normal sarcomeric', '1596 3p', 'cohort pirm', 'gene targeting', 'genetically different breed', 'performance trait result', '159 backcross', 'single locus oar9_91647990', 'nonsense mutation tgc', 'locus remained', 'chicken single', 'haplotype test', 'higher expression genotype', 'qtl pattern observed', 'affect trait', 'region gga5', 'scrofa genome involved', 'spotting trait', 'width plateletcrit', 'chromosome apparently', 'information physical appearance', 'range 42', 'result generation f3', 'scd1 878', 'like glutamate metabotropic', 'trait daily bw', 'governed intestinal receptor', 'cattle gene coding', 'chromosomal region identify', 'different resource allocation', 'including altered', '1534 f2 hen', '1326t ncapg', 'trait including', 'teat located', 'haplotype reproduction', 'gensel software available', 'analysis stratified sex', 'boar minzhu sow', 'sex revealed chromosome', 'region intron 25858322c', 'seven valid', 'control allele respectively', 'slope intercept', 'wrinkle using 60k', 'cd dd cow', 'marker imf', 'reduce weight', 'shape cause survival', '0007 yield', 'array rainbow', 'ovinesnp50 beadchip illumina', 'activator transcription stat6', 'cast polymorphism', 'qtl prolificacy', 'set rf gblup', 'susceptibility sarcocystis', 'trait studied breed', 'marker use', 'fine mapping defined', 'viral load endometrium', 'immunisation experiment tick', 'studied novel located', 'marker encompass', 'indicating primary effect', 'demonstrated bovine hgd', 'contains transcript', 'lg la shown', 'genotype causative', 'pathogen specificity staph', 'comprised 61 sire', 'characterized associated desirable', 'stat5b gene', 'method support', 'number 10', 'vs fw', 'target expression', 'revealed sheep', 'eca9 q12 q13', 'asga0029495 value 000031', 'finding contribute understanding', '10 reached genome', 'backfat thickness different', 'applied using proportion', 'specific locus contributes', 'varying qtl effect', 'successfully validated', 'amino acid residue', 'growth carcass composition', '0000175 backfat', 'weighted interaction', 'breed difference prolificacy', 'ranging 378 127', 'ewe identify homozygous', 'canales sesamoidales radiographic', 'dairy cow performed', 'chr used genotype', 'haplotype cluster', 'lameness genetic background', 'panel linkage mapping', 'efficiency trait useful', 'respectively snp located', 'gene marker chicken', 'bw 10 wk', 'retention premature', '1957 expression', 'circadian rhythm', 'qtl carcass weight', 'largest number significant', 'significant snp potential', 'mapping identifying', 'performed weighted', 'cross gga 13', 'explain considerable additive', 'data sampling', 'specific effect additional', 'clearer boundary', 'effect relaxed nominal', 'seven rainbow', 'yield fat protein', 'previous qtl region', 'animal genotyped 55', 'cm bta5', 'marking prme', 'analysis compared case', 'chromosome regions genes', 'report qtl equine', 'white pig perform', 'spanning bovine', 'phenotypic variation farm', 'dairy cattle beneficial', 'length birth time', 'gene indigenous', 'gene following', 'model body', '736 associated gene', 'comprised 10 adjacent', 'nanyang aged 12', 'identified vicinity gene', 'age puberty lifetime', 'unknown previous study', 'candidate host genetic', 'epas1 cast c7h19orf60', '971 896 respectively', 'equine navicular', 'structure pre', 'using qtl map', 'sick cow allocated', 'genomic mapping revealed', 'specific association', 'utr snp06', 'control porcine reproductive', 'study confidence interval', 'analysis revealed enriched', 'significant qtl 55', 'combined sire analysis', 'partially sex limited', 'region ranged exon', 'wbsf putatively', 'maternal infanticide', '47 pig', 'finally qtl affecting', '44 cm', 'chicken klf15 gene', 'novo lipogenesis', 'unravel genetic', 'brief stress', 'week old', 'hebraeum vector', 'additive allelic recessive', 'major haplotype including', 'chinese merino', 'scottish blackface lamb', 'sire heterozygosity', 'casp3_rs319658214g ctsl_rs332171512a water', 'result lactation', 'ewe case normal', 'wfe detected chromosome', 'trait subjected network', 'snp fpd cluster', 'hypothesising underlying non', 'life stage lesion', 'cab39l trpc4 second', 'information loss', 'cell inducing maturation', 'breed multibreed gwas', 'conclusion causal', 'difference 65 cm', 'generation higher', 'including 225', 'comprising 571', 'newborn offspring', 'lamb including', 'provided strong evidence', 'evaluate association single', 'iris sector', 'late lactation macrophage', 'chineseholstein cow', 'date reported', 'historically large', 'pp database', 'piglet previous study', 'breed example include', 'significant snp association', '6926a 8646g 16158g', '794 observed different', 'fcr bta 24', 'receptor gpcr', 'information using linear', 'af snp considered', 'chromosomal region putative', '180 parturition', 'fewer day open', 'body measurement gait', 'viral diarrhea virus', 'abcg2 tyr581ser rw070', 'gilt prepubertal', 'related orphan receptor', 'specific map', 'region contained genetic', '17 mb 387', 'haplotype including promoter', 'fa composition explain', 'region identified previous', 'gene 20 chicken', 'zero covariance regional', 'imply effect snp', 'intragenic polymorphism provide', 'flock exceptionally high', 'mechanism impairing offspring', 'drd1 drd2', 'using sequence data', 'line 90', 'family constituted draft', 'qtl influencing hb', 'beef cattle grazing', 'sample body measurement', '38 candidate selection', 'qtl existence', 'rely animal greater', '515 bull', 'brsv vaccination', 'breeding improve odds', '10 region fourteen', 'selected included snp', '05 mutation psmc1', 'false suggestive', 'qtl large effect', 'influencing exceeded chromosome', '11 21', 'french porcine national', 'bayesr model model', '42 allowing', 'milk sample 60', 'associated variation 227', 'region sscx', 'rs81367039 ssc2 rs80891106', 'ear chinese meishan', 'swine leukocyte antigen', 'improvement vertebral number', 'indicates current', 'includes gene', 'increase vartnb', 'snp31 linkage disequilibrium', 'function potentially related', 'background ih', 'characterized transition', 'association test drop', 'male texelxmule lamb', 'detection power identify', 'involved chromosome chromosome', 'representation sequencing', 'genome significantly associated', 'population identify snp', 'significant qtl ranged', 'atp5b identified differential', 'produced 502 gilt', 'fy dual purpose', 'concentration ch4 breath', 'like protein', '50 47', 'backcrosses line', 'carrier lamb unacceptably', 'composition backfat previously', '233 intermediate individual', 'peak defined', 'chromosome hsa5', 'american belgian', 'backfat thickness included', 'biosynthesis oleic', 'knowledge effective genetic', 'analysis applied variant', '61 mb window', 'skeletal respectively', '832 f2 pig', 'qtl significant growth', 'use oestrogen receptor', '225g largest', 'variance window located', 'life milk', 'estimating variance', 'defined status', 'locus lumbar number', 'ssc5 22', 'snp region identified', 'retained gwas 12', 'pc2 comprised pc3', '23 telomeric', '13 allele substitution', '47 10', 'cow carcass', 'exist milk yield', 'identified genome wide', 'mainly related muscle', 'mb respectively significant', 'western blot analysis', 'better understand genetic', 'interestingly altered', 'research required identify', '21 tsp 98', 'marker combined', 'aspect bone', 'polymorphism snp expression', 'apart prnp', 'assay spanning bovine', 'activity correspondingly linkage', 'duroc group', '40 dam pig', 'growth used', '498 bp nucleotide', 'comparison qtl location', 'specific supporting', 'tbg significant additive', 'provide potentially', 'allele minor', 'beta gene map', 'overall effect', 'reached maximum 44', 'average shear force', 'bull sperm propose', 'cd effect genotype', 'genetic mechanism diarrhoea', 'coa hydratase short', 'loss respectively', 'necessary order predict', 'program meat', 'investigated zfat positional', 'somatic nuclear', 'qtl sire analysis', 'high yielding', 'additional trait measured', 'heifer conceive tbrd', 'birth week growth', 'acid polyunsaturated fatty', 'property organism', 'candidate immune', 'rib help', 'correlation twinning', 'mineral bovine milk', 'chromosome quantitative trait', 'virus brsv', 'indicate linked', 'protein 15 oocyte', 'berlin miniature pig', 'corresponding 11', 'data genetic', 'qtl concentration beta', 'wise multi marker', 'peak 50 53', '401 locus', 'evaluate effect substitution', 'result expression', 'effect significantly increased', 'dairy cattle lack', 'candidate gene annotate', 'ssc1 ssc2 ssc3', 'white leghorn layer', 'snp associated body', 'relationship qtls possible', 'fertility correlated female', 'bw puberty suggests', 't32742394c t32742468c g32742603a', 'gain height withers', 'correlated sow lifetime', 'opportunity decipher genetic', 'research identification allelic', 'activity 16', 'pig using 139', 'gene genetic mechanism', 'mechanism heterosis cryptic', 'recently single nucleotide', 'fat1 qtl', 'factor alpha', 'component phenotypic', 'alteration transcription', 'allowing separate', 'fasn snp different', '178 intact male', 'remarkably fewer smma', 'gemma software revealed', 'selection model boar', 'broiler high', 'association analysis variant', '23 showed', '269 bp amplicon', '36 different commercial', 'approach used exploit', 'case control genome', 'ff 370', 'identified 22 combination', 'tm qtl loin', 'platform 57 affymetrix', 'region containing candidate', 'underlying locus muscle', 'pta predicted 31', 'thoracolumbar vertebra successfully', 'trait behave like', 'low ebv group', 'module snp', 'affect ph', 'study earliest gwa', 'chl_milk 41 mb', 'parent crossbred bull', 'control removal', 'identified target', 'grandsires 000 son', 'mb size chromosome', '126 cm', 'provides primary', 'mutation a1060g t1151g', 'additional locus influencing', 'beef steer evidence', 'glycolytic potential total', 'infected holstein cow', 'naturally exposed', 'population confidence interval', 'val27ala different approach', 'offensive urine', 'region conclusion result', 'reproduction technique', 'partially caused', 'important trait benefit', 'significance locus', 'expression egwas', 'significant qtl qtl', '10607757 bp', 'chromosome result shed', 'infected mammary', 'rs81358375 associated', 'line romney', 'underlie trait', 'number tumor incorporated', 'negative impact animal', 'genbank assigned accession', 'region additively', 'allele drd1 1013c', 'pig negative prrsv', 'yield conformation trait', 'feeding behavior trait', 'genetic mechanism carcass', 'difference greater best', 'using methodology', 'revealed high', 'identified genome including', 'step gblup bayes', 'vaccination showing drawback', 'attractive complementary', 'respectively qtl fatness', 'effect compared traditional', 'index component', 'metabolism gene like', 'anthelmintic drenches control', 'animal 49', 'contributed reduce', 'identified genotyping 647', 'cross old new', 'animal resource', '83 36', 'cross sections', 'gene gene linkage', '15 chromosome wise', 'fast growing commercial', 'released illumina', 'ear chinese', 'likely limited finally', 'se population', 'gene used candidate', 'marbling ultrasound ribeye', 'rsai greatest effect', 'allele coming meishan', 'gene indolic', 'detected method 63', 'variation haplotypes', 'associated tail', '362 individual derived', 'black pig measured', 'klh experimental population', 'model used phenotypic', 'pig genome obtained', 'measure sex limited', 'ssc2 confirmed major', 'trait ph value', 'uninfected ii 2002', 'capn1 located', 'piglet piglet mummified', 'affected calf respond', '25 different autosome', 'approximately fold expression', 'worse fit hand', 'obtained using marker', 'lamb slaughtered carcass', 'receptor identified', 'trend quite small', 'gga2 peak', 'association chi', 'used parent', 'conclusion proportion variance', 'characteristic obtained slaughter', 'feasibility applying variance', 'detected similar', 'molecular contribution variation', 'polymorphism spp1c', 'mirnas affect target', 'inbred dam line', 'significant number animal', 'fragment mapped distal', 'size result', 'total 75 significant', 'waist gnmt', 'significant suffolk', 'large japanese', 'target trait correction', 'heavy chain myh', 'complex pedigree', 'piii transcript expressed', '35e 05', 'interacting locus detected', 'study polymorphism candidate', 'analyzed 39', 'validation result large', 'following quality', 'level creation priority', 'reproduction litter size', 'group attempt ensure', 'region chicken afe', 'model data', 'aspect social behavior', 'effect opn variant', 'fst peddrift revealed', 'selected 32 polymorphism', 'hgb mean', 'cross analysed jointly', 'reducing number mastitis', 'area observed', 'sutai population population', 'result study', 'intergenic variant', 'broiler production explore', 'tract width', 'snp residing', 'association multiple', 'pig general', 'consistency family', 'black cattle major', 'polymorphism indirect selection', '28 trait variance', 'snp associated rfi', 'size trait unl', 'spondin rspo2 mitogen', 'em lo', '28 genetic', 'animal result putative', 'study analyzed', 'contrast markedly', 'position 232 associated', 'yield bta4', '1293c 1311t adrb2', 'continuous covariate', 'expression primary mir', 'disorder classified pirm', 'result refining trait', 'causing enormous economic', 'analysis previously described', 'heritabilities ca', 'fertility fertility', 'pituitary ovary', 'nudt7 gene sequence', 'weight conclusion present', 'domain bovine chromosome', 'ssc15 ssc17 total', 'identified locus tbc1d1', '670 axiom equine', 'region spanning 31', 'mocs1 lrfn2', 'demonstrated cast', 'designated trait', 'locus region additive', 'autumn changing photoperiod', 'wound healing repair', 'scan carried using', 'modeled regression environmental', 'spawning date qtls', 'vce software performed', 'qtls sus', 'associated muscle', '19 confirmed', 'observed illinois population', 'associated vertebral', 'study verifies qtl', 'employed high', 'cow carcass weight', '20 consecutive snp', 'common reason removal', 'earlier linkage study', 'col1a2 gene associated', 'identified qtl trait', 'data 80k', 'sequence repeat', 'red angus', 'sib bull receive', 'sw1473 ssc6 generation', 'effect twinning rate', 'muscle ld c18', 'confirmed cm', 'gene showed association', 'score 11', 'placed placenta abortion', 'ratio backfat', '36 heritability cooking', 'affect associated sensory', 'verify involvement', 'fa profile include', 'study demonstrated presence', 'gga1 based', 'size sequence data', 'repository population estimate', 'covering 80', 'younger bull', 'identified pooled rna', 'estimated allele substitution', 'snp array host', 'variant ppargc1a', '71 characterized', '350 duroc pig', 'model provides insight', 'lfw half', 'induction patterning numerous', 'difference concentration phosphatidylcholine', 'qtl mapped marker', 'hsd17b7 ocln', 'p13k akt', 'annotated associated polymorphism', 'breeding cow', 'gene genetic factor', 'pathogen danish', 'targeted genome wide', 'wide linkage disequilibrium', 'categorical fixed', 'milk whey protein', 'snp axis', 'satisfaction benefit consumer', 'mhc pathway mediated', 'melanoma respective', '15 single', 'dam snp genotype', 'effect cortical bone', 'trait swine investigation', 'life conformation', 'bovine snp 50k', 'pcr performed', 'c16 c18 lm', 'ibsp ssp1', 'regression coefficient tested', 'play role lipid', 'parasitism positive selection', 'heritable breed', 'qtl bta23 included', 'rjf domestic', '607 snp significant', 'fitted stage', 'oxytocin receptor oxtr', 'regulatory region weight', 'level additional 37', 'le 300', 'map3k cyfip1 ptpn1', 'chronic emaciation growth', 'compensatory sperm parameter', 'influencing gompertz growth', 'proinflammatory il6', 'neuroendocrine parameter drd3', 'average days', 'bacteria genome', 'breeding goal canchim', 'detected difference concentration', 'opportunity improving meat', 'qtl effect large', 'snp alga0035896 71', 'energy balance health', 'infection ovlv', 'marker genotype maternally', 'gene expression significant', 'afe detected chromosome', 'daughter design', 'ssc18 significant', '10 qtl grouped', 'common underlying locus', 'known fcr', 'genbank database association', 'synthesis investigated', 'chicken 252', 'lead truncated', 'main mineral', 'studied chromosome wise', 'chromosome identified significantly', 'ease pce related', 'effect gender', 'program genetic', 'data set complex', '10 genomewide significance', 'snp fell region', 'function ovary uterus', 'explain meat', 'uncovered study', '89 13 86', 'predict paternal versus', 'animal total teat', 'mutation common senepol', 'teat left ltn', 'affecting seven', 'enzyme transcription', 'identified binding', 'block result suggest', 'positive effect prolificacy', 'nucleotide polymorphism erythrocyte', 'pair wise marker', 'respect bone', 'receptor gr hypothalamus', 'higher adfi', 'affect number vertebra', 'respectively snp 001', 'h1 present', 'igf1r slc16a1', 'test result employing', 'pig breed association', 'regional effect fat', 'multitude chromosomal region', 'total 73 qtl', '05 nba 05', 'island hirta', 'copy number variant', 'bovine 50k', 'protein 24', '314 snp remained', 'included information 280', 'myomax status', 'palmitic gadoleic', 'lc effect lack', 'bw gain 003', 'heritability estimate suggest', '181 negative', 'alpha cebpa', 'including fabp3', 'iv control', 'study genetic background', '12 suggestive qtl', 'method aquaculture', 'identified carcass weight', 'non affected control', 'submaintenance feeding reduced', 'previously reported identified', '500 domestic', 'level prkag2 rumen', 'red brown', 'microsatellites including', 'unraveling causal mutation', 'result indicate genetic', 'different genotype future', 'c14 c18 c16', 'collection holstein', 'role artificial selection', 'prediction using bayesian', '27 cattle substitution', 'gene increase', 'generation linkage', 'trait previously associated', 'month age respectively', 'producing q448h change', '05 nce4 polymorphism', 'multiple significant region', 'result indicated causal', 'posse multiple', 'later parity evaluated', 'polymorphism genomic', 'bta14 previously reported', 'illumina chip data', 'meat dairy product', 'genetic evaluation file', 'holstein ct genotype', 'trait conditional', 'glycogen metabolism inflammatory', 'selection development new', 'tm qtl muscling', 'mdv infected cell', '83 genome wide', 'meat technological', 'facial wrinkle herd', 'peptidylprolyl isomerase', 'na 32', 'qtl 47', 'brief training history', 'measure sex', 'slc3a2 revealed association', 'frequency single birth', '24 genomic', 'gene mtpn', 'sow using illumina', 'taurus chemerin', 'fst gene differentially', 'age 457', 'recently fine', 'rsnps nce4', 'dxa pqct used', 'performance high low', 'totally 15', 'polymorphism analyze endometrial', 'sperm motility acrosome', 'sheep analyzed dna', 'detected qtls genetic', 'unit feed intake', 'genome nellore', 'alkaline phosphatase', 'cortisol level fat', 'potential regulator', 'small moderate effect', 'proportion observed growth', 'using selective', 'study provided insight', 'using 190', 'cattle breed population', 'fdr resulted 12', 'identified laiwu black', 'wool quality trait', 'trait 214 pig', 'analysis genotype strongest', 'ttll7 result provide', 'bb genotype significantly', 'sire family evaluated', 'regression model qtl', 'half sib line', 'understanding underlying genomic', 'dfiadj 855 dbwavg', 'hydroxylase tph2', 'pparg ccaat', 'protein including different', 'chromosome compared', 'range horse breed', 'evidence second peak', 'contain multiple independent', 'size 2552 animal', 'acid oleic acid', 'ptprm nup88', 'different combination association', 'dairy sheep analyzing', 'tissue significantly affected', 'ncapg locus valuable', 'ii e1', 'scan family included', 'parasite muscle seven', 'verification study', '12 understand effect', 'act modulator', 'sq1 dq1', 'acid porcine ibp4', '332 chinese erhualian', 'parity validation study', 'ld granddaughter', 'animal subgroup', '101 955', 'shape trait', 'located bovine carcass', 'italian local', 'association test carried', 'affecting palatability fatty', 'load vl area', 'control trait', 'time daily gain', 'case evidence epistatic', 'trait involving', '159 bp', 'additional 23 qtl', 'snp 76 355', 'factor 10 analysis', 'arhgap8 tmem200c potential', 'serovars salmonella', 'ccl3 acaca relevantly', 'force sensory evaluation', 'diverse lipid', 'transition located nucleotide', 'farm participating conexão', 'total 485 individual', 'width associated', 'bmp15 gdf9', 'connect ocd', 'infection provided', 'selection approach genomic', 'spermatozoon set 148', 'age data', '10 putative', 'snp genotyped sequencing', 'backfat fgf8', 'mapping resource', '461 chicken', 'null allele anxa10', '39 snp previously', 'gys1 encodes rate', 'pt average', 'sox potential candidate', 'combining social isolation', 'female fertility fundamental', 'sequencing bacterial artificial', 'preventing mastitis caused', 'association rfi 28e', 'overexpression mutation', 'common senepol romosinuano', 'bearing sow', 'way improve bone', 'showed use', '76 significant', 'remained significant', 'locus effect body', 'cell reproductive gene', 'characterized quantitative', 'extensively studied', 'marker located mpdz', 'population produced', 'backcross order identify', 'gemma genome wide', 'acting complex', 'receptor tlr9', 'using bioinformatics method', 'avfec bluppf90 postgsf90', 'effect given snp', 'binding activity nr6a1', '540 bull', 'marker growth', 'imf analysis showed', 'experiment association', 'significant association lda', 'qul strong', 'similarity marker', 'h1h1 haplotype combination', 'znf613 bos', 'multi gene', 'weight bone area', 'ma improve', 'informative specific', 'factor bf gene', 'cm study step', 'trait validates', 'adg3 12', 'mar qul strong', 'variance trait result', 'lutea number observed', 'ph pco2 po2', 'chromosome ssc previously', 'acute day', 'population identification', 'protection disease', 'detected body', 'trait position', 'loss weight death', 'interaction discussed result', '10 000 animal', 'location confidence', 'individual analysis dgat1', 'possible negative influence', '232ala ghr 279phe', 'bird measure exposed', 'gene close proximity', 'livp ssc7 ssc16', 'rs13997809 rs13997811', 'wide interaction', 'effect epistasis sex', 'genotyping selective', 'dominant finding', 'general comparison 48', 'mainly hydroxybutyric acid', 'susceptible using', 'tail commonly regarded', 'white breed snp', 'ablating polyadenylation', 'selected association analysis', 'site 29', 'factor dramatic growth', 'snp based heritability', 'adg associated higher', 'area informative marker', 'analysis confirm', '13 dna', 'bovine veterinary medicine', 'analysis demonstrated csrp3', 'identified general', 'beef fat colour', 'virus induced', 'purpose expression genome', 'trait f₂ resource', 'mastitis identified polymorphism', 'pkd1 foxp1 tcp11', '045 observed cla', 'practical benefit fish', 'affect number thoracic', 'genotype 19', 'sectional dimension', 'marker mnb208', 'second later', 'qtl milk production', 'model second aim', 'improve swine', 'strongest new finding', '06 rao loss', 'protein percentage bc', 'serum prolactin', 'association epistatic', 'oc oc', 'gene rxrb psmb8', 'chicken inherent', 'associated snp fdr', 'causal relationship', 'eca4 10', 'underlying genomic architecture', 'located previously reported', 'study gave', 'marker association conducted', 'mirnas mature', 'sought different pig', 'synthetase acsl1 gene', 'progeny comparative', 'cause information loss', '100 landrace 100', 'list interesting candidate', 'marker fatness', 'mykiss recent availability', 'ssc13 trait investigated', 'respectively gqls', 'gwa analysis using', 'showed significant effect', 'haplotype summer', 'loss different', 'smaller effect', 'ssc4 ssc13 ssc14', '45 semimembranosus sm', '300 462 day', '96 96 tail', 'ai boars', 'entire training', 'metabolite energy', 'proposed linkage', 'emotional reactivity measured', 'revealed combinatory', 'variant covariables', 'deposition negative effect', 'conclusion frameshift mutation', 'snp64 significantly', 'taken postulated', 'snp used association', 'twinning complex trait', 'qtl leucocyte number', 'method population', 'sge compared', 'software data generation', 'evaluate effect meat', 'performed oar2 oar3', 'carry gwas', 'inverse number', 'trapezius lean area', 'gene pervasive', '557 unique', 'significant snp respectively', 'mcmc mcmc', 'apr individual genotyped', 'collected sheep jordan', 'term enrichment analysis', 'mutant type variant', 'exploited high', 'level heterozygosity', 'known gene', 'association study 230', 'outbred commercial pig', 'melanoblastoma bearing libechov', '05 chromosome dry', 'specific qtl surrounding', 'lamb heterozygous', 'ssc4 region', 'best estimate proviral', 'traced inbred', 'commencement luteal activity', 'holstein population', 'subjected stepwise regression', 'analysis used genotypic', 'estimate corrected phenotype', 'underlying f4ab f4ac', 'creating destroying', 'disequilibrium linkage', 'result clinical blood', 'line saturated', 'contribute greatly reproductive', 'study genetic parameter', 'analysis kit', 'based function location', 'f2 population bioinformatics', '924 landrace', 'excretion trait', 'help select', 'largest proportion', 'drd1 drd2 drd3', 'performed 194', 'marker intron exon', 'meat animal', 'genome galgal4', 'investigation extracellular', 'backcross experimental', 'perform series genome', 'fertility growth', 'transcriptomic analysis fetal', 'upstream sequence', 'eps8 gpat4 involved', 'addition 16 33', 'qtl sc holstein', 'mutation position 1740', 'btb 26 37', 'controlled single', 'individual chromosome adjust', 'lameness related', 'characterized discrete variable', '05 chromosome wide', 'gblup method wssgwas', '28 qtl region', 'applied stringent', 'wean conception', 'leucocyte count fraction', 'region different', 'protein protein network', 'useful investigation', 'collected approximately', 'fecbb fecxb', 'trait finding', 'genome assisted selection', 'loin eye width', 'trait analyzed include', 'gene wgcna analysis', 'population 22 26', 'cry2 npas2 ciart', 'conformational polymorphism association', 'fat thickness 05', 'analysis indicated statistically', 'uk mapping panel', 'complex trait facilitated', 'type trait localize', 'analyzed outbred commercial', 'murgese slovenian', 'rxrg nfatc4', 'fa composition large', 'respectively 12 snp', 'promoter acaca', 'high growth', 'breed indicate interesting', 'qdg analysis provides', 'control fat deposition', '000 non castrated', '0275 simmental', 'circumference cannon', 'weakness trait landrace', 'sow derived iberian', 'variation differs meishan', 'compared genotype making', 'region involved variation', 'difference observed growth', 'cell measured', '29 mb', 'breed swedish holstein', 'functional gwas longitudinal', 'slight difference mrna', 'snp significant gwas', 'method promote', 'pc1 describes', 'total 11', 'merinoland ml animal', 'similar reflecting', 'arg236his polymorphism population', 'detected qtl false', 'affect bf', 'regression gridqtl bayesian', 'significant snp hapmap49848', 'multivariate technique studied', 'marker based proximity', 'estimated used estimate', 'significant qtls fa', 'present study total', 'associated oncogene', 'higher frequency', 'predicted transcription factor', 'diameter genetic', 'variation altering biogenesis', 'f2 cross resistant', 'analysis performed line', 'total litter', 'ovine gbrowser', 'selected snp gwas', 'using illumina bovinesnp50', 'study 296', 'explaining 10 phenotypic', 'genomic heritability imf', 'causative mutation casein', 'piglets high', 'mainly abdominal fat', 'total 45 151', 'factor e4b gene', 'location 45', 'controlled different', 'drp instead multiple', 'experiment gave', '117 su wld', 'exon 23', 'wider ci', 'variation primary secondary', 'exhibit lightening original', 'mb genome window', 'total loss', 'behavior personality investigate', 'splicing variant foxp1', 'identified key regulator', 'trait simultaneous', 'average 60 scoring', 'bta3 contains gene', 'glucose homeostasis tetra', 'test using linkage', 'boar taint evidence', 'perform identity descent', 'order beginning', 'total 386', 'potentially practical approach', 'locus hanoverian', 'utilise data primiparous', 'a10 anxa10 analysis', 'indicated class', 'rgr bayes', 'form maternal', 'comparison 53 qtl', 'inhibiting allele', 'pig significantly le', 'effect resulting copy', 'force identified region', 'stage carcass trait', 'haplotype windows', 'ratio fcr 05', 'piglets birth', 'flock comprising 571', 'ayrshire holstein', 'rna seq identified', 'intestine pig', 'region eca3 79', 'rest new qtl', 'significantly associated twinning', '200 susceptible layer', 'average service conception', 'particular relevant', 'receptor ppar', 'associated phu', 'identifying genomic', 'ff receptor', 'assembly facilitates', 'recorded pleurisy processing', 'mb 141', 'sa software', 'qtl effect fixed', 'weight liw kidney', 'c14 proportion genetic', 'krtap11 mis18a', 'data 13', 'gene nba', 'trait general', 'ssc6 spw', 'level leucocyte number', 'investigated backfat', 'behavior growth trait', 'qtl fact', 'tissue different growth', 'prediction fe', 'recently described causal', 'revealed family', 'unique cnvs 18', 'primer designed polymorphism', 'sire utilized', 'combination population', '002 dominance', '77 gain', 'crossing outbred', 'locus mar', 'difference cbg binding', 'marker map', 'cm suggested effort', 'region abdominal', 'chromosome 13 covering', 'basis known', 'aflp mapping silico', 'genotype cow', 'subjective classification score', 'based snp information', 'genotype furthermore', 'animal genetic parameter', 'haplotype minor', 'teat defect previously', 'difference linkage', 'variation ca', 'trait threshold model', 'oar9_91647990 absence', 'using recently', 'a111g c231t', '13 microsatellites showed', 'result obtained multibreed', '31 mb bta', 'earlobe color including', '1987c polymorphism', 'allele associated increase', 'vertebra trait sheep', 'disequilibrium extended approximately', 'including gene known', 'specific tissue', '417 snp equidistantly', 'identified need validated', 'provides insight genetic', 'showed haplotype polymorphism', 'weight carcass composition', '25 control', 'igg2 response measured', 'suggests uncovering physiological', 'functional gene maintained', '14 previously', 'analysed investigate', 'haematocrit following contortus', 'skin largest', 'design 171 marker', 'matrix phenotype hcr1', 'body weight wool', 'differentiation process', 'dna 113 twhs', 'non smc condensin', 'detected multibreed analysis', 'employed linear animal', 'tcf21 based mrna', 'ssc13 ssc14 ssc15', 'investigate quantitative trait', 'chromosome 16 ass', 'used 20', 'production leading', 'genotyped 988', 'pig allele jianquhai', 'hanoverian warmblood horse', 'bta22 microphthalmia associated', 'gilt sire 40', 'underlying studied', 'uncover polymorphism', '1473g 84', 'candidate gene specific', 'total solid percentage', 'production cost', 'trait milk yield', 'result imprinting', 'study nba', 'effect 14', 'study 27', 'minor evidence correlation', 'data null', 'qinchuan xianan', 'twinning ovulation rate', 'mb bta20', 'traditionally managed indigenous', 'bta11 14', 'skatole measured androstenone', 'experimental cross meishan', 'ai service required', 'mastitis resistance consequently', '268 individual', 'data set contained', 'morphology genetic architecture', 'chain echs1', 'intronic region enrichment', 'age 60', 'qtl genotype 10', 'haplotype analysis genome', 'clearest effect shown', 'fasn ppargc1a abcg2', 'score lascs', 'infanticide result', 'literature known gene', 'epithelial vascular development', 'trait gene clarify', 'daily gain 01', 'lung weight', 'accuracy korean duroc', 'female fertility important', 'obtained present work', 'association male', 'eggshell deformation', 'regulation embryonic', 'underlying qtl2', 'open field fear', '29 fluorescent', 'genome result obtained', 'gwas dominant trait', 'population examine', 'ac genotype 17507a', 'significant missense variant', '14 contrast', 'line named b1', 'gene chosen genotyped', 'monocyte neutrophil', 'synthesis investigated non', '171 55 mb', 'bovinehd beadchip', 'gene module', 'pcr qrt', 'thawed sperm', 'single pleiotropic qtl', 'snp ghrl gene', 'phenotype sheep applied', 'ssc8 ssc14 harbour', 'population single snp', 'role gene like', '385 snp', 'bft locus', 'gallus location', 'mass importantly', 'efficient pig production', 'flanking region intron', 'mutation approach', 'large cohort heavy', 'population undergone', 'bonferroni corrected genome', 'analysis individual snp', '2189 cattle', 'undetected carrier bull', 'guttural pouch tympany', 'recalculated order increase', 'implement square', 'responsible growth failure', 'variation microrna', 'suggest moderate genetic', 'carried microsatellites', 'eventually unraveling', 'trait analysed daily', 'performed additive', 'f2 pig genotyped', 'polymorphism glucose phosphate', 'porcine tgfbr1', '180 210', '305 protein', 'breed north', 'study confirmed previous', 'architecture resistance', 'determined comparative mapping', 'reported chromosome region', 'splicing enhancer ese', 'spondin rspo2', 'tdt mmra', 'responsible genetic', 'candidate trait', 'score snp highly', 'qdg approach', 'cw abdominal', 'development considered', 'broiler chicken commercial', 'affect homeostasis', 'previously identified half', 'red dairy cattle', 'study series candidate', 'fp qtl', 'size synthetic', 'advance genomics', 'animal winter', 'horse half', 'subset population 342', 'kinase ripk2 identify', '834 duroc sire', 'domain containing gene', 'value production fertility', 'distance marker', 'year genome wide', 'ahr gene potential', 'detected cattle', 'mapped chromosomal region', 'af traced inbred', 'affecting gastrointestinal nematode', 'controlling height identified', 'information characterization', 'compound identified sult1a1', 'mfa gene', 'gene 22', 'involve different qtl', 'musculus longissimus dorsi', 'high 279 μg', 'effect form', 'cd96 gene associated', '14 paternal half', 'obtained increase knowledge', 'conducted second selected', 'disorder calf le', 'ranged 22 bp', 'prolificacy variability', 'infected animal culled', 'mixed model glmm', 'using pc1', 'data single mendelian', 'marked difference resistance', 'parameter measured faecal', 'relatedness estimation maximum', 'reduced expression', 'validated using combined', 'directional selection pressure', 'level corresponding gene', 'size haplotype', 'associated af twice', '11 14 associated', 'analysis bco2 snp', 'result suggested polymorphic', 'trait affected bta11', 'consist 883 progeny', 'mutation remains', 'rtef1 identified', 'sired half', 'liver kidney tissue', 'fat percentage detected', 'seven exon', 'performed using paternal', 'size ovulation rate', 'mrna d28521 1574a', '62 cumulative', 'keyhole lymphet', 'average 20 purebred', 'bb different statistical', 'known heterozygous', 'inter strain', 'threshold equivalent likelihood', 'brahman alpha 169', 'high ambient temperature', '300 lamb', 'trait calving danish', 'bta 14 concordant', 'gene associated variation', 'birth proportion', 'marker typed', 'population available multitrait', 'scd gene strong', '10142688 bp chromosome', 'inheritance using texel', 'gene related fat', 'factor forkhead', 'important gene growth', 'indicate nucb2', 'avium subsp paratuberculosis', 'kg detected', 'length hip', 'molecular mechanism underlying', 'controlled sub sample', 'result helpful identifying', 'friesian sire', 'gwas fertility trait', 'overlapping potential candidate', '10 sire 85', 'higher poor', 'characteristic pt', 'population increase sow', 'different mutation polled', 'domestic layer', 'domain protein', 'bta6 bta14', 'lepr gene region', 'breeding genetic', 'mb candidate gene', 'gene pathway potentially', 'characterised bovine endometrial', 'study confirmed horse', 'german holstein population', 'level abcg2', 'bovine malic', 'reduce weight small', 'trait inadequacy overcome', 'gga4 snp', 'white chinese taihu', 'transcription sorf2', 'fixed nil', 'undesirable cholesterol', 'lyw data', 'qtl growth meat', 'region porcine chromosome', 'challenge modified live', '30 60', 'eca9 16 17', 'qtl analysis body', 'cstf1 c20orf43 significantly', 'cattle analysis', '10 locus', 'muscle additional qtl', 'chicken currently possible', 'trait association snp', 'bta strongly', 'yellow draft', 'leg fl structural', 'reproduction comparison', 'indicated high', 'minimum 46', 'model fitted alongside', 'trait egg number', 'validation study reported', 'pedigreed generation large', 'feed contributes 60', 'calpastatin likely affect', 'chip fish', 'mean age 17', 'location method pcr', 'correlated fat deposition', 'rare high impact', 'designed polymorphism pcr', 'differed ab', 'liability develop', 'higher expression heart', 'tested validation population', 'fmdv trait overlapping', 'lower deformity', 'work association', 'genetic determination sc', 'strongest snp', 'density genotyped pedigree', 'chip used genotype', 'influence trophoblast function', 'estimated effect marker', 'variance conducted', 'gain 21', 'good target', 'trout linkage map', 'repeated measurement plasma', 'present allelic', 'family seven', 'related inheritance trait', 'performed trait clinical', 'horn type sex', 'risk factor cardiovascular', 'data seven stallion', 'rate identified', 'region 16', 'gene involved ca', 'region bioinformatic', 'muscle present', 'variant btas', 'number lamb recorded', 'count scc', 'value ssc7', 'observed population explained', 'adg feed intake', 'breed heritability estimate', 'breed potential', 'gene haplotype t32742394c', '758 40 890', 'segregated australian', 'lap3 probable', 'snp random', 'using simple approach', 'game white', 'resulted 51 region', 'rumen average', 'variant fcr trait', 'ph firmness', 'position 1740', 'mutation associated body', 'yield generally condensed', 'qtl located ssc6', 'present study examined', 'animal result identified', 'numerous qtl', 'target mrna', '432 snp chip', 'scheme increase host', 'cerebellum sample', 'investigated association million', 'snp reported gene', 'conception fourth parity', 'detect single', 'performance mammal objective', 'exon 1000', 'tested variant', 'frequency polymorphism', 'variation shank length', 'polymorphism significantly', 'study qtlrs contain', 'development promising candidate', 'percentage contrast', 'spawn weight egg', '691 snp performed', 'help unravel', 'infection identified region', 'shelled chicken genotype', 'study gwas widely', 'analysis data resource', 'establish chromosomal', 'area 113 qtls', 'genetic resilience needed', 'selection normal', 'level adg kr', 'analysis uncovered', 'growth failure 85', 'heifer ability pregnant', 'factor influence carcass', 'vaccenic fatty acid', 'snp total 358', 'varies associated', 'zo microrna gga', 'variation bovine chromosome', 'pig strong evidence', 'trait 50', 'method genotyped', 'sire analysis significant', 'european wild boar', 'camouflage sexual', 'age included', 'complementary approach proposed', 'model additive effect', 'red cattle rdc', 'seven chromosome identified', 'genotype 01 bmy', 'heavy pig breed', 'placental function human', 'gwas approach including', 'production analysis', 'gg ga pp', 'kdm5a gene play', 'synthesis leydig', 'separately criterion family', 'identification allelic variant', 'bta14 confirmed', 'odc gene trait', 'cytoplasmic hsp90', 'transformation likelihood ratio', 'practiced region genome', 'cradd suppressor', 'program laboratory', 'result suggest evidence', 'bmp5 gene let', 'involved mitochondrial', 'sign study', 'food conversion', 'chromosome gain fixed', 'gm associated qtl', '17 pirm syndrome', 'chromosome study', 'qtl paternal expression', 'fine mapping validation', 'repeatedly mapped bos', 'sex controlled single', 'marker proximal', '589t complement', 'eighteen new', 'pedigree analysis performed', 'based data', 'consistent antagonistic', 'cattle suggested', 'snp considered novel', 'identity mammalian', 'litter common reason', 'end chromosome', 'ph conductivity 05', 'index human', 'result single trait', 'ssc11 ssc14', '10 73', 'marker search shared', 'marker examined statistical', 'calf size used', 'bone ratio', 'resistance provide potential', 'variance explained polygenic', 'suggesting similar', 'brazilian f2 chicken', 'gr hypothalamus gene', 'progeny inherited', 'ak3l1 ak3l2', 'genotyped 61 microsatellite', 'muscle growth reduce', 'underlying qtl single', 'research human', '2108c snp excluded', 'pig mutation tcf12', 'allele important', 'area affecting', 'breaking strength genotype', 'resistance carrier', 'transcription stat1', 'wwt adg', 'lef1 dkk2 kit', 'maternal descent', 'measured significant', 'ncapg arrdc3 ergic1', 'intake fi interval', 'heritabilities highest ttn', 'variation putative', '919 single', 'uc used', 'ulna radius', 'gg genotype smaller', 'appeared brazil 1957', 'variant nr6a1 gene', 'carried test effect', 'day age lyw', 'account specific', 'genotyped represented', 'boar fertility', 'total 42 qtl', '18 14', 'reciprocal cross genetically', 'count fec associated', 'quality human consumption', '820 meat', 'component analysis vca', 'mapping initial cross', 'polynomial coefficient', 'conclusion report showing', 'significant qtl 24', 'covariates weight', '50 53', 'cyp2e1 gene effect', 'phenotype ii', 'multivariate model tested', 'recent horse genome', '348 101', 'substitution y7f', 'environment raised', 'verify feasibility increasing', 'measured animal', 'population originating', 'assay illumina', 'abc family transmembrane', 'disequilibrium analysis mc4r', 'immune function reported', 'novel silent mutation', 'breeding goal aim', 'max 15', 'percentage serum', 'estimated body weight', '36 region', 'haplotype cwt varied', 'ema silverside', 'tail fat', 'fold adult', 'wb fat', 'force juiciness marbling', 'population novel qtl', 'fcr substituting', 'additional backcross generation', 'cascade activation glycogen', 'score quality grade', 'effect maternal permanent', '150 bf 150', 'animal squares', 'calculated ratio nutrient', 'gain dwg', 'fertility opposite end', 'adrenal gland different', '99 sire', 'contribution snp total', 'fat significant associated', 'associated increase silverside', 'australia host', 'objective polymorphism', 'taurine dairy cattle', 'born breed male', 'cis acting', 'different cell', 'lying qtl region', 'scan romanov', 'btas 11 22', 'effect tended increase', 'bp coding', 'trait ssc2 13', 'growth rate qtl', 'gene encodes transcript', 'force sf', 'bending test', 'nz romney suffolk', 'yorshire pig', 'explained major allele', 'genetic architecture lowly', 'evidence significantly', 'exceeded 95', 'sire heterozygosity used', 'chinese advantage gene', 'bta wwt 24', 'paper introduce factor', 'confirm functional', 'cow derived', 'bull iii harbouring', 'genome wide microsatellite', 'ebv pat 216', 'support txnrd3 polymorphism', 'bluefaced leicester', 'inform search causative', 'mc fcs', 'coa content reduce', 'qtl pig femoral', 'deleterious variant identified', 'causal snp selection', 'gene semen', 'good parameter evaluating', 'drop method', '58 47', 'intestine steer', 'mouth disease', 'detection strategy diversely', 'addition family', '160 microsatellite', 'effect additional gene', 'influencing cla content', 'regression approach detected', 'basis growth egg', 'weight significantly', 'data 21', 'likely enzootic', 'western commercial line', 'component estimation putative', 'analysis identified different', 'snp 1326t ncapg', 'acyltransferase showed contrasting', 'width loin', 'suggests fairly', 'activated channel subfamily', 'total locus', 'preserved bos taurus', 'cattle resistant', 'genotyped million', 'showed significant pleiotropic', 'total 85 additional', 'reason ham', 'white leghorn brown', 'qtl study milk', 'subunit adenosine monophosphate', '24269 additive effect', 'dominance epistasis', 'fleckvieh holstein suggesting', 'important protection sheep', 'mykiss produced', 'calving trait german', 'result suggest carcass', 'snp rs314448799', 'muscle depth 20', 'facial variation', 'rjf domestic layer', 'selected egwas total', 'unl population litter', 'genetic variant segregating', 'lead new', 'fat protein superior', 'snp 315t 327c', 'haplotypes based genome', 'snp2 heterozygous', 'acid composition marker', 'sw2516 sw1201', 'polymorphism analysis', 'strong linkage qinchuan', 'dik1182 identified family', 'score total leg', 'breed contained', 'involvement earlier identified', 'characterized retention', 'ketosis included', 'valuable tool', 'protein trait dairy', 'proven successful methodology', 'discussed result contribute', 'reduced significance level', 'genotype tibetan lingao', 'imprinted gene', 'dq static', 'indole steroid androstenone', 'chicken showed', 'paper present result', 'dairy cattle shown', 'result commercial', 'fcr2 genotyped', 'substantial proportion genetic', 'nelore cnvrs', '739 ewe', 'date female', 'controlling temperament', 'tissue dissection', 'heritabilities qtl genotypic', 'selection study', 'thickness brahman cattle', 'ssc14 harbour', 'significance region', 'erhualian intercross population', 'progress genetic architecture', 'statistical significance', 'ultimate ph phu', 'fat content ssc15', 'length qtls', 'performed determine', 'performed identify new', 'better understanding genomic', '1122c 1143g', 'play distinct', 'polymorphism highly significant', 'detected imprinting', 'typed 272', 'candidate gene retained', 'evaluation deregressed analysis', '219 039', 'sheep multiparous', 'beadchip association test', 'detected feed efficiency', 'gaining attention animal', 'including new', 'igf1r strongly', 'sheep future research', 'traditional univariate', '2281a promoter region', 'candidate milk production', 'gene code enzyme', 'axiom chicken genotyping', 'respectively sow genotyped', 'gbp1 gene', 'associated quantitative', 'cell precursor', 'snp 55 located', 'mykiss linkage', 'actual feed', '100 map', 'reported candidate', 'genotype 24 associated', 'qtl additive', 'fat case allele', 'conferring adequate protection', 'represent class disease', 'susceptibility mycobacterial infection', 'beadchip performed thoroughbred', 'bone allocation', 'protein synthesis disrupt', 'virus long terminal', '13 associated difference', 'md 75', 'porcine adiponectin', 'gwas imputed', 'variant associated mastitis', '240 pig', 'method finally', 'chicken determined', 'precisely compare maternal', 'snp incomplete linkage', 'resequencing positional', 'result indicated marker', 'marker sw980', 'interesting genetic', 'introgress leaner', '56 body', 'heifer belonging', 'boar mayor objective', 'detected testis kidney', 'neural crest cell', 'body size localized', 'nrdev 29', 'basis high', 'size training', 'post mortem ph1', 'trib3 transcription', 'bwg aa', 'including effect', 'validated effect', 'genetic interaction', '05 bt population', 'altering binding', 'conducted estimating', 'ltnp snp discovered', '10 dioxygenase', 'rac identified 59', 'role suggestive', 'surrounding gene snp', 'trait 11 significant', 'ebv hap21 ta', 'improvement high throughput', 'mean maf 25', 'canonical trait', 'type iia ssc6', 'breeding desired level', 'location bf qtl', 'increase depth', 'research association polymorphism', '987 pig', 'cluster respectively result', 'bp variant 2088', '259 bp 251', 'domain catalytic', 'disorder discovered', 'gland alteration cattle', 'genotype result important', 'post analysis', 'twisting generally', 'dairy production trait', 'qtls log', 'result regression', 'day 42 allowing', 'located qtl region', 'detected cntn3 gene', 'ibd coefficient', 'gc npffr2', 'correlation enrichment mirna', 'resistance avian', 'breeding enhance increased', 'umami overall', 'wg identified', 'porcinesnp60 beadchip gemma', 'bms833 interval', 'polymorphism consistently related', 'including shh lmbr1', 'load season', 'provides list genomic', 'meat weight fat', 'polymorphism snp 1959c', 'responsible similar effect', '89 ovum', 'recorded 825 murciano', 'myog gene tested', '17 19', 'advanced quantitative trait', 'region intron 10', 'ridge crease skin', 'snp stearoyl coa', '600 ovine', '18 btas trait', 'genomic snp', 'finding performed', 'cw contrast highly', 'homozygosity region suggests', 'public database used', '11 significant', 'snp ssc13 ssc17', 'efficiency 49 anatomy', 'genotype body weight', 'gwas performed beef', 'pedigreed male genetically', 'sex averaged genetic', '48476943_48476946insggc upstream region', 'helper linked igg2', 'method developed alternative', 'screen porcine chromosome', 'collected approximately 105', 'limousin backcross', 'rate affected', 'measure calcium deposition', 'temperament difference cattle', 'rate ibk', 'suggest bone strength', 'dam pig', 'independent pig', 'egg count indicating', 'selection criterion', 'sport horse', 'location vtn', 'discovery phase', 'significance lower tabulated', 'trait detected mapped', 'fec related', 'beef heifer reproduction', 'gwas larger', 'including 1661', 'objective nr6a1 gene', 'region fourteen', 'used analysis data', 'sustainability complexity', 'feather improve heat', 'percentage 05', 'time seven static', 'microsatellites single', 'lap3 lcorl', 'analyzed trait', 'log10p 68', 'ti qtl qtl', 'conclusion overall study', 'sheep linkage', 'ah1 haplotype', '14 2002c causality', 'snp identified present', 'variation dgat1', 'association dlk2', 'segregating texel', 'displayed region gm', 'haplotype h2h6', 'tlum respectively snp', 'indicus experimental', 'qtl affecting gastrointestinal', 'level subjected stepwise', '13 bw13', 'pork industry set', 'region accounted', 'significant variation multitrait', 'depth signal', 'heritability phenotype', 'located cluster', 'snp dominance effect', 'snp informative association', 'genetic molecular', 'value association', 'exploration mental', '345 570', '190 commercial', 'downstream transcription factor', 'prolific ile', 'qtl high effect', 'potential importance muscle', 'lesion 217', 'snp5 associated', 'csrp3 functional candidate', 'suggested association signal', 'circumcincta larva', 'study demonstrates', 'analysis showed association', 'snp excluded', 'qtl search evidence', 'albeit age', 'validated 23 qtl', '18 genome scan', 'increase imf', 'metabotropic receptor identified', 'observed palmitoleic', 'bta16 bta22', 'developing pathological', 'mutation in1 significant', 'exon bovine gdf5', 'simmental 0224 breed', 'including single locus', '96 10 simple', 'significantly associated growth', 'differed breed', 'fe significant snp', 'previous gwas revealed', 'effect significant snp', 'analysis sib family', '2p14 p17', 'cm 38 10', 'trait rear leg', 'newcastle disease', '27 single qtl', 'depth site', 'pparα bcl', 'dfi bf detected', 'potentially mutation', 'placenta revealed', 'investigation necessary refine', 'identify snp integrating', 'score bm subcutaneous', 'aimed improving resistance', 'compared female pleiotropic', 'member important rbc', 'boar taint maternal', 'general purpose', 'protein yield productive', 'variability ch4', 'partial efficiency growth', 'university western', 'live weight dimension', 'insulin epidermal', 'trait a17g locus', 'synthesis metabolism finding', 'sow different', 'associated structural protein', 'including heart', '275 romane martinik', 'serum level cytokine', 'indicating differentially expressed', 'f1 individual bonferroni', 'conclusion use', 'region multipoint analysis', 'sequence base continuous', 'better including', 'arg236his polymorphism', 'milk yield fat', 'different trait different', 'estimation qtl mapping', 'microsatellite marker low', 'project additionally', 'development differentiation normal', 'snp4 snp16 non', 'extract sge', 'senepol carora romosinuano', 'setd7 causal', 'pla2g7 constructed', '81 23 kg', 'belonging charolais limousin', 'effect distal qtl', 'indicated fshr potential', 'technique detect single', 'result clinical', 'attributable bta', 'chinese cultivated', 'yield absent', 'rainbow trout marker', 'cell affect', 'fixed founder breed', '26 mb', 'analysed showed', 'snp slc9a3r1', 'genotyped chromosomal region', 'conformation polymorphism sequencing', 'stem loop mirna', 'sample population fatty', 'stillbirth candidate', 'failed undergo', 'tended increase c6', 'evidence 05 additional', 'derived trait protein', 'parasite located near', 'hemoglobin concentration mchc', 'subsequently genotyped', '02 respectively single', 'estradiol blood plasma', 'leghorn trait suggests', 'way cross', 'nte mainly affect', 'gene responsible lea', 'qtl multiple economic', 'allele contributed red', 'blood type', 'epistatic interaction causative', 'intermediate frequency', 'growth feed efficiency', 'model lald analysis', 'nucleus flock sheep', 'gene associated fn', 'genotype low', 'accurate diagnostic', 'snp snp rs29021868', 'reported genotype', 'qtl bcwd', 'intercross high density', 'associated sc located', 'associated apob gene', 'daily dna f2', 'favorable haplotype', 'oar3 oar11 densely', 'sheep preventive', 'peak result genetic', 'annotate function related', 'parental bird body', '518 spanish', 'population large', 'summary using', 'inward rolling eyelid', 'critical protection development', 'role played bmp15', 'shorter bone weight', 'association gene milk', 'affect proviral load', 'capture genetic variation', 'synteny duplicated microsatellite', 'trait population breed', 'spp1 casein', 'age immune status', 'carotene concentration adipose', 'pdz domain', 'slick ancestral breed', 'qtl depends', '26 qtl', 'marker rs81109601 gh1', 'region seven quantitative', 'selecting breeding chicken', 'gwas map', 'earlobe color related', 'gene bta6 recfat', 'gene major gene', 'standard production', 'evolutionary selection', 'bp insertion intron', 'genotype yellow beef', 'lightness bco', 'region association bta8', 'based imputation strategy', 'analysis milk lalba', 'metabolic pathway gene', 'suggestive quantitative trait', 'trait validation', 'glycogen related', 'variance miristic', 'tbg significant', 'gene prolactin receptor', 'validation accuracy', 'conservation human rat', 'biochemical pathway end', '0224 breed', 'performed association', 'gwas chicken', 'study total 13', 'lx qinchuan', '72 87 qinchuan', 'array single', 'information tumor initiator', 'snp tnb', 'spectrum approach used', 'chromosome 20 referred', 'study high', 'report identification common', 'adrenergic receptor', 'selection program focusing', 'value low', 'directly ma', 'economic consequence', 'flow vegfa hematopoiesis', 'analysis removed', 'covering area', 'regulation coagulation process', 'revealed presence', 'foot used', 'response mammary', 'ass potential contribution', 'steer germplasm', 'vaccinated attenuated', 'cytotoxicity osteoclast', 'lyn wwox plagl2', 'account multiple', 'associated count trait', 'comprising 11 horse', 'effect genotype 24', 'breed suggested del2634c', 'ph japanese', 'zebu dam', 'expected qtls', 'anai4 acvr2a transcript', 'studied researcher', 'lp dairy cow', 'body weight decrease', 'genome thirteen', 'qtl clarified unclear', 'discovery causative', 'rs110061498 rs109546980', 'identify novel qtl', 'calpastatin expression tenderness', 'marker second step', 'respectively general', 'interestingly located region', 'cluster 10 associated', 'deletions totally 916', 'meishan pig total', 'snp span', 'providing potential', 'myogenesis gene', 'breed share', 'clear identification', 'jersey breed result', 'major gene control', 'maternal calving trait', 'bovine scd gene', 'thickness bft rib', 'toughness female lamb', 'btc 038813', 'gene promoter analyse', 'analysis scd', 'exon importantly 15118683c', 'opposite snp association', 'reliable mapping qtl', 'replicated chromosome wise', 'snp data suggest', 'using dxa peripheral', 'v371m exhibited increased', 'trait recorded different', 'high h2', 'detect bovine', 'acid composition retinto', 'expected dmi based', 'ptpn1 bin1', 'near marker kd103', 'ranging 29 36', 'cell activation', 'region associated phenotypic', 'study 604 largest', 'variance 05 shank', '1556 predispose egg', 'total 155', 'literature support', 'gene comprises 14', 'association testing performed', 'functional clustering analysis', 'elisa 12 wk', 'seven sire shared', 'genotype data steer', 'systematically favourable younger', 'analysis carried based', 'genetic basis underpinning', 'chicken leg', 'cm bovine chromosome', 'absence infectious', 'testis danish', 'yang qinchuan', 'yield qtl fat', 'gene parental', 'sw1608 qtls ssc2', 'allele lep', 'trait suggests specific', 'rs135576599 rs13675432', 'increase marbling score', 'qtl segregating oar14', 'bb ab aa', 'outbred population worldwide', 'important role meat', 'model conclusion power', 'hypothalamus duodenum ileum', '54 supported literature', '55g terminal', 'approach offer fast', 'chicken current study', 'echs1 exon', 'performed animal', 'challenged 30 000', 'aries island', 'result oleic monounsaturated', 'region rt', 'tail width', 'gene help', 'including melanoma', 'cortisol 30', 'expression disease', 'drift impact host', 'specie tick attached', 'transcript trans', 'population maximum likelihood', 'pig located', 'production hu sheep', 'qtl2 slc9a3r1 result', 'shoulder obtained calibrating', 'polymorphism polymerase', 'immune response disease', 'represent common', 'threshold model ep', 'taurus breed', 'disease worldwide', 'bwt wg 365', 'chicken previously shown', 'showed significant correlation', 'candidate gene tg', 'allele sequenced animal', 'vertebra potential', 'bovine 50k single', 'variance method produce', 'snp comprising', 'deposition related performance', '24 01', 'covering 245', '1799 e10', 'resistant 22', 'leg muscle plm', 'bta4 snp affected', 'ryr1 lipe', 'proposed lead', 'various growth trait', 'genotype bull significantly', 'rate controlled', 'deletion insertion subsequently', 'identified french porcine', 'significant chromosome area', 'locus inflammatory', 'dorsi 439 pig', '006 sytl3', 'luteinizing hormone lhb', 'continuous mutated site', 'polymorphism imf', 'variable gain', 'extend spectrum', 'maximal effect', 'potentially mutation common', 'susceptibility porcine', 'majority breed trait', 'french norwegian trotter', 'directly affected', 'phenotypic data 488', 'moisture content additionally', 'tea domain', 'intercross main goal', 'pig single', 'snp beadchip trait', 'f2 chicken challenged', 'indicating pleiotropic', '126 128', 'using dual luciferase', '60 phenotypic trait', 'seq based', 'using affymetrix megallele', 'muscle 17', 'deposition detected ssc1', 'candidate gene meat', 'valuable information specific', 'liver tissue', 'family yield deviation', 'locate region bovine', 'pooled analysis contributed', '84 insr', 'revealed 13 gene', 'snp bovinesnp50', 'tentatively conclude', 'immune response including', 'log 10 probability', 'positive lead', 'rs81358375 associated ph', 'activation glycogen breakdown', 'pietrain sire line', 'effect flavor', 'akr gene', 'comparison ongoing related', 'effect prop1', 'chromosome gga gga1', 'response chicken mhc', 'significantly associated number', 'trait recorded breeding', 'nuclear protein tnps', '919g serpina6', 'associated egg weight', 'total novel snp', '10 encompassing', 'q12 q13', 'conclusion study demonstrates', 'horse met inclusion', 'static qtl', 'belclare sheep', 'chromosome sus', 'conception failure', 'breed composite', 'mqts qinchuan', 'phenotype evaluated 68', 'sequencing intron 23', 'blackface artificially', 'synapse vomeronasal receptor', 'ww yw qtl', 'parameter influenced underlying', 'opening way', 'kgf 60', 'small problem posed', 'multiple independent association', 'using ct scanning', 'dppa2 dppa4 empirical', 'industry marker', 'dissection explore', 'trait identified genome', 'chl phenotype identified', 'functional study regarding', 'rr animal', 'identical descent ibd', 'analysis association', 'skin facial', 'qtls carcass composition', 'research missense mutation', 'individual greater', 'heritable detailed', 'black coat colour', 'association trait region', 'hsa 5q14 15', 'rate region', 'inbred breed horse', 'mll associated tm', 'microsatellites covering', 'junglefowl chicken', 'examine possibility including', '179 kb', 'holstein abcg2', 'location 67 marker', 'genetic statistical', 'rs42670351 validated decreasing', 'temperament merino', 'locus udder', 'low uterus sample', 'pathway 05', 'fiber diameter 25', 'trait investigated genome', 'eqtl reverse transcriptase', 'chromosome 18 21', 'represent step forward', 'breeding finally', 'factor mef tata', 'generation cortical bone', 'combine genotyping transcriptome', 'region 42 73', 'znf518b s1pr1 gpc6', 'mutation foetal', 'contribution minor', 'duroc animal', 'bta 19 showed', 'compare abomasal lymph', 'deviation parenthesis 02', 'result agreement', 'ma effective ma', 'chicken furthermore', 'data editing 85', 'mean sustainably controlling', 'snp region significantly', 'qtl discovered family', 'chip best cv', '269 microsatellite marker', 'swine express', 'fertility milk', 'carcass fatness mainly', 'fewer marker', 'related body size', 'ruminant research', 'effect reported study', 'matrix constructed', 'reported bovine', 'effect qtl age', '210 bf', '45 snp 36', 'eye different brown', 'gene including etnk1', '940 lamb extensive', 'male pig androstenone', 'parameter used ass', 'regulated multiple', 'variation vertebra count', 'architecture milk performance', '05 genotype distribution', 'sampling dna', 'hormone hypothalamic', 'challenge intestinal parasitic', 'infection homozygous major', 'conception rate japanese', 'swine identified', 'sp3 sp3 activates', 'dwg purebred', 'chicken analyze', 'chicken contrast human', 'heterogeneity existence', 'qtl food', 'cell ratio cd4', 'age specific qtl', 'number chromosomal region', 'real imputed single', 'eca15 contributing rln', 'qtscore function', 'unaffected carrier affected', 'variant polymorphism promoter', 'snp phkg1', 'deposition pig', 'obesity foremost', 'purpose map', 'pif1 german landrace', 'consisted 37 590', 'location cm', 'ladybird homeobox', 'animal length', 'data cattle sheep', 'use embryo transfer', 'suggest edg1', 'snp total 129', 'obtained slaughter weight', 'dorper sheep mapping', 'sample association', 'gene exon 11', 'extent concordance previous', 'conducted population', 'collected individually', 'disease resistance conformation', 'production cost increase', 'compared control group', '13 located', 'extensive search', 'disease permit establishment', 'trait nearly', 'age 462', 'performed using pcr', 'region compared', 'tnp1 utr', '22 lean line', 'comparison wild', 'value significance level', 'population crossbred gilt', 'seven quantitative', 'located chromosome 13', 'cattle far', 'flock fp studied', 'cattle decrease', 'relatedness sample accounted', 'qtl medium', 'assisted selection improve', 'gain highest', 'comparing significant', 'mm 33 mm', 'gland aim study', 'line troutlodge odd', 'necessary ciliary', 'qtl comb', 'seven snp selected', 'control animal influence', 'demonstrated associated variation', 'snp window used', 'fy received', 'integrated qtl', 'genetic variation obesity', 'snp available 1570', '25 29 16', 'mbl mbl mbl', 'explaining large percentage', 'snp 47', 'mediated crossing', 'gh gene sheep', 'selection bmp15 genotype', 'study selected promising', 'rfi pig lacking', 'using step gwas', 'gene 16 churra', 'conclude 636a', 'mechanism enhance host', 'variance linear mixed', '25880 gene related', 'variation worm egg', 'novel bp', 'involving 30', 'csn3 cm distance', 'method logarithm odds', 'age 140', 'winter milk genetically', 'qtl associated dd', 'novel host genomic', 'family parent f0', 'increased solar ultraviolet', 'allele potential identify', 'indicated genotype 12', 'followed homozygosity', 'holstein family including', 'factor cardiovascular', 'family genetically related', 'fat content region', 'gene fabp fabp', 'snp identified leukocyte', 'titin interacting', 'overlapping previous study', 'tissue muscle', 'fetal specific genetic', 'pathway analysis showed', 'genotyped 124', 'statistical testing using', 'using blupf90 performed', 'known gene interval', 'ng androstenone 2000', 'ssc10 ssc14 ssc15', 'provide insight', 'coccidia faecal oocyst', 'function provide basis', 'linkage twopoint nonparametric', 'risk mastitis', 'awassi ewe chromosome', 'determine chromosomal region', 'ladybird homeobox lbx1', 'resolution genetic linkage', '3691g 498 401', 'pietrain dupi comparative', 'simulated 480 sheep', 'yield quality trait', '7x107 gene snp', '12 15 significant', 'rdhe2 convert trans', 'black cattle identify', 'sequence data key', 'eating quality', 'qtl2 slc9a3r1', '000 androstenone regional', 'scale association study', 'applied classify', 'kcnd2 wh transmembrane', 'cloned sequenced complete', 'fat metabolism linked', 'peak 01', 'lp analyzed population', 'gga2 identified', 'mstn previously', 'linkage disequilibrium creates', 'stallion method', 'variation large', 'map close', 'offspring linear model', '10 rfi adg', 'g1406a exon t3602c', '995a 311a i199v', 'individual seven herd', 'correlated region', 'cm lean meat', 'candidate region relevant', 'characterized pronounced hypocholesterolemia', 'genetic variance direct', 'growth largely', 'cut ham', '174 176', 'yield certain size', 'result cofactor', 'european commercial breed', 'gene range foetal', 'cw contrast', 'yield kg protein', 'animal consist', 'indicated chromosome', '49 52 respectively', 'statistic qtl', 'predicted involved placental', 'modifying locus expected', 'effect adg bos', 'carried using non', 'il il', 'gwas bioinformatics analysis', 'ovlv post', 'quality snvs', '05 peak', 'deviation compression qtl', 'role coat', 'qtl moisture', '20 data', 'fa based', 'resistant single', 'genomewide significance', 'used ci qtl', 'unique cnvs', 'increase prolificacy', 'tnb variation', 'different pc', 'company generation', 'evidence bovine', 'pig total 28', 'region endocrine', 'defect production', 'offspring 24', 'recorded clinical data', 'evidence validates scd', 'used data', 'remain productive', 'pig genome chromosomal', 'bta showing gene', 'size single snp', 'weight tmw', 'locus moderate small', 'genome key', 'stratification mapping population', 'welfare concern', 'genetic variance androstenone', 'plumage color korean', 'tmem138 dpyd', 'effect ranged', 'breast color yellowness', 'process insulin prolactin', 'free control', 'sce detected', 'spp paratuberculosis', 'gebv udder', 'specific scenario single', 'population derived broiler', 'potent inducer il8', 'model breed', 'oar11 greasy fleece', 'parameter drd3', 'phenotype economic', 'rsai greatest', 'specific supporting hypothesis', 'thickness total lipid', 'used animal', 'consider direct', 'growth adipose accumulation', 'respectively analysis', '33 cm respectively', 'clinical finding', 'model describing lactation', 'trait estimate', 'protein precursor', 'bta 18 qtl', 'showed higher fat', 'muscle fiber genetic', 'furthermore identified', 'consumption fat contains', 'family regression analysis', 'shown aspect host', 'snp mbl1', 'furthermore expected', 'associated anaemia control', 'affecting md susceptibility', 'influence pp spanish', 'crossbreeding experiment', 'melatonin receptor mediate', 'evidence additional qtls', 'deviation snp', 'network included', 'growth trajectory time', 'human pig revealed', 'na potassium calcium', 'largest marker', 'presented provide', 'mrna level high', 'post brsv', '05 bayes factor', 'dgat1 involved glycerolipid', 'sc dairy cattle', 'genome significantly', 'synapse vomeronasal', 'population studied region', '132 snp 270t', 'tested directly animal', 'study identification fertility', 'functional regulatory mechanism', 'important contributor', 'gene ucp1 investigated', 'located immune related', '13 fore udder', 'including seven snp', 'analysis indicated t354c', '105 significant', 'inbred commercial', 'associated month weight', '0007 seven', '332 chinese', 'profiler bovine 130k', 'foreleg length', '15 gene identified', 'interval le 11', 'caused streptococcus dairy', 'regulator forkhead box', 'using illumina ovinesnp50', 'new refined prediction', 'exon novel', 'response high ambient', 'corrected milk yield', 'immune pathway related', 'following sib mating', 'analysed faecal worm', 'single marker identified', 'identify genetic variant', 'loss weight', 'sscp analysis revealed', 'binding calcium', 'experimental meishan pietrain', 'composition montbéliarde', 'generated research', 'panel 777 962', 'variety logistic', 'quality suggesting effect', 'cdk4 low risk', 'total 159', 'yolk weight egg', 'simmental cross steer', 'mfi fat', 'population different qtl', 'country male', 'breed wipe genetic', 'larger independent population', 'qtl segregation', 'wise significance 05', 'marker plus available', 'production previously', 'suggest biological link', 'zebu cattle', 'cattle genome harboring', 'inflammatory disease', 'impact animal health', 'characterized excessive tearing', 'immunity cmi cause', 'logistic model mixed', 'mouse rat pig', 'number type iib', 'trait detected bta6', 'mb window implemented', 'percentage breeding value', '48 postmortem', 'differed c3c serum', 'control horse custom', 'correlation information', '808543 evaluate association', 'assigned fabp', 'diagnostic marker associated', 'rflp polymorphism', '14 prominent qtl', 'soga1 spondin', 'performed mir206 mir133b', 'associated snp economic', 'accounted 14 phenotypic', 'exposure constant especially', '28 locus associated', 'thickness ph', 'edu au cgi', 'strength cross produced', 'associated cwt', 'increased feed', 'laying period', 'combined population', '361 duroc', 'akr1c4 cdna', 'adrenal tissue', 'identified qtl resulting', 'quality trait demonstrated', 'sulfate immunocrit genetic', 'identified susceptibility', 'marker fertility', 'bos taurus bmy', 'region result confirm', 'regulation meat quality', 'length bl head', '19 horse', 'function chromosome explained', 'approach combine', 'result european', 'litter size nw', 'association study functional', 'analysis pcr pira', 'ability genoprob predict', 'loin yield 012', 'genotyping platform used', 'p1 gg', 'sire recorded', 'indicating mirnas participate', 'week age bird', 'analysis gwa result', 'transcriptional activity cpm', 'gene examine effect', 'yr genotyped using', 'acute day 14', 'functional analysis showed', 'previously gtl2 gene', 'similar weight', 'beadchip applying', 'bta14 dgat1', 'resistance test previously', 'construction association', 'f2 animal qtl', 'fat source pig', 'result combined', 'cdna gene', 'support physiological', 'etaa1 play', 'germ proliferation', 'snp estimating', 'log transformed caecal', 'malignant tumour', 'muscle mass number', 'optimal performance safety', 'relevance region', 'trait dongxiang', 'breast color', 'genotype aa ag', 'seven cnvrs', 'comprises 14 exon', 'explained different', 'mb 282 snp', 'qtl region functional', 'amino acid formed', 'day large white', 'pneumonia swine', 'quantitatively measured shank', 'result described reinforce', 'using maternal', 'single population selective', '32 snp', 'livestock location confidence', 'offspring article', 'fo igf2 fdr', 'gwas performed meat', '35 01 altamurana', 'synthase fasn peroxisome', 'near nln empirical', '2449gg genotype 2379cc', 'participating conexão', 'pig nudt7', 'allele consequently speculated', 'host resistance internal', 'mastitis susceptibility milk', 'shown associated androstenone', 'identified chromosome study', 'effect calf size', 'kr candidate', 'cell igg2 response', 'bovine leukemia virus', 'snp classified', 'yorkshire population', 'pl suggestive association', 'lower reactivity hypothalamic', 'marbling qtl', 'sample size limited', 'located pig autosome', 'individual generation 11', 'daughter design data', 'resulting mandatory euthanization', 'level weaker', 'responsible metabolic', 'genomewise level using', 'containing adaptor', 'axin1 gene', 'dik2291 fine mapping', 'quality seasoning', 'contain quantitative', 'population population combined', 'se 01', 'study outbred population', 'age additional region', '21 play', '15 bmp15 significantly', 'birth mum gestation', 'detected chromosome qtl', 'gene useful genetic', 'haplotype scd gene', '30 key founder', 'supporting hypothesis major', 'rs107856818 rs107856856', 'intake growth economically', 'aimed identify putative', 'alternative disease trait', 'heritable h2 15', 'knowledge uncover genetic', 'opportunity elucidate', 'fat protein prt', 'joint quantitative trait', 'specie knowledge data', 'longissimus semi membranosus', 'resistance vaccine', 'fshb expression association', 'considered invaluable', 'restoring depressed concentration', '5678944a genotypic', 'term single nucleotide', '11 37 12', 'future large', 'morphology genetic', 'significantly associated disease', 'using gemma haploview', 'snp independently associated', 'founder breed allele', 'carried identify genomic', 'leg relative animal', 'depth udder attachment', 'marker bm81124', 'total 365 snp', 'gene cause equine', 'study different', 'effect growth contribution', 'ile265val substitution', '0032 respectively', 'cheese yield', 'trait studied using', 'density interval', 'cm 20 56', 'breeding value spectrum', 'wipe genetic variability', 'mediated decay leading', 'behavior indicated distinct', 'individual generated crossing', 'regulatory effect gene', 'area crucial', 'gt genotype', 'difference day', 'muc13a glycosylation binding', 'intron border', 'allelic size', 'candidate gene proposed', 'molecular target genetic', 'cattle useful', 'igf2 ncii', 'improvement bone trait', 'horn number 43', 'reduced distance locus', 'component aim study', 'major mutation', 'single trait qtl', 'measure 23 trait', 'rate sample', 'fayoumi f1 bird', 'unclear aim study', 'exists genome wide', 'predictor single trait', '98 27', 'performed total', 'region characterization variant', 'marker allele analyzed', 'member nuclear receptor', 'chinese chicken breed', 'trait locus associated', 'detected testis', 'approach l1 tdt', 'tail sufficient significant', 'analysis fitted', 'selection trait holstein', 'ssc3 12 15', 'previous publication', 'study neaurp established', '18 autosomal chromosome', 'weight myofiber diameter', 'gene convincingly', 'g3072a substitution recently', 'life case tumor', 'detected age specific', 'haplotype study', 'weight colour egg', 'high density 777k', 'wide threshold obtained', 'region 130', 'snp polymorphism alter', 'smaller dominance', 'increasing litter size', 'fatal disease', 'availability high density', 'commercial variety', 'finding bta7 bta14', '83 2009 12', 'length birth weight', 'mean corpuscular volume', 'test statistic proportion', 'variant segregating', '2011 reaching market', 'variation androstenone autosomal', 'varied 694 966', 'total qtl accounted', 'oar influencing', 'repeat ssr', 'reductase akr gene', '10 12 week', 'leg problem', 'insertions deletions', 'score consequently', 'qtl mapped model', 'measurement qtl', 'coccidiosis chicken qtl', 'provide better', 'reported specie objective', '14 economically important', 'growth fat deposition', 'performed using rao', 'view genetic regulation', '883 snp', 'bta11 bta17 significantly', 'downregulation gene', 'genetic marker detected', 'derived chemotaxin', 'chromosomal region qtl', 'backfat c14 c14', 'model taking', 'existing meishan', 'sequence revealed heterozygous', '923 boar', 'ssc7 ssc10 ssc12', 'useful identifying', 'body size pig', '15118683c 15118951g', 'mastitis parity cm1', 'largest effect', 'environmental factor study', 'effect stress', 'help genome assisted', 'haplotype comprising rs14011783', '533 285delttct bp', 'mrna level ngf', 'population japanese', 'snp2 snp3', 'region surrounding', 'total igg', 'level feeding adipose', 'cattle individual bb', 'illumina 60k', 'chick early', 'located centromeric region', 'time phenotype', 'population issued hg', 'gain included', 'region localized le', 'estimate obtained', 'commercial herd beneficial', '611 sliding', 'development functional teat', 'present hock', 'trait random regression', 'solid percentage', 'used statistical', 'detected qinchuan cattle', 'pool deviation adjusted', 'additive dominant model', 'boar snp', '001 associated carcass', 'suggestive qtls', 'population 14', 'neuropeptide npy', 'group haplotype', 'cattle variant', 'erhualian pig', 'filament organization play', 'impact genetic variant', 'mature mir206', 'substitution 160g', 'required catabolism aromatic', 'production industry attracted', 'rib rib help', 'maasai dorper ewe', 'cestode infestation body', 'performance genome', 'angus 0275', 'ankyrin promoter angus', 'ultrasound based carcass', 'breed jacob', 'bw42 breast meat', 'positive effect body', 'known microtia', 'simmental gelbvieh panel', 'primer introduced', 'causing effect', 'identified belgian', 'using 49 691', 'increased addition eighteen', 'rln 458', 'close gsg1l', 'expression maml3', 'genotype aim study', 'mainly involved', 'physiological genetic architecture', 'region prlr gene', 'measure thermotolerance dairy', 'term selection high', 'antigen marker average', 'originating white', 'polymorphism uw resource', 'unbiased prediction', 'burden genotyping', '776 daughter record', '05 fecal', 'sibs low birth', 'slc22a18 ssc2', 'cow accurately', 'live weight 20', 'snp positional candidate', 'manifested significantly close', 'expression study quantitative', 'qtl 85k', 'experiment wide significance', 'microsatellite locus spawning', 'putatively associated map', 'genes loci associated', 'normal prolific ewe', 'interleukin 15', 'identified time demonstrated', 'determine chromosome wide', 'studied snp 14', 'rs13905622 aa', 'pair showing', 'separately chromosome region', 'polymorphism snp consecutive', 'bta14 direct gestation', 'diabetes obesity', 'agent cause', 'gcg valine gtg', '05 rs13905622', 'used calculate variance', 'network phenotypic', 'polyphen 95', 'color standard 120', 'regulate expression', 'snp bovine neuropeptide', 'improved selective', 'accounted 75 64', 'significant marker bta13', 'yield 76e 05', 'difference comparison', 'horse using equinesnp70', 'measurement live weight', 'window association', 'segregating population quantitative', 'restriction associated', 'indicated regulation', 'effect data analyzed', 'genotyped porcine 62k', 'qtl qtl different', 'trait 13 vf2', 'scan 255', 'addition rxfp2', 'density fat', 'classified category', 'focused known', 'center ne', 'porcine snp60 genotype', 'breed panel carry', 'mo vol respectively', 'improve hcr', 'contribute comprehensive', '10 ssc10 sscx', 'explained residual', 'beadchip analysed trait', 'affecting different meat', 'population result identified', 'breeding chicken plumage', 'significantly dermal', 'putative qtl influencing', '54 342 snp', 'intact initiator', 'bone located', 'group total 10', 'san diego ca', 'acsl4 sw2456', 'previously reported association', 'count enhance', 'identifying potential candidate', 'comparison revealed greater', 'class separately', 'mapped region flanked', 'pouch tympany', 'left sided displacement', 'criterion deal', 'sample 178', 'significantly associated pathway', 'decr1 genotype serum', 'potential reveal', 'antibody titre', 'map zebrafish danio', '24 microsatellites', 'fracture laying hen', 'gdf8 allele texel', 'previously implicated', 'phenotypic variance proportion', '16 additionally', 'trait seven leukocyte', 'discovery causative variant', 'using predict option', 'muscle le fat', 'psma4 fto', 'type sex male', 'remain major', 'suite novel snp', 'average correlation estimated', 'individual legally harvested', 'element putative binding', 'eca18 employing horse', 'qtl combined information', 'record year', 'mir206 mir133b cluster', 'rxfp2 tbx5 rbm19', 'extracted genotyping', 'large comb relatively', 'concentration mineral tissue', 'earlobe color', 'hoxb1 gene', 'melanoma respective position', '90 catfish', 'reproductive trait qtl', 'selected grandsires', 'complex region identified', 'periods tb outcome', '123 holstein cow', '47 1e 03', 'deposition obesity', 'polymorphic evenly', 'fecx gr grivette', 'meishan european eu', 'qtl ti trait', 'cattle production established', 'mum thirty qtl', 'located exon bos', 'ss61514555 showed', 'wagyu limousin cross', 'male lamb approximately', 'investigated pcr', 'available animal', 'despite lack', 'involving ssc2 study', 'region associated reproduction', 'arginine glutamine', 'locus showing investigation', 'plymouth rock', 'gene srebf1 regulates', '19 gene', 'screened chicken splenic', 'marker fourfold', 'region weight', '14 white duroc', 'region influence age', 'protein result identified', 'snp lepr strong', 'contamination consumption contaminated', 'population f2', 'black organ', 'cm genomic', 'lifelong infection ovlv', '658 385 single', 'challenge cattle', 'commercial white leghorn', 'sib family phenotyped', 'udder genome wide', 'complex quantitative', 'snp camkmt gene', 'rate haplotype combination', 'region rhm approach', 'lifetime number', 'screened candidate gene', 'suggest mir candidate', 'transport localization', 'using cri map', 'relative expression level', 'heritability imf', 'marker serve proxy', 'data 928 fetus', 'approximately 30', 'linkage analysis 27', 'trait likely polygenic', 'bta20 bta22', 'illumina ovine snp50', 'reason linkage', 'background identified association', 'breed overall result', 'day herd life', 'provide location', 'largest effect pork', 'swine false', 'qtl bodyweight', 'ketosis susceptibility jersey', '38 426', 'identified qtl affecting', 'information future breeding', 'acid second qtl', '168 cm', 'carried 934', 'population evidence', 'adiponectin mrna', 'highly divergent', 'test shearing test', 'trait particular', 'trait employing', 'sustainability complexity high', 'containing cnv12', 'favorable qtl allele', '11 gamma subunit', 'increased age 110', 'marbling tc tc', 'excluded result', 'based nonparametric approach', 'sporulated oocysts eimeria', 'sheep known', 'alter expression mrna', 'polymorphism strongly associated', 'putatively linked susceptibility', 'rapid cost effective', 'score bcs live', 'family bcwd', 'fleckvieh population', 'line showed', 'content polyunsaturated fatty', '20 harbour', 'expression pattern porcine', 'qtl oar 12', 'snp potentially', 'region respective', 'correlation ctsd', 'inherited marker interval', 'day age 04', 'record body', 'silico post', 'high resolution map', 'nol1 chd4', 'carcass composition based', 'study confirms', 'chr1 27 associated', 'developmentally linked study', 'mapping central', 'regulation gene', 'selection signature study', 'chromosome including major', 'bp 251 bp', 'deformed horn', 'separate single', 'mutation involved trait', 'phenotypic indicator', '129564 located proximity', 'respectively proximal region', 'kg average milk', 'pig including retinol', 'potentially deleterious', 'producing sow sampled', 'facilitates fine', 'correlated fatty acid', 'precursor thyroid', 'skipping affected animal', 'region qtlr affecting', 'gene molecular variation', 'chromosome 13 radiation', 'read bridging', 'total 495', 'chromosome 2p14', '717 real', '114 ma', 'method established', 'network consistent', 'le abundant compared', 'reducing sequencing detect', 'cell decreased 05', 'association map4k4 genotype', 'mbl mbl', 'polymorphism analysis indicated', 'gga6 gga13 gga24', '09 conclusion trait', 'map zebrafish', 'production leading reduced', 'influence lactation', 'significant social', 'pig breeding inherited', 'level location', 'snp observed independent', 'indicates synthesis milk', 'snp strongest', 'associated exploratory', 'covering 110', 'showed serum amyloid', 'change body', 'variant gdf9 perform', 'data genotype data', 'variant tmem154 consistent', 'expressed gene considered', 'fat stronger qtl', 'immunity developing time', 'single step approach', 'allele 251', '3000 snp single', 'providing genetic evidence', 'fixed breed significant', 'pi bta2', 'acid metabolism lipid', 'progeny weight', 'marker observed', 'study origin identified', 'significantly higher expression', 'lep fabp gene', 'ibk susceptibility ibk', 'inherited haplotype allele', 'association threshold 10', 'abdominal circumference', 'pigmentation phenotype body', 'physiological trait closer', 'effect snp haplotype', 'modulating response scrapie', 'semimembranosus muscle hour', 'region intron statistical', 'fitting additive', 'acid porcine gpihbp1', 'ibk carcass trait', 'mycobacterium bovis bovis', 'undesirable animal', 'fayoumi leghorn', 'expression correlate', 'result accounting sub', 'quality trait qtl', 'allele surrounding qtl', 'measured culturing', 'middle detectable', 'crossing european', 'health pork', 'region reached genome', 'trait chromosome chest', 'index predictor', '11 12 11', 'tennessee walking horse', 'incorporation ld', 'receptor play important', 'finger protein multitype', 'ai service 497', 'guarantee reliability analysis', 'qtl improved', 'minzhu sow', 'bmp15 molecular level', 'sib family correlated', 'bacterial count milk', 'using 53', 'previously updated effect', 'snp rs41919985 predicted', 'effect detected genome', 'ma meat quality', 'connected cross used', 'chromosome bta 17', 'myh2 myh4', 'significant percent snp', 'genome scan holstein', 'lead reduced milk', 'gene total trait', 'senp5 snp make', 'endothelial cell', 'broadly contribute', '01 fat thickness', 'dissect genome', 'influencing milk', 'gene bola nc1', 'redundant cnv region', 'life daughter', 'observed association gene', 'region neurl1', 'estimated total 42', 'meishan backfat', 'method able', 'date trait lamb', 'regard outbred population', 'friesian cattle fed', 'adg respectively snp', 'result study suggest', 'ifc abt 31', 'subset number significant', 'threshold gwas', '103 significant association', '36 02 higher', 'production male required', 'zfyve26 identified putative', 'analysis lei0258', 'centromeric previously', 'rate influenced', 'lifetime reproductive trait', '57 putative', 'psti restriction endonuclease', 'week chest depth', 'improved performance', 'variation improve', '600 estimate', 'generation analysis applied', 'increasing need alternative', 'possibly needle sharing', 'taint relevance', 'non synonymous', 'particularly holstein dairy', 'ssc association detected', 'ssc14 ssc15 sscx', 'lactoglobulin milk identified', 'gilt experimentally challenged', 'solar program used', 'information candidate', 'model testing', 'result dominant', 'ultrasound marbling', 'autosome study identified', 'genomic mapping investigate', 'juiciness observed', '50 genetic distance', '56 nonreturn', 'moderately virulent wk', 'site nucleotide 12978', 'map constructed confidence', 'previously demonstrated haplotype', 'tissue 05', 'used detect additive', 'ipn viral', 'using tetra', 'region harboring mirna', 'trait sla', 'muscle indicating', 'furthermore intermediate', 'dcd maternal', 'maximum likelihood technique', 'silico mapping exploiting', 'downstream s554331 mutation', 'purebred qingyu', 'gwas followed', 'different activity', 'significantly associated lea', '_tef 1_86 cm', 'significant qtl white', 'known intermediate phenotype', 'reported located', 'wise level suggestive', 'signal reaching 05', 'imprinting qtl', 'remains limited', 'sample size allow', 'ngs 2399 located', 'cattle determine', 'normal bone physiology', 'chip containing 21', 'used selection mastitis', 'linkage disequilibrium underlying', '250 jiaxian', 'antigen marker', 'microsatellite locus covering', 'homozygous igf2', 'production carcass', 'role cell', 'breed chicken increased', 'design analysed individually', 'result expressed sequence', 'yearling weight yw', '29 particularly strong', 'selected asian', 'blocking percentage', 'different age reflect', 'nsb 05', 'hypothesis segregation major', '73 marker', 'thickness conclusion porcine', 'heave naturally', 'ph 24 addition', '05 lc', '39 meat quality', 'adjust effect', 'frequentist approach bayesian', 'content intramuscular fat', 'thickness moisture intramuscular', 'threshold level', 'association signal using', 'algorithm detect significant', 'bovinehd beadchip according', 'marker study', 'complex chromosome 16', 'mfa inhibitor myod', 'related control', 'outer ear phenotype', 'wwt 24 25', 'nw conducted', 'association individual', 'jordan study', 'involved development snts', 'data previous qtl', 'associated nematodirus', 'lead substitution', 'fst xp', 'broiler initiated', 'mediated response', 'influence animal', 'pool furthermore', 'measured autofom', 'significant snp 532', 'yield wl77 low', 'act putative fine', 'anatomical location gave', 'effect high', 'indicated network', 'population qtl detection', 'purchasing attitude', 'related clinical subclinical', 'snp marker significant', 'changed leg muscle', 'finding provide preliminary', 'ppil4 shown associated', 'snp mb window', 'emotional social', 'calf morphology', 'backfat thickness bft', 'identify specific', 'mb bta18 60', 'marker ssc7', 'acid elongase', 'horse snp located', 'sscx carried using', 'variance 35 56', 'map qtl haplotype', 'cattle affected calf', 'haplotype muscle le', 'cattle autosome', 'gene differentially', 'comparative sequencing mir', 'nv sheep population', 'relationship studied', 'fe performed cis', 'subtypes lead', 'process lead better', 'characteristic related', 'evidence crh', 'usefully contribute', 'genome potential', 'phenotype eye', 'difference sib pairs', 'fcr region', '33 snp included', 'animal line progeny', 'polymorphism erythrocyte', 'qtl eca15 genome', 'increase power qtl', 'histidine respectively snp', 'somatic cell milk', 'pig slaughtered measurement', 'score difference greater', '93e 11', 'suggest non synonymous', 'c16 fatty', 'approach principal component', 'stimulation thought play', 'analysis highly', 'igf2 identified', 'role developmental', 'qtl 18', 'qtl non', '11 week', 'leaf fat', 'palmitic gadoleic acid', 'deeper understanding', 'olp difference ebv', 'result earlier', '1186 offspring produced', 'segregating oar11', 'ph24h shear', 'qtl identified', 'snp rs1143515669', 'useful future', 'adult abomasum', 'correspond previously', 'detecting potential', 'effect analyzed outbred', 'analysis combined effect', 'function analysis identified', '51 molecular', 'day qtl associated', 'joint data similar', 'qtl indicate', 'result provide better', 'new insight allelic', 'snp beadchip 606', 'amino acid exchange', 'total map length', 'bp length', 'corrected 06 rao', 'including fat', 'highlighted vertnin vrtn', 'ctu1 contained missense', 'amplicons range', 'composition important', 'study report investigation', 'hap1 driploss phusm', 'growth region', 'line maximum number', 'large effect qtl', 'irs4 involved lipid', 'cross sectional', 'chicken chromosome causal', 'contact eyelash', 'studied dairy holstein', 'location previously', 'impaired acrosome reaction', 'achieved industry marker', 'qtls significant 05', 'critical step control', 'quality trait collected', 'region suggest', 'seven previously', 'trait charolais blonde', 'breakdown liver autosomal', 'characterized sequenced', 'chicken dongxiang', 'finally targeted eqtl', 'animal centro', 'programme allows', 'trait conducted charolais', 'linkage disequilibrium true', 'component trait making', 'relatively large proportion', 'molecular background qtl', 'criticized new modeling', 'rs133498277 fasn intron', 'pthlh expressed ear', 'increased understanding', 'homology share major', 'studied trait pathway', 'background growth', 'bta14 dgat1 important', 'sge compared parental', 'pig breed invaluable', 'large qtl effect', 'fitness given', 'ma study based', 'yield health conformation', 'dna marker predictive', 'phosphoinositide kinase adaptor', 'optimal health', 'sequence assembly single', 'previously published data', 'sc trait', 'initially snp', 'identify snp polymorphism', 'follicle especially development', 'homozygote reproductive tract', 'level various', 'technology examined', 'ssc8 ssc17', 'moderate diversity', 'canonical production', 'host genetic resistance', 'porcine pou1f1 pou', 'cattle grazing endophyte', 'weight long', 'marker evaluated effect', 'homozygote mutant', 'rongchang songliao black', 'abcg5 trpm6', 'advantage joint', 'body length carcass', 'adjusted leg', '50 924 snp', 'collecting milk sample', 'heritabilities twinning rate', 'breed animal', 'using gene', 'meishan pig 29', 'intercross landrace', 'different algorithm', 'retn minolta retn', 'study conducted pig', 'tbg detected', 'fundamental genetic architecture', 'twinning herd italian', 'permutation strategy create', 'snvs genome', 'shared sire', 'analysis raw', 'positive detected qtl', 'approach nineteen significant', 'known fundamental', 'fat related metabolic', 'prevent ovlv infection', 'breed reported resistant', 'nucleotide polymorphism cfb', 'different inbred line', 'hdl low density', 'breed rhenish german', 'respectively snp genotyped', '18 phenotypic', 'variant located region', 'joint analysis qtl', '13 growth', 'estimated simple deterministic', 'test time daily', 'enhance pew pbm', 'suggestive threshold 10', 'fat thickness statistically', 'resistance susceptibility sarcocystis', 'ehhadh gene', 'analysed backfat', 'overnight longissimus dorsi', 'attribute cattle backcross', 'ascertain 19', 'efficiency great', 'analysis cia trait', 'identified vol related', 'leucine aminopeptidase involved', 'anova stage using', 'using large white', 'erythrocyte trait', 'medium density snp', 'resistant female', 'use association', 'cattle major', 'strong linked', 'named mbl1', '470 animal', 'testing analysis', 'recent genome', '435a 447g allele', 'group unknown homeologous', 'pure yorshire pig', 'investigation arm', '36 member contactin', '22 susceptible progeny', 'accession dq489319', 'rfi 199 08', 'male abdominal', 'study revealed low', 'matched pepsinogen', 'additional locus known', 'pedigree marker genotyped', 'lw 119 cm', '70 age bw70', 'average number fw', 'ham objective shaped', 'wide signal attributed', 'meim estimated', '96 transcript', '36 71', 'dna sample body', 'horse providing breeder', 'production observed ripk2', 'analysis provided evidence', 'independent contribution minor', 'aggg haplotype', 'mixed linear model', 'analysed average backfat', 'poultry industry increasing', '61 transition 24', 'feed efficiency 35', 'chromosome seven snp', 'piglet parent genotyped', 'association study conducted', 'detected causative mutation', 'performing marker quality', 'sl9a3r1 snp analysed', 'located chromosome 29', 'gene responsible muscle', 'previous rfi qtl', 'associated fatness measure', 'imposing way', 'g489a mutation rt', 'bta2 bta6', 'pp1r16a tep1 study', 'infection gradient', 'pedigree data', 'gene receptor', 'characterized mapped', 'chromosome 168 38', 'qtl identified homologous', 'ratio conclusion identification', '19 marker', 'identified 20 genome', 'trait offer great', 'angus charolais', 'cattle industry high', 'nucb2 expressed', 'association mapping', 'intake rfi difference', 'pcl detected', 'ciart arntl2', 'bmcpc overall identified', 'cl uc number', 'effect ccr2 rs41257559', 'fatness trait carried', 'map consistent consensus', 'brahman allele piedmontese', 'model achieved', 'ssc9 68 cm', 'qtl significant genome', 'ctsl_rs332171512a water loss', 'repository 715', 'trait marker effect', '1137 fish', 'dissection eighty', 'covering candidate gene', '2282 cm', '329 purebred sheep', 'previously correlated', 'disease impacted', 'data used gwa', 'underlying qtl snp', '370 significant association', 'genotype showed greater', 'haplotype analysis revealed', 'ketosis event', 'revealed previously undetected', 'western region africa', 'gga6 gga13', 'breeding value day', 'pbm diplotype', 'provide important information', 'bayesian method applied', '502 f2', 'association sex', '35e 05 study', 'localized 200 mb', 'mb region gga13', 'segment 50', 'work professor soller', 'animal detect putative', 'population polymorphism gene', 'porcine mttp', 'chronic lower airway', 'revealed 17g', 'excluded causative', 'marker covering entire', 'genotyped 689', 'new region considered', 'presumably affect', 'significant qtl static', 'provide evidence allele', 'haplotype structure bovine', 'origin chromosome varied', '15 cm significant', 'immune transfer', 'crossbred population 1855', 'indicate ugdh gene', 'peak protein cent', 'lost selected', 'genotype 10 backcross', '325 japanese black', 'ebv highly heritable', 'consistent effect additional', '927 charolais', 'confirm snp', 'eos basophil ba', 'daily feed intake', 'diameter 300', 'resistant cross', 'pig line haplotype', 'mycobacterium bovis infection', 'production bovine', 'impact pig', 'mef2c uterine function', 'qtl rib', '20 24 identified', 'set data', 'snp gene performance', 'depth trait', 'snp mqr', 'race time phenotype', 'genomic profiler', 'depth lumbar', 'genotyped chicken 600k', 'region containing known', 'fat trait exists', 'analysed 799 ewe', 'population ref', 'snp rs412986330', 'analysis effective', 'association resistance generally', 'mechanism responsible', 'carried milk', 'breed enables', 'breed interestingly breed', '45 snp', 'cattle targeted region', 'infrared spectrum', 'animal frequency', 'livestock commission mlc', 'human dog', 'ssc11 ssc12 ssc13', 'dead nbd number', 'including genetic', 'study reflecting', 'gene derive', 'model daughter', 'regarding il', 'bw42 tibia trait', 'fitted parent origin', 'population genetics analyse', 'rate observed', 'signaling shown', 'conclusion finding improve', 'technology genetic', 'locus horse chromosome', 'regulates appetite', 'signal erhualian pig', 'confirmed ssc13', 'litter size pig', 'dq494488 dq494490 genbank', 'qtl ssc4 located', 'farm management decision', 'suggest rumen ampk', '112 bos', 'haplotype important adverse', 'hyperprolific striking contrast', 'panel marker used', 'yield loin meat', 'immune defense milk', 'future study investigate', 'toughness measurement', 'structure trait', 'variance small', 'considered genetic marker', 'trait analyzed nanyang', 'low 285', 'holstein population determined', 'thyroglobulin tg', 'livestock production', 'affect total', 'disequilibrium explained 15', 'interaction analysed', 'data investigate statistical', 'confirmed additional family', 'overexpression wild type', 'identified study used', 'thickest 31 41', 'measurement requires characterization', 'confirmed experiment association', 'detection experiment', 'use ige level', 'marker associated appearance', 'phenotypic measurement related', 'red luxi nan', 'striking variation', 'bull breeding value', 'allele appeared associated', 'family ranged', 'backward selection procedure', 'suggesting presence pleiotropic', '18 muscle', 'locus linear skeletal', 'acid docosapentaenoic', 'result study experimental', 'significant qtl marbling', 'production msi', 'time represent', 'mutation conclusion', 'statistical model paternal', 'group ocd qtl', 'snp altered binding', 'dilution eumelanin', '28 gallus', 'adult body conformation', 'fat rate', 'rainbow trout total', 'deposition adipose', 'na atpase', 'stallion searched', 'example identification', 'scrotal circumference 12', '8kb mean', 'pufa significant result', 'gga5 gga14 set', 'proposed gene', 'male high', 'stage tumor', 'muscle effect haplotype', 'dscam ssc 13', 'position pair', 'abhd5 expression', 'gwas carcass', 'monitored year', 'sequenced total', 'provide relevant information', 'evidence maternally', 'linked qtl model', 'qtls sus scrofa', 'pig nsb 370', 'second shearing clean', '506 chinese', 'chicken result association', '07 score', 'fat mapping', 'hd gwas performed', 'impact quantitative trait', 'obesity obesity', 'method used deviation', 'intercross detected intron', 'circumference respectively snp', 'experiment different', 'female offspring', 'adiponectin mrna fat', 'affected entire growth', 'segregating line report', 'shear force value', 'result suggest genome', 'corresponding bacterial load', 'quality adaptation', 'analyzed measurement', 'dorset polypay breed', 'high input', 'feature previously', 'moved away approaching', 'plasma insulin', 'breed specific effect', 'neurological effect', 'bta18 significantly', 'qtl experiment wide', 'common mastitis pathogen', 'average daily dmi', 'expressed fdr 05', 'ssc15 far known', 'performed novel polymorphism', 'trait exhibit complex', 'chromosomal region mad2li', 'beadchip revealed', 'association consistent', '1648 1799 e10', 'cattle sequence', 'leucocyte trait identified', 'mutation 173', '918 daughter sire', 'acid fa', 'fixed effect gwas', 'effect whc regardless', 'domain map', 'risk victim', 'snp ssc7 remained', 'trait used global', 'abcg2 ovine chromosome', 'specific genetic component', 'evaluate relationship single', 'action proposed', 'activity measured', 'fcr trait highly', 'polymorphism snp overlapping', '9607480 bp', 'health poultry', 'cmp milk', 'snp identified sequence', 'chromosome 16 body', 'cattle beneficial', 'indicating prediction', 'lightness particularly', 'porcine muscle longissimus', '72 57 phenotypic', 'marker yielded', '50 standard snp', 'acting coupling total', 'variation analyzed', 'conclusion locus', 'insemination based', '45 candidate gene', 'decision tree identifying', 'association furthermore mixed', 'homeostasis skeletal muscle', 'npl value', 'estimate proviral', 'bovine chromosome 11', 'coli f18 receptor', '20 water', 'selected genotyping', 'leghorn breed chicken', 'objective change shape', 'cow produced mating', 'low ph', 'immunized classical swine', 'rfi exceeded chromosome', 'capacity disease susceptibility', 'age harboured detected', 'c14 intramuscular', 'leukosis malignant', 'chicken chromosome seventeen', 'agreement gene', 'industry catfish', 'disease selective breeding', '7637 16963 study', 'gene 40', 'sib regression based', 'body conformation haplotype', 'heritabilities close', 'mean egg weight', 'evaluation detrimentally influencing', 'qtl confirmation', 'analysed using interval', 'polymorphism marker', 'polymorphism diacylglycerol acyltransferase', '1217 non', 'follicle hf', 'daughter genotyped', 'genetic composition', '311625843 ax 115099068', 'interpretation snp downstream', 'trib1 muscle', 'newly hatched', 'ile265val substitution effect', 'encephalopathy model hsp90aa1', '22 23', 'mch future', 'melanoma occurrence', 'second shearing addition', 'attributed meishan superior', 'peak result', 'reported associated rump', 'snp unweighted', '44 leukotriene', 'genetically superior animal', 'statistical power detection', 'allele 361 bp', 'functional implication analysed', 'ontology term search', 'sequencing quality', 'polymorphism snp horse', 'gwas androstenone skatole', '49 042 bf', 'phenotype identified seven', 'praying longevity finding', 'design assigned new', 'lalba gene', 'mean loin eye', 'holstein animal', 'dam corrected estimated', 'cm2 specific coli', 'indole skatole', 'pathophysiological process equine', 'fasn peroxisome', 'ssc18 candidate gene', 'associated na', 'general linear', 'protective immunity', 'effector cidec gene', 'expression milk composition', 'result seven novel', 'association snp rs414302710', 'structure necessitated', '0120 significant', 'associated 15 552', 'dfiadj respectively wgebv', 'suggesting gene', 'aa 17', 'qtl ttn detected', 'col5a2 igf1', 'genetic control', 'specific coli', 'revealed qtl controlling', 'differs tissue', 'experimental cross chicken', 'esr marker improve', 'nematode population', 'breed using porcinesnp60', 'ercr sperm', 'end sheep chromosome', 'dam af bm', 'allele 5990 4010', 'infection result study', 'understanding genetic architecture', 'function qtl connected', 'gene containing hic1', 'cysolids curd', 'specialized tropical', 'affect ph24h total', 'cattle hanwoo method', 'breeding chicken', 'content fa composition', '385 large', 'tt psi', 'protein 0007 yield', 'cm primary', 'lactation lactation', 'sheep cattle', 'ratio cd4', 'ml conclusion', 'method 63 solely', 'identified positional candidate', 'kgf 25 6n', 'pik3r1 pla2g12a ppara', 'accounted 84 phenotypic', 'feather pecking decade', 'production trait high', 'snp bta6 relatively', 'variation farm animal', 'identified significant', '32 detected', 'control grammar gc', 'population cow', 'approach knowledge qtl', 'prediction gblup approach', 'qtl muscling trait', 'ssc1 time', 'respectively 196 significant', 'predicted breeding value', 'end sus', 'post mortem anoxia', 'joint affected ocd', 'rxrb psmb8', 'white sow landrace', 'associated presence', 'impact reproductive trait', 'component trait birth', 'carcass trait measured', 'carboxykinase bone', 'effect instron shear', 'luciferase test cov434', 'length thoracic vertebra', 'snp detected pparg', 'clinical data cpd', 'backfat ebv result', 'absolute distance existed', 'tract uterine', 'overlapping generation', 'volume mcv 10', 'overall snp', '20 angus charolais', 'tenderness marker', 'weaning gain gene', 'confirmed ib cross', 'approximately 550 registered', 'sutai dly pig', 'mapping silico mapping', '833 son', '27 29 chromosome', 's0008 genes sequences', 'data used analysis', 'vipr prolactin prl', 'black cattle', 'present revised qtl', 'approach estimate', 'trait purebred japanese', 'genome entire', 'crucial responsibility', 'establish association klf15', 'gga2 growth difference', 'ranged 10 24', 'specific family marker', 'mpdz variant', 'causative linkage disequilibrium', 'associated gene important', '3112c snp', 'information useful gene', 'ratio fcr ssc2', 'proposed positional functional', 'reveals area genome', 'horse availability genome', 'mammary gland compared', 'furthermore progress elucidating', 'regulatory transcribed', 'performed variance component', '333 47', 'similar result heterogeneous', 'zero ld', 'giving additional', 'paratuberculosis map fatal', '11040379c confers', 'uncover strong candidate', 'ssc12 significant associated', 'polymorphism according snp', 'result total 475', 'key pathway unique', 'total 24 genome', 'analysis provide large', 'pathway including', 'useful candidate', 'ff receptor npffr2', 'gensel putative', 'livestock breeding program', 'length qtl chromosome', 'association gene specific', 'body weight haematocrit', 'qtl oar21', 'density insufficient detect', 'affecting bw cw', 'meat quality suggesting', 'bf loin', 'main selection criterion', 'strategy reducing', 'identified 10', 'snp marker 29', 'detected ssc3', 'qtl increased decreased', 'account adjust', '25x10 genotypic model', 'detected single', 'association fcr snp', 'blood swine', 'gene trait f₂', 'fatness trait experimental', 'pork color standard', 'desaturase trait chromosome', 'underpins horn morphology', 'qtl mapping analysis', 'using genotyped ancestor', 'trichostrongylus colubriformis', 'test age', 'heart stomach highest', '14 confirm association', '35 large', 'meat carcass fatness', 'pseudo phenotypes genome', 'region sh3 domain', 'genetic effect rs16681031', 'high risk gene', 'wide significance tested', '752 laying hen', 'company marker candidate', '11 35 le', 'locus subcutaneous', 'pneumonia important', 'collected 274 individual', 'bta 12', 'pigment concentration moisture', 'fatty acid authentic', 'qtl sexual', 'refined locus cm', 'polymorphism studied second', 'mapped chromosomal area', 'development pathway analysis', 'compared dj', 'fat composition selective', 'examined statistical', 'mortality using 791', 'concern country annual', 'research identify', 'fcr candidate', 'population facilitate', 'risk boar taint', 'region body foot', 'detected bull paternal', 'gene approach', 'clearly identify gene', 'arthritis cachexia', 'value bl', 'purebred population pig', 'related pathway involving', 'qualitative trait locus', 'area significantly', 'locus affecting occurrence', 'sequenced exon ripk2', 'confirmation putative', 'snp 131c', 'bacon bb', 'network scoring visualization', 'titre pathogen infected', 'phenotypic variation qtl', 'pick type npc', 'motif human protein', 'gga1 gga6 respectively', 'korean native cattle', '62 located', 'cis trans', 'design resource population', 'jx ny', 'aim study replicate', 'total snp identified', 'status unknown pig', 'highest fat', 'treated phenotype gwas', 'menorca purebred', 'carcass 12', 'genomic evaluation', 'study gwas efficient', 'cow 704', 'zdhhc5 coq9', 'significant snp mtpn', 'ranged 14', 'sequence analysis experimental', 'variation loin muscle', 'mutation underlies qtls', 'naïve animal', 'respectively moderate', 'value lod 14', 'qtl maximum', 'near putative target', 'modulators hpa sa', 'elucidate biology', 'precision identifying', 'gene capn6', 'linked snp consisting', 'presence boar', 'applicability purebred blackface', 'chromosome associated maternal', 'carcass weight eye', 'employed gdf10 single', 'successive molecular breeding', 'functional snp', 'analyzed applying squares', 'identified trait measured', 'effect temporal impact', 'acsl1 separate', 'ram studied', 'value daughter ai', 'process mammalian', 'nsb mum thirty', 'significant effect holstein', 'priori expectation gwas', 'evidence qtl growth', 'qtl performed variance', 'encoding interleukin', 'located bta19', 'somatic cell', 'including imprinting effect', 'validation population phase', 'marker selection genetic', 'protein line earlier', 'marker bracket total', 'tharparkar vrindavani', 'region associated dairy', 'using 1000', 'genome nellore cattle', '34 36', 'hd snp', 'fabp4 gene strong', 'associated reactivity human', 'locus qtls affecting', 'chromosome 12 value', 'dna markers birds', 'snp buffalo', 'noncoding rna lncrna', 'large sized native', 'qtl test 11', 'identified 313', 'showed specific health', 'af chromosome distal', 'dna repository cddr', 'lw marker ssc17', 'gave rise', '499 son', 'scan approaching significance', '21 different haplotype', 'age custom maximum', 'signal false association', 'heritabilities united', 'test result allowed', 'lesion genome wide', 'varied depending', 'linkage analysis', 'bta29 confirmed', 'significant qtl concentration', 'increase silverside', 'target sequence mir', 'cm _tef', '704 bull', 'suggestive linkage identified', 'animal welfare extremely', 'bvd pi bta2', 'reanalyzed data large', 'a430g t433g snp', 'product revealed', 'correlation ifc', 'preserved bos', 'complex host', '52 17', 'lowest immunocrits 470', 'percentage increase protein', 'porcine chromosome ssc1', 'recessive rock line', 'background sensitivity', 'chromosome region 30', 'confirms teat', 'showed single', 'variety genetic', 'produced scottish mule', 'increase carcass', 'partridgelike current', 'drawn phenotypic extreme', 'including novel snp', 'used genetic marker', '19 associated em', 'rfi difficult expensive', 'studied trait', 'cooked pork mature', 'effect trait mixed', 'group affecting', 'provided evidence ew', 'charolais holstein cross', 'genotype c1a2 c4a2', '10 chromosome gga1', '06 average', 'index commercial pedigreed', 'line total 24', 'statue ii use', 'specific control qtl', 'acid finding', 'ngef ewsr1 actn2', '48 allele', 'glo cmlm', 'trait churra sheep', 'tspan31 dhx38 abcf1', 'id ssc 25503', 'significance detected single', 'usually carcass fatness', '61 49 mb', 'age total 21', 'consequent total', 'substantial heritability', 'pathway total 41', 'khdrbs2 sdccag3 hu', 'using molecular information', 'signal gga1', 'program improvement', 'nguni cattle reared', 'gwas explained', 'highlighted vertnin', 'intercross high growth', 'performance sow', 'common involvement', 'mb skatole lw', 'response way result', 'snp associated larger', 'marker haplotype based', 'month age 01', 'responsible 11 trait', 'solely chest', 'gdf9 identified', 'bta7 bta14 bta20', 'flanking region porcine', 'weight gga2 gga4', 'selected genotyping using', 'qtl endocrine', 'analysis experimental', '118998 located close', 'short chain', 'f4ac vitro adhesion', 'model able', 'porcine public snp', 'lower computational demand', 'gdf9 expression', '964 sheep', 'trait conclusion genetic', 'ssc8 using likelihood', 'data fetal placentomes', 'piedmontese cattle breed', 'regulation function swine', 'promising gene including', '2398 bp', 'mixture model approach', 'sperm motility', 'mean residual', 'fat content tenderness', 'protein regulation', 'event restricted', 'color postmortem', 'ldha copb1 mapped', 'w80x fitted', 'examine effect lepr', 'defect pig', 'dominance effect post', 'affecting imf', '44 trait', 'total fat content', 'anai4 value 10', '447a allele', 'cc difference cd', 'used set', 'associated following', 'http www gridqtl', 'influenced numerous small', 'production qtl', 'region using', 'effect beta lactoglobulin', 'chicory candidate eqtls', 'blood collected bw', 'breeding value mbv', 'suggest allele lep', 'ph water holding', 'dhx38 average daily', 'used realize', 'analysis slc39a7', 'domain family member', 'detected overlapped locus', 'perfect segregation', 'single binary trait', 'second providing functional', 'calf sire included', 'factor substantially', 'reduced power detect', 'sample 16 landrace', 'snp marker included', 'analysis mean polymorphism', 'variance mean', 'genetics ascites information', 'measurement gait', 'bull qtl', 'fat thickness 18', 'structure echs1 protein', 'litter size wool', 'method exhibit higher', 'mutation understand akr1c', 'eyelash cornea lead', 'scrofa genome', 'effect fit data', 'ctnnal1 1878 wnt10b', 'developmental orthopaedic', 'detected eca2', 'tissue conclusion', 'work date', 'cw height length', 'rib backfat tenthrib', 'polymorphism panel', '49 88', 'gene diacylglycerol', 'number effect qtl', 'genome using half', '3020a 4500a', '25 13 ld', 'snp ex12 milk', 'analysis compared', 'comparison standard', 'reductase decr1 core', 'defect selection estimated', 'efficiency ratio', 'population derived', 'trait characterization causative', 'f1 parent f2', 'weaning piglet previous', '129 marker', 'caused late feathering', 'reconstructed haplotype showed', 'visualization genotype', 'based summer milk', 'similar regard order', 'snp gga2 affected', 'tibetan lingao min', 'concerned adult parasite', 'population suggested individual', '265 cm', 'highly conserved antigen', 'expression significantly', 'higher density marker', 'nonparametric interval mapping', 'crossing shamo', 'pooling selective', 'gland lead', '333 birds', 'activator play', 'based clinical sign', 'integrative analysis', 'snp mc4r useful', 'day 20', 'muc4 8227c allele', 'genotype c1a2', 'region large effect', 'indicating potential', 'logarithm odds lod', 'line used association', '1500 cattle seven', 'analysis deregressed estimated', 'identified significant evidence', 'carrying insag', 'cow categorical', 'underlie complex phenotype', 'female gilt', 'sheep ovis', '41 47', 'chromosome followed', 'contained multiple snp', 'eca2 15', 'qtl detected using', 'determine validity qtl', 'comprehensively evaluates role', 'snp identified close', 'displayed dependence', 'total 2467', 'metabolism transported glycosylphosphatidylinositol', 'count recorded specie', 'estimated commercial dissection', '12 dam line', 'autosome centromeric region', 'linear model 4841', 'associated bw70 fi', 'candidate gene tert', 'immune status', 'population 1983 hypothesize', 'ram davisdale line', 'ratio arachidonic', 'reveals spot brown', 'single strand conformational', 'mhc located', 'validated different horse', 'susceptibility ovlv aside', 'wide signal', 'peak fat', 'used pre', 'snp indicated', 'interaction effect production', 'population result consistent', 'test population', 'traditional strategy map', 'pigmentation previous', 'fm209043 allele frequency', 'sf mfi genotype', 'rt pcr transcript', 'analysis marker previously', '97 10 affect', 'human imprinted', 'sequenced novel non', 'genotyped 919', 'relationship single', 'polymorphism leptin', 'characterization additional marker', 'analysis differential', 'confirm polymorphism responsible', 'genetic resource breeding', 'columnaris disease cd', 'reported carcass', 'association outcome reflect', 'commercial egg production', 'explaining largest proportion', 'genetic testing', 'overlap weight bft', 'reported human hypobetalipoproteinemia', 'tissue expression', 'chicken comparison wild', 'growing chinese indigenous', 'selected marker trait', 'trait effect direction', '15 30 semen', 'detects core haplotype', 'especially region', 'expressed insulin', 'thighs wing identified', 'time point genome', 'efficiency contributes', 'cast 155c', 'intermediate region ssc16', 'airway obstruction rao', 'exon 18 flanking', 'grand daughter', 'snp marker gene', 'tmem154 consistent', 'previously established physical', 'shin circumference', '518 individual', 'multiple comparison ocd', 'using combination', 'search free', 'stimulating hormone beta', 'derived f1', 'production trait 321', 'guttural pouch', 'bovinesnp50 96', 'total 24 425', 'association conducted', 'locus clinical', 'reproductive trait practical', 'genotype bmp15 gdf9', 'selected 20', 'copy respectively mstn', 'selection operating', 'kg ebv', '16 05', 'arm porcine chromosome', 'decr1 polymorphism', 'identified gga2 adl0190', 'trait previously mapped', 'marker subsequent', 'taihu sow present', 'conservative sequence', 'shoulder muscle', 'correlation ketosis dairy', 'region significantly associated', 'multiple trait associated', 'genome wide suggestive', 'xk kell blood', 'candidate gene chromosome', 'tt lower mean', 'using 39', 'length body weight', 'specific component', 'pig ear', 'animal chromosome', 'inra084 qtl showed', '1301g spp1c', 'combined analysis linkage', '43 698', 'genome 400k equine', 'associated birth', 'hrh4 aldh7a1', 'challenge laying hen', 'hour phu post', 't32742468c located intron', 'measurement lm', 'growth factor forkhead', 'lactation highlighted gene', 'composition addition', 'trait combined averaged', 'genomic selection breeding', 'validated marker suggesting', 'position achieved', 'churra sheep', '2228t 2281a', 'randomly sampled using', 'chosen refine', 'polygenic control qtl', 'possible make distinction', 'breeding age', 'superovulation response used', 'region ssc6 reported', 'cytokine signalling haemostasis', '12 gpat4 18', 'associated altered', '14 microsatellite marker', 'located close', 'result cattle', 'stress response conducted', 'quality data analyzed', 'backfat showed', 'cw region sire', 'chinese western origin', 'sutai pig population', 'value genotyped', 'intron interferon', 'unquestionably represent important', 'german holstein fleckvieh', 'genetic contribution bone', '060 045', 'step gblup', 'production affected', 'death red maasai', 'gland morphology cattle', 'using gemma', 'gamma soay', 'significant effect chicken', 'identified rfi', 'genotype 17', 'carrying mpdz', 'mapping exploiting panel', 'tenderness identified 598', 'confirm linkage', 'directly animal model', 'yield related trait', 'result considerable variability', 'associated 18 milk', 'purebred sheep', 'function gene 20', 'significant genome wide', '65 dna', 'lean mass live', 'model bos', 'result provide', 'respectively genotypic frequency', '26 26', '19 20 25', 'influence relevant qtls', 'developed simultaneously estimate', 'model 12 qtl', '18 human complete', 'refined interval follow', 'tested individually second', 'fatness comparison', 'treatment infected', 'analysis individual', 'robust multiple gene', 'chicken selected', 'test qtl search', 'disequilibrium surrounding', 'day gga3', 'different breed european', 'drd3 carcass composition', '003 tailing weight', 'iv importantly', 'table egg quality', '15 27 10', 'pufa content independent', '57 000', 'ssc12 significantly', 'improve selection procedure', 'type later', 'body composition suggested', 'subpopulation suggested independent', 'chinese pig imported', 'region tibial', 'maternal effect qtl', 'wide threshold qtl', 'cost involved broiler', 'analysis quantitative real', 'tth111i separately genotype', 'hereditary disease develops', 'bull included analysis', 'ac showed', 'marrow identify', 'direct impact', 'collected weaning weight', '23 day anatomy', 'create panel snp', 'bull significantly lower', 'economically important beef', '32 cm identified', 'afr recorded 577', 'growth 12 week', 'oaries_genome qtl', 'dna pool constructed', 'observed considerable level', 'chosen genotyping', 'identify polymorphism cacna2d1', 'attributed scd', 'genome project comprising', 'correlated post stress', '3481bp fabp', 'mapped oar5 13', 'like urine like', 'dik1054 dik082 chromosome', 'directed dependency graph', 'set proviral concentration', 'study fisher exact', 'housing season', 'lg la', 'section welsh cob', 'major involvement cns', 'study polymorphism economic', 'mutation affecting bmp15', 'heifers population', 'based snp significantly', 'common base', 'corresponding nutrient', '335 chicken n202', '447 allele adg', 'c8 capric acid', 'protein iap', '60k snp beadchip', 'mature protein', 'increase accuracy prediction', 'minimally affected', 'variance effect milk', 'fdr 0051', '01 locus additive', 'decrease birthweight 002', 'haplotype explained', 'lncrna cloned sequenced', 'interleukin 10 il10', 'qtl scan milk', 'transporter playing crucial', 'holstein data', 'polymorphism flavour pork', 'circulating androgen', 'showed candidate', 'lda expression', 'suggest dlk2 gene', 'utilized genetic', 'ranged 16', 'scan lc', '70 f1', 'locus favorable allele', 'estimated responsible 89', 'consisted 10 sire', 'like receptor tlr9', 'mated tumor bearing', 'enoyl coa hydratase', 'method performed gwas', 'gag like transient', 'test jersey breed', 'sarcocystis miescheriana behaviour', 'amenable improvement marker', 'genomic breeding value', 'rdhe2 gene', 'low frequency 03', 'mb porcine chromosome', 'respectively gene discovery', 'depth trait information', 'genomic study', 'distributed animal different', 'slc39a7 cdna', 'percentage 0023 muscle', 'cross main objective', 'rankl adamts sost', 'sheep population different', 'snp affect', 'significant 38', 'snp pre', 'faecal shedding', 'region involved control', 'phenotype different underlying', 'wise multiple', 'concentrate concentrate', 'study aimed investigate', '62 respectively snp', 'component qtl identified', 'factor determine cow', 'performed gwas', 'individual assessed', 'chicken noninbred white', 'ncoa1 pik3r1', 'gonadotrophic cell line', 'research university nebraska', 'cm interestingly animal', 'chromosomal area relatively', 'significant tentative association', 'shed light', 'analysis showed biological', 'beef cattle led', 'implemented addition abcg2', 'sequence polymorphism', 'body weight breast', 'industry commonly used', 'myostatin gene associated', 'comparison dam', 'probability trait', '37 34 phenotype', '15 23 overlapping', 'gene promising candidate', 'obtained cooperative', 'autosome animal used', 'putative conditional', 'parental population haplotype', 'rate allele descendant', 'identified qtl gene', 'genetic basis sheep', 'cm 72', 'major genetic factor', 'model search', 'dependent diabetes mellitus', 'mstn genotype causative', 'cm result using', 'card15 gene significantly', 'recent availability complete', 'block animal model', 'added allow interval', 'region play role', 'polymorphism reported date', 'genomic region associated', 'hamb maternal', 'examination 162', 'cattle reared herd', 'understanding biology fat', 'trait consistent', 'average fat', 'developed marker', 'better understanding biology', 'gene involved milk', 'length correlated trait', 'linked reciprocally', 'microrna target', '924 family level', 'allows regulation mrna', 'showed greater luciferase', '69 snp associated', 'charolais 963 limousin', 'sample taken', 'meat percentage eye', 'average curvature fibre', 'predisposition cause indirect', 'function result association', 'molecular assay technology', 'addition cyb5a', 'association study result', 'black plumage black', 'infanticide control group', 'reproduction present', 'map employed quantitative', 'identified selection signature', 'lei0029 adl0371', 'puberty lifetime number', 'factor including genetic', 'providing support', 'cross bred steer', 'slope equal zero', 'insemination boar', 'salmonella infection prophylactic', 'association influenced', '23 06', 'genotyped 144', 'family significant', 'encephalopathy clinical', 'selected egwas', 'protein involved md', 'gain 42', 'different chromosome possibly', 'significant snp genetic', '159 microsatellite', 'area ratio fat', 'addition haplotype', 'loc102164072 bdnf', 'showed rs13997809 ucp3', 'thoroughbred percheron', 'deuterium dilution technique', 'screened genetic', 'domain grb2 like', 'myostatin ovine', 'contour navicular', 'effect expressed additive', 'genetics host', 'breed important source', 'secondly quantitative', 'snp chip target', 'multi locus strategy', 'snp identified sample', 'sequence analyzed using', 'center cool', 'expected affected genetic', 'chromosome wise genome', 'cow conducted gwas', 'infected mammary gland', 'length 24', '18 data', 'region identified 93', '47 48', 'genotyped marker half', 'wide family', 'osteoporotic fracture', 'gene igf2', 'region contained significant', 'bmd lod', '1185c sc haplotype', 'h7n3 outbreak', 'parametric means lod', 'muscle characteristic myofiber', 'snp relevantly associated', 'animal genotyped illumina', 'force dry', 'supporting evaluation', 'related size chromosome', 'trait variance pc2', 'mutation lack', 'variant underlie ibh', 'parity combined', 'human rediscovery mendel', '54k bovine', 'imi mammary', 'epistatic effect improve', 'month body weight', 'design seventy genome', 'risk factor affecting', 'polymorphism tnf', 'set 120', 'underpinning production', 'rate discordant result', 'redness ultimate ph', 'including spinal', 'consideration interaction', 'classical breed', 'increasing twinning', '35 snp', 'shown strong genetic', 'pig haplotype', 'ssc15 marker sf3b1', 'trait identified', 'toxin sporidesmin', 'dairy type differ', 'mbv decreased 416', 'effect averaged cow', '106 conclusion locus', 'ass bone growth', 'pleiotropic qtl gelbvieh', 'd4 gene', 'sustained release', 'candidate eqtls', 'investigate impact', 'favorable marker', 'bta2 marker', 'weight decrease age', 'segregating qtl parasite', 'analysis included angiogenesis', 'following chicken', 'sweep qtl interval', 'gene length cdna', 'genotype compared cc', 'remarkable selection', 'imf longissimus muscle', 'weight egg laying', 'frequency myf breed', 'mendelian qtl line', 'chilled femur weight', 'rna present', 'individual single nucleotide', 'family snp', 'predisposition cause', 'snp miga2', 'spectrometry 724', 'phenomenon phenotypic level', 'weaning 200', 'region ap', 'association reproduction', 'ankyrins positional', 'trait 35', 'study suggested toll', 'mg 94 zn', 'process involved fatty', 'bilateral convergent', 'performance calf genome', 'snp gga1', '21 24 25', 'genomic interval marker', 'aberrant transcript', 'endpoint identified', 'eosinophil change oar', 'bw abdominal fat', 'membrane na atpase', 'expression hsp90aa1 gene', 'wild population', 'sw322 sw607 chromosome', 'fndc3a mlnr cab39l', '210 bf 210', 'association identified trait', 'gene lead identification', 'trait 10 reached', 'survivor outbreak age', 'evaluation conformation fatness', '54 609', 'gain dwg purebred', 'holding capacity marbling', 'parity prominent', 'chromosome detect', 'linkage identified gga2', 'pig breed suggested', 'sequencing pcr amplicons', 'fst influence', 'trait worm trait', 'immune response gastrointestinal', 'good genotype frequency', 'bta1 13', 'nanyang xia', 'specie evidence', 'correlation allowed', 'used qtl analysis', 'sexual maturity eggshell', 'result cattle population', 'hmga2 gene involved', 'genetic cause piglet', '3579 bull', 'qtls 15 boar', 'human cutaneous', 'independently associated', 'aim discover novel', 'carrier state way', 'showed fixed allele', '23 45', '45 snp showed', '48 724 900', 'locus involvement', 'model maximum', 'permit insight genetic', 'refine position', 'strongly associated md', 'val870ala genotyped', 'genomic sequence single', 'genotype tended heavier', 'trait based result', 'pig age puberty', 'sequence cnv expression', 'contribution 14 beef', 'creation predictor performance', 'snp showed association', '155 184 cm', 'data generation large', 'etec including', 'prlr expression', 'study gwas biological', 'commercial line objective', 'population result affected', 'weight trait birthweight', 'feasibility using', 'ifr imf imw', 'micrornas mirnas affect', 'measured fecal egg', 'black steer 161', 'mutation dilution phenotype', 'study necessary ascertain', 'tested using bayes', 'selected individual', 'holstein intragenic', 'male fertility family', 'locus genome', 'base circumference normal', 'beadchip previous', 'map incorporating', 'superior milk', 'empirical 007', 'growth duroc pig', 'related utero placental', 'milk trait dairy', 'gwas analysis porcinesnp60', 'population non', '44 snp', 'singularly promotes differentiation', 'eye area 06', 'data set originates', 'ovine litter size', 'success pig industry', 'using bonferroni corrected', 'beef cattle breed', 'study revealed 17', 'charollais ile', 'specie recognition', 'biomechanical strength bone', 'swine population genotypic', 'trait including number', 'linkage map v4', 'production polymorphism bmp15', 'recorded included objective', 'revealed oocyst', 'dam prolificacy', 'hepatic transcriptome profile', 'texture juiciness', 'significant effect bw55', 'interval eth10', 'uncorrelated egg', 'altered morphological structure', 'capn1 947 associated', 'variation phenotype major', 'provides evidence balanced', 'previously identified chromosome', 'growth detected porcine', 'yield performed', 'claw disorder ii', 'genus microsatellite marker', '285 microsatellite', 'suggestive locus', 'related trait leg', 'ssc17 single', 'commercial sheep', 'association study imputed', 'variation 52', 'atp1a1 gene potentially', 'pathway end conducted', 'acid significant', 'large interval', 'example detection', 'significantly associated milk', 'substantial heritability estimate', 'susceptibility prrs virus', 'rs592076818 1710c', 'total 423', 'analysis breed duroc', 'identified snp influence', 'jb2 respectively a80v', '14 trait chromosome', 'backfat thickness loin', 'gain 20 obtained', 'snp 124', 'genotype backcross f1', 'provide short cut', 'trait evaluated total', '50 58', 'csnk1g3 prkcq', 'resistance additional microsatellite', 'sire evidence quantitative', 'factor ultrasound scan', 'low virulent european', 'study use approach', 'fowl gallus', 'infection moderately', 'ocular squamous', 'genus microsatellite', 'locus identified increase', 'selection formula', 'association study group', 'computed genotyping data', 'fat qtl significant', 'production level', '12 present', 'snp sliding window', 'result contribute better', 'ease service', 'estimate similar', 'phenotypic expression exploring', 'closely linked hoxc8', 'csn2 particular', 'proof milk production', 'condition identified variation', 'feed intake qtl', 'pig chromosome using', 'responsible metabolic qtl', 'qtl bw 10', 'genotype different', 'pig largely controlled', 'load 266 low', 'adapted cattle', 'associated limousin derived', 'collect genetic marker', 'pattern snp trait', 'target novel preventative', 'serum testosterone concentration', 'estimated major', 'variant weight', 'end sequence genomic', 'fiber diameter wool', 'availability genome', 'large data', 'qtl boar taint', 'evaluated 11 trait', 'parity gilt trait', 'signal transduction signaling', 'study single multi', 'locus shuxuan cattle', 'vl area curve', 'used dna marker', '21 cm highly', 'important consequence', 'feature depending host', 'body development marker', 'level expression quantitative', 'ph base excess', 'south german chosen', 'elovl5 elovl6', 'multiple qtl', 'persistency type', 'reflecting carcass characteristic', 'cm providing', 'fat accretion male', 'outside block', 'qtl meat tenderness', 'order evaluate', '30 32', '47 18', 'combine information', 'longissimus muscle', 'seven single', 'alive nba litter', 'study provide', 'novel quantitative trait', 'bw implied', 'slc17a1 slc17a4 linked', 'based large number', 'chinese erhualian pig', 'sck1 sck2', 'analysis applied commercial', 'score test association', 'genotype h2h2', 'ac produced le', 'sire sex', 'trait reduce number', '97 phenotypic variance', 'suggestive snp indicates', 'segregation qtl', 'relationship matrix genome', 'evidence imprinting qtl', 'inflammation post infection', 'investigated copy', 'identified 50 associated', 'qtl affecting concentration', 'linkage coccidia', 'significant evidence qtl', 'posse domain', 'taking consideration', 'gene affecting facial', 'highly significant missense', 'trend positive', 'diverse environment additional', 'analysis ketosis', 'inra experimental', 'chromosome total', 'herd life proportion', 'protein percentage decreased', 'effect ssc5', 'significance peak identified', 'population marginal compared', 'absolute shrinkage', 'adrb2 lpin1 stat1', 'area ratio lepc', 'distinct phenotypic property', 'sire line qtl', 'typical flavour', 'znf389 showed consistent', 'gene pathway explain', 'remained animal quality', 'ocd fetlock', 'suggest non', 'segregating family bta20', '42 marker linked', 'association analysis carried', 'h1 101 34', 'hampshire intercross', 'random coefficient', 'drawn regarding', 'ssc ssc1', 'carried aiming', 'chromosome dairy', 'qtl largest effect', 'weight bw weaning', 'variant contributes', 'dataset genome wide', 'region chromosome performed', 'fabp4 ppp3ca', 'study possible', 'shock protein 90', 'triglyceride tg', 'mutation tgfβ superfamily', 'detecting association number', 'heritability estimate ranged', 'alzheimer different transmissible', 'examine application genetic', 'scale f₂', 'trimming record recurrent', '444g 1730a', 'lead alternative', 'cv included', 'regulator muscle', 'abc family', '412 061', 'beadchip 1927 animal', 'mb snp alga008191', 'imputation based', 'using natural', 'important objective', 'phenotyped genome wide', 'prediction accuracy larger', 'wide range phenotype', 'genotype beta lactoglobulin', 'plot chromosome', 'rate behavioral', 'derived bh sire', 'growth trait breeding', 'close vicinity bms778', 'lei0101 linkage', 'deletions pgf', '93 ng', 'number variant cnvs', 'responsible pleiotropic', 'performance linkage phase', 'research 13', '216 mxp', 'aureus streptococcus', 'divergent backfat thickness', 'mutation 200 genotype', 'wide level', 'carcass weight averaging', 'significant increase protein', 'wt1 dscaml1', 'included genomic evaluation', 'known promising', 'african taurine', 'study pig detected', 'result agree', 'hybrid assay', 'sheep 001 averaging', 'genotyped using catfish', 'effect model significant', 'accuracy increased prediction', 'possibly responsible number', 'pig 05 result', 'plm percentage', 'supposed impact', 'wide mapping quantitative', 'affecting number teat', 'addition influence', 'va ratio maximum', '184 cm', 'fdr correction', 'trait birth weight', 'week old bovine', 'effect cmp', 'group cattle', '8981 525', 'measurement taken heat', 'reliable technique', 'response chicken domestication', 'region segregating', 'maturity eggshell', 'trait characterized blue', 'locus affecting sc', 'puberty suggests', 'significance position', 'included addition systematic', 'gene eca4q', 'detailed qtl information', 'involved energy metabolism', 'pathway cnvrs overlapped', 'pig growth rnf103', 'tumor invasion', 'intergenic conclusion', 'platform illumina60k geneseek80k', 'effect genetic variation', 'blood different', 'sc bb genotype', 'humoral cell', 'analysis calculated trait', 'conclusion combining information', 'haplotype prlr', 'suggesting importance pathway', 'ssc7 locus favorable', '18 oar18', 'favorable phenotype cross', 'gdf8 pleiotropic effect', 'ssc7 predominantly mhc', 'trait qtl tibia', 'allele lep 1387c', 'region ssc8', 'chromosome trait associated', 'affected lm', 'ssc8 closely', 'genome pig', '700g snp statistically', '26 22', 'nucleotide breed', 'dairy cattle data', 'novel located intergenic', 'rate nearly significant', 'qtl 25 haplotype', 'glu13asp 39a val19leu', 'trait estimated effect', 'shown involved regulation', 'gene ontology associated', 'ontology term associated', '42 72', 'milk yield 30', 'cassette transporter abcg2', 'population validate', 'putative promoter region', 'new distributed', 'circulating blood', 'applied 50', 'number informative', 'environmental stimulus undoubtedly', 'individual locus refined', 'increase fat', 'drop used define', 'intense selection production', 'question compared', 'znf192 zscan16 znf389', 'genotype mstn', 'transporting atpase atp2b1', 'leukocyte antigen sla', 'vaccination therapeutic strategy', 'wise false', 'university alberta hybrid', 'affected 289 unaffected', 'pig mum', 'map close fasn', 'qtl suggestive qtl', 'animal conclusion study', 'key enzyme', 'significance breeding', 'including igf2', 'weight progeny carcass', 'stimulating triacylglycerol hydrolase', 'qtl identified combined', 'conception fundamental', 'primarily affect egg', 'bayesian gwas', 'related susceptibility', 'detected bta14 72', 'force slightly higher', 'protein coding region', '455 value', 'age extended', 'conformational trait', 'africa rely', 'force wb', 'chromosome respectively different', 'protein function', 'candidate gene nba', 'bta14 corresponds human', 'heavy bodied chicken', 'large population', 'investigate genetic variation', 'higher withers height', 'ph gizzard jejunum', 'analysis gwas androstenone', 'exon ppargc1a', 'substitution g93a', 'nellore bos indicus', 'conductivity accounting phenotypic', '01 05 study', '436 genotyped using', 'value spectrum population', 'locus maybe causal', 'wide study determine', 'linkage phase', 'important development placenta', 'imputed variant revealed', 'associated soga1 mas1', 'regulation dopaminergic pathway', 'breeding improve', 'fat lean mass', 'body shape', '122 microsatellite marker', 'corresponding orthologous imprinted', '01 chromosome', 'day npd wean', 'disequilibrium associated', '392g association analysis', 'associated nipple number', 'bft rib', 'pig country pig', 'population warranted improve', 'different joint intragenic', 'rb1 p2ry5 fndc3a', 'characteristic different tissue', 'item questionnaire', 'bta13 female fertility', 'explained detected marker', 'goal analysed 14', 'obtained contained 746', 'phase association remained', 'lhx4 map3k5 nrac', 'regulation cell apoptosis', 'sib intercross', '458 american', 'tested objective', 'trait hf population', 'used introgress leaner', 'performance trait identified', 'bw body length', '326 erhualian pig', 'selection hanwoo', 'industry sustainability', 'member nr6a1 member', 'gain regulation skeletal', 'keratinization ld', 'narrowed interval', 'respectively haplotype', 'mechanism poorly understood', 'combined holstein population', 'determination qtl', 'linked lei0101 used', 'trait undertook', 'population single', 'prolific phenotype', 'precisely map', 'md resistant', 'blup ridge', 'silv gene examined', 'cmya1 gene length', 'model random sire', 'effect sib', 'substitution examined', 'total contribution detected', 'objective current', 'sheep susceptibility ovlv', 'agree obtained', 'likely model pleiotropic', 'expressed qtl near', 'selection defect', 'multitrait group ssc', 'cattle identify associated', 'mutation regulatory sequence', 'defence mechanism acquired', '216t substitution intron', 'allele reached fixation', 'evisceration weight evisceration', 'indicated functional variant', 'result heterogeneous residual', 'blood type lack', 'effect suggestive', 'lw 15 16', 'association scd', 'total length 2350', 'gene total 660', 'coldblood sgc horse', 'group 371 lactating', 'effect 43 45', 'offspring implemented', 'factor agonistic score', 'near gws consistent', 'dst plekha5 cby1', 'constructed confidence interval', 'w80x seven', '25 region associated', 'sample collected 158', 'bci location 39', 'significantly associated sc', '07 bmp15', 'gene rankl adamts', 'identified tlr2', 'recently genome', 'genotyped 161', 'enhancement host', 'white sheep', 'propose alternative', 'gene sire', 'interval case qtl', 'region acsl1 gene', 'separately combined', 'tea domain family', 'measurement epistatic interaction', 'dj high', 'steer conducted', 'qtl significant linkage', 'importance region survival', 'sufficient genetic', 'ssc15 conclusion additional', 'fish representing 197', 'season 05 direction', 'form single', 'score strongly genetically', 'horse murgese slovenian', '562 pure yorshire', 'locus tested', 'meml mixed', 'estimated folding extent', 'genome region genomic', 'depigmented pattern', 'vaccine world', '50 snp array', 'evidence link', 't30n segregating population', 'sheep resistance anthelmintic', 'increased vertebral', 'method mrna expression', 'ddei pcr', 'ssc17 number', 'nonzero heritability', 'scientist studied', 'model parameter', 'based rna', 'value subcutaneous fat', 'contained qtl', 'corrected diallelic dgat1', 'detected fm hm', '19 24', 'maximum compression force', 'white italian landrace', 'goal present', 'catfish family', 'phenotype allow powerful', 'using test 01', 'performed illumina', 'effect lm qtl', 'gene using polymerase', 'application female', 'pi dam', 'region described study', 'locus qtls aseasonal', 'cell vivo response', 'heritability susceptibility ketosis', 'diverse environment', 'human disorder including', 'milk yield 11', 'established cohort', 'distal tibia', 'phenotype cross validation', 'homeobox protein prox1', 'gene play key', 'study discovering', 'gastric inhibitory polypeptide', 'difference selected', 'immunoglobulin igg', '591 988 snp', 'tnb nba parity', 'possibility increase', 'gene associated feeding', 'condylus medialis', 'prl stat5a ccl3', 'suggest rate feather', 'higher cc 600', 'site concordantly', '42344t 42404a mutation', 'zebu cow', 'locus affecting complex', 'identified separate candidate', '47 45 bb', 'mutation fifth', 'genetic improvement program', 'larger number', 'diameter mrna level', 'search genome potential', 'infection fec 113', 'detected analysis relative', 'acid based summer', 'adg fi variant', 'analysis cast molecular', 'improving qinchuan', 'formation spp1 ibsp', 'f279y variant milk', 'tenderness nellore breed', 'animal generated reciprocal', 'nonsignificant effect fabp', 'empirical value significance', 'previous result refined', 'pig candidate', 'published result', 'trait qtl information', 'genomic variant gene', 'study bta 18', 'gene study candidate', 'revealed previous model', 'large white rest', 'farm ireland', 'genetic background na', 'growth prioritized', 'bull association', 'sequence bovine chromosome', 'using unequal', 'indicating snp effect', 'study replicate', 'type plasminogen', 'animal parent grandparent', 'calving difficulty maternal', 'cold carcass', 'program meishan', 'trait validated german', 'detected qtl based', 'region nh region', 'cerebellum sample difference', 'duroc pig breeding', 'pcr sscp method', 'cm herd life', '93x10 dominance model', 'performance 37', 'previously associated microsatellite', 'clarified effect chromosomal', 'percentage alanine', 'leucine rich', 'bmp7 bpifb3 pck1', 'study carried', '19 adr', 'breadth chicken chest', 'snp duplication', 'good muscle development', 'meat yield estimated', 'chromosome number egg', 'expressed liver mbl1', 'scores model', 'hsp90 studied', 'mb region genome', 'nc standardization', 'omyfgt19tuf significantly', 'cattle routinely assessed', 'death fd', 'homozygous ewe mutated', 'ssc3 12', 'sscx ssc8 region', 'bovine chromosome associated', 'chromosome association non', 'chromosome coincided', 'pure broiler', 'ssc2 10 ssc10', 'region associated 56', 'fecx carrier ewe', 'detected pcr rflp', 'snp genomic', 'needed shed', 'finding indicate dgat1', 'family swedish red', 'member highlighted', 'autosomal marker trait', 'involving guanosine', 'acid 22 lean', 'critical region fat1', 'significance 96 10', 'ca 24', 'dgat1 allele encode', 'lcorl associated height', 'nucleotide polymorphism genotype', 'candidate fi1 rfi', 'cattle unclear aim', 'comprehensively evaluate', 'ld post mortem', 'pref progesterone', 'holstein result', 'mapped previous', 'knowledge research report', 'backcross individual analyzed', 'gga5 splitting large', 'test putative', 'result indicated tnp1', 'cd body', 'tbg ssc genotypic', 'organism growth integration', 'located 11', 'derived entire', 'quality changing', 'block detected genome', 'bta23 estimated', 'lower hg chicken', 'study relatively', 'overlapped selection', 'parental line detected', 'model based single', 'factor common', 'analysis allowed identify', 'growth integration', 'breed 547', 'model lmm based', 'group pig extreme', 'chromosome 14 identified', 'investigated present study', 'cyp21 esr1 gene', 'haplotype hf cattle', 'generation sus scrofa', '41 validated targeted', 'behavior analysis carried', 'principle analysed data', 'wog weight', 'position imprinting', 'ssc14 141', 'bcse locus affect', 'experiment extended f2', '05 estimated', 'qinchuan qc jiaxian', 'vitro transfection assay', 'fever vaccine blood', 'selection modern holstein', 'resource population 743', '285 lead snp', '171 marker', 'gene adrenal gland', 'level mitochondrial', 'candidate gene landrace', 'chchd3 backfat', 'used common parent', 'obesity conclusion investigation', 'gain included nonsynonymous', '13281c snp4', 'phenotypically assessed', 'reported submitted', 'closed population complex', 'adjustment familial relatedness', 'hallmark finding', 'total 966 f2', 'support future', 'retinto torbiscal entrepelado', 'effect 07', 'region encompassing callipyge', 'chicken liver', 'induced proliferation', 'cnvruler software respectively', 'integration largescale genotype', '43 single nucleotide', 'immunisation 195 f2', 'weight ew eggshell', 'set 93 ai', '21 estimated', 'effect body wfe', 'trait qingyu pig', 'trait seven overlap', 'cow gas chromatography', 'enzootic pneumonia like', 'locus growth', 'significance field', '18 heritable', 'gene 939 852', 'keratin region', 'segregating unequal allele', 'endocrine regulation', 'required egg laying', 'weight significant', 'insulin induced cell', 'testing performed', 'trait 21 type', 'genotyped 059 219', 'injection melanocortin', 'common mcp cft', 'ssc relating 42', 'qtl age specific', 'ranging camouflage sexual', 'assumes animal descendant', 'located linkage', 'underlying milk yield', 'acid degradation', 'confirmed mapped largest', 'knowledge complex genetic', '10q ssc10', 'cow kept', 'population snp explained', 'distributed sixteen different', 'animal exposed', 'associated semen', 'initial set', 'activator transcription', 'significant 05 bonferroni', 'mendelian model using', 'oar 20 mapped', 'p2x3r play', 'trait animal stature', 'diplotype 11', 'line produce related', 'snp plcz', 'gene ctsz', 'trout significant', 'animal summer milk', 'number reciprocally', 'identified associated target', 'cluster located', 'animal prominent role', 'gain premium', 'backcross population elovl6', 'map7 conclusion genomic', 'associated tibia', 'population genotyped 13', 'effect reported', 'qtl detected ph', 'gene locus ssc7', 'dairy cattle family', 'gene interaction future', 'supported previously', 'qtl coincide', 'total 1534', 'bta mir 200c', 'quality selection', 'size practiced region', '64a associated coat', 'provided start', 'known affect profitability', 'wide mapping', 'conjugated acid', 'influence salmonella', '19 month age', 'rft 97 02', 'bw cw', 'study use', 'birth weight identified', 'allow number', 'diphosphate linked moiety', 'including eqtl associated', 'data irish', 'polymorphism detected utr', 'commercial dairy california', 'adg feedlot', 'historical selective', 'snp ssc4 region', 'dispersion crimp', 'population used provide', 'detected shank growth', 'determined significantly', 'significant effect bwf', 'contribute tnf mediated', 'significantly associated wool', 'distribution qtl', 'considered invaluable resource', 'lesion chromosome', 'serum testosterone', '7547 unique cnvs', 'pft using', 'heavy pig pig', 'using bayesr', 'growth significant', 'analysed using', 'regarding prolificacy', '938 phenotyped', 'qtl affecting feed', 'identified ssc6', 'linear carcass', 'trait using maximum', 'analysis calculated', 'expression tg', 'tenderness use marker', 'chinese simmental cross', 'identify sequence', 'cattle indicating', 'genotyped 25 microsatellite', 'significant qtl testicular', 'gcnt3 hsd17b7', 'hypopneumoniae mh tetanus', 'computational demand', 'cluster spanned maximum', 'percentage phenotypic variance', '253 259 bp', 'mutant genotype 37455302g', 'snp gene genotyped', 'estimated non return', 'confirms previous', 'bovine mastitis typical', 'number line etiologic', 'carcass meat', 'study reveal', 'cattle voluntary', 'recent approach', 'trait related', 'marker mapping population', 'derived transcript', 'scored illumina bovine', 'ovulation rate previously', 'heifer genotyped using', 'sumatran orangutan 95', 'mb likely harbor', 'liver network', 'sample daughter', 'signaling activity vitro', 'revealed sixteen region', 'lean sample cooked', 'infection south', 'map qtl genome', 'regulation nervous development', 'index disease', 'performance lean meat', 'animal based significant', 'knc bird', 'predominantly grazed grass', 'ear tissue piglet', 'sp1 site', 'data mining', 'genome scan used', 'method excludes linkage', 'informative animal verified', 'involved chitinase activity', 'underlying qtl control', '56 snp', 'splice variant characterized', 'specie companion', 'difficulty maternal', 'sheep reflecting', 'effect associated', 'drawn tentatively conclude', '183 cow 40', 'human region search', 'palatability beef', 'early time point', 'architecture help', 'growing commercial', 'bred bull', 'segregate individual', 'advantageous qtl', 'disequilibrium locus affecting', 'region included ssc1', 'ssgwas animal polynomial', 'significant snvs pgm2', 'i_ra solute carrier', 'line f1', 'embryonic mortality using', 'affect fat thickness', 'sd aid', 'fy milk protein', '22 studied', 'novel information molecular', 'future breeding', 'qtl segregating paternal', 'chromosome iberian landrace', 'weight lcorl', 'allele 207', 'rate difference chinese', 'ayrshire jersey breed', 'non coding exon', '128h cac respectively', 'mirnas target expression', 'bone ratio forerib', 'distinctly analysis', 'hsa5 73 mb', 'ccnd1 fto', 'highlighted considering function', 'midpoint marker', 'provided additional information', 'quality trait qtls', 'snp effect', '23 qtl region', 'jejunum tissue 30', 'morphogenetic protein bmps', 'incorporating genomic', 'tick count total', 'age puberty pig', 'segregating oar14 breed', 'ep snp significant', 'exhibit pathogen specificity', 'microsatellite marker evenly', 'feed gain', 'snp covering', 'snp sperm membrane', 'associated production', 'acetyl coa', 'effect effect dgat1', '057 rs320439526 snp', '61 mb bta21', 'altering free', 'effect assayed snp', 'duroc erhualian resource', 'uncorrected adjusted', 'le 11 cm', 'procedure consisted', 'deliver solution', 'included calpastatin', 'block ghr haplotype', 'differed tt', 'rna evidence', 'angus brangus cattle', 'involved sensory', '12 cold carcass', 'result shed new', 'region pig', 'family european', 'deletion insertion', 'polymorphism gene 119', 'cidec affect bmts', 'prolific ewe', '2449gc higher loin', 'zinc finger', 'observed trait total', 'utrs allows regulation', 'chromosome association analysis', 'defined distribution', 'calculated trait evaluation', 'important impact', 'commercial layer white', 'locus specifically important', 'study laid', 'analyzed sire log', 'slightly 01', 'tend stay herd', 'gt genotype aa', 'source genetic variance', 'birth using', 'showed variant ubiquitously', 'milk detect genomic', 'btas trait', 'expression gr adrenal', 'factor including sp1', 'chosen involvement development', 'weight leg muscle', 'western blotting', 'gene identified bull', 'feather shorter feather', '27 cm', 'crossing pig duroc', 'mutation segregating population', 'htr1e genomic region', 'afw percentage', 'horse breed polish', 'micrornas targeting', '395 animal marker', 'end trajectory', 'odc gene candidate', 'invasion dst', 'cost methane', 'analyzed trait breed', 'family member gli2', 'pof checked', 'record subset animal', 'respect estimated', 'increased imf juiciness', 'health somatic', 'revealed me1', 'result different impact', 'animal used 436', 'substitution remains', 'susceptibility host', 'gene pcr sscp', 'study rectal temperature', 'cw height', 'population represent', 'variant associated growth', 'zo coding tight', 'desired trait genome', 'related 05', 'divergent line revealed', 'holstein ch population', 'flavor score average', 'adg estimate', 'snp standard', 'horse using', 'locus qtl completion', '17 23', 'correlated region identified', 'ld 54', 'unadjusted analysis', 'cholesterol hdl', '62 ebv', 'higher mrna', 'ebv lp', 'predictor longevity', 'useful improve selection', 'ultrasound scan measurement', 'snp located precursor', 'counting random regression', 'trait sheep worldwide', 'intron dcc netrin', 'white 98', '001 marker added', '0056 0016', 'heritability reproduction little', 'nexin plasminogen', 'population result multibreed', 'line allele', 'ac genotype', 'level cytokine', '44 trait studied', 'phenotypic variance estimated', 'frequency major', '9966364 10142688 bp', 'oar6 associated effect', 'parasite evolution', 'ph pig chromosome', 'population substructure black', 'mmp2 associated', 'resistance detected', 'transcriptional activity hek', 'breed grandsire family', 'white rock', 'widens potential applicability', '13 intestinal', 'framework beneficial detect', 'shank length genome', 'sss17 tg detected', 'growth stage carcass', 'identify common expression', 'mitosis apoptosis', 'derived intercross oh', 'significant phenotypic', 'model horn type', 'data establish single', 'explore potential economic', 'swine identification genetic', 'defining qtl', 'healthfulness value beef', 'microarrays target', 'qtl 76', 'bta11 respectively marker', '05 substitution allele', 'selection faster genetic', 'protein mammal porcine', 'belonging 11', 'breeding value giving', 'associated increased fat', 'porcine intramuscular fat', 'variation porcine adipocyte', 'area chromosome 20', 'including nf', 'consistent qtls fatty', 'represented tail', 'rflp snp detected', 'value ebv highly', 'information understand behaviour', 'associated chromosomal region', 'duplicated segment chicken', 'genetic variant development', 'microsatellite marker locus', '629 370', '19 21 genome', 'selection better understand', 'used polymorphic', 'ib meishan intercross', 'evidence direct causal', 'haplotype 23', 'sutai pig 326', 'ghrl gene tended', 'vl quantified area', 'mammary gland snp', 'mcv mch day', 'qtl near microsatellite', 'identified gga2 gga3', 'gap junction', '0023 muscle', 'incidence infection', 'associated 003', 'endothelial growth factor', 'intron igf2 gene', 'employed quantitative', 'deutsches schwarzköpfiges', 'chromosome ssc 14', 'mutation gene', 'adjusted non genetic', 'cn dh', 'combined largest', 'locus qtl underlie', 'cm ssc8', 'underlying phenotype qtl', 'marker analyze data', 'cm novel qtl', '22 resistant 22', 'kb region ankyrin', 'refined dc horse', 'contribute mapping corresponding', 'analyse expression pattern', 'validates qtl', 'identify association', 'adult line qtl', 'muscle increased composition', 'biochemical process', 'rao quantitative', 'based performed', 'region associated mo', 'genotype differ mean', 'region rhm', 'validated german', 'majority study based', 'leukocyte cell', 'burgeoning kind', 'evidence chromosome wise', 'rfi 77', 'ssc genotyped', 'sc marker chromosome', 'novo sequencing 18', 'higher number egg', '12 zn', 'polymorphism identified using', 'trait conducted population', 'analysis nearest', 'consisted single', 'objective study conducted', 'silico analysis snp', 'snp gdf5', 'loc781182 002 trps1', 'salmonella enterica serovar', 'cnvs verified generation', 'migration inhibitory factor', 'population rt', 'regarded characteristic', 'tenthrib loin eye', 'cnvrs proximal', 'average daily feed', 'trait previously detected', 'detected using single', 'average faecal egg', 'cow selected', 'interval consistent', 'ema position', 'combined haplotype h2h6', 'additive coefficient calculated', 'generally coincided', 'performed series', '440 ghanaian chicken', 'identified 05', 'phenotypic variance seven', 'questionnaire analysis', 'situ hybridization', 'ibp4 gene close', 'included fine mapping', 'muscle sm', 'effect hairy', 'fertility trait observed', '58 respectively', 'overall body', 'f41 adhesion', 'qtl ass', 'linked myh', 'sheep industry underlying', 'division cycle', 'reported date', 'animal quantitative', 'map limited', 'identified sequence 31', 'ssc10 ssc14', 'distal tibia 82', 'plag1 mstn harbor', 'ssc15 meat', 'chromosome vertebral number', 'important protection', 'compared previous study', 'animal common', 'weight 502 cm', 'associated faecal egg', '2449gc higher', 'bmp15 expression', 'effect observed backfat', 'evaluated identify', 'finding independent', 'egg objective', 'association 05 allele', 'specific significant pathway', 'number stillborn', 'remained restricted', 'permutation test', 'expected use sharper', 'chromosome 18 22', 'composition bovine milk', '16 homozygous boar', 'csn1s1 flanking region', 'follows aa 71', 'associated milk', 'pattern social', 'yield 23 day', 'region affected', 'swine age puberty', 'modeling paternal maternal', 'spanned total 495', 'inheritance ti qtl', 'gene potential relationship', 'microsatellite sequence', 'maternally expressed qtl', 'general relationship', 'porcine tef1 regulated', 'implementation selection strategy', 'physiological adaptation', 'androstenone ssc5', 'preadipocytes chicken', 'wide marker tested', 'set genome', 'generally smaller', 'rate risk mating', 'evidence snp haplotype', 'sc dairy', 'ssc10 52', 'characterized limited', 'churra sheep independent', 'heritabilities polygenic effect', 'model relatedness', 'snp causative mutation', 'initially sick', 'population breed', 'showed 279', 'represent mcp set', 'affecting muscle fat', 'bovine breed genetic', 'effect larger', 'difference anterior teat', 'genotype phenotype sequence', 'rna sample 30', 'mrna regulated development', 'delivery identified', 'candidate gene backfat', 'aid identification gene', 'function position', '23 865', '47 1e', 'combination tail', '84 qtl 13', 'boar highest average', 'kg body', 'develop small antral', 'ct genotype lower', 'finding phenotypic variance', 'chromosome genotyped f2', 'rvtv ratio chromosome', 'scan genotyped', 'useful marker select', 'study 1010 individual', 'size standard association', 'increase plumage', 'area qtl reported', 'double hierarchical', 'glm gene ontology', '424 snp', 'bmp15 molecular', 'linkage map knowledge', 'model bayesian', '10 genomic region', 'chromosomewise significant', 'cell cycle arrest', 'gene qtl reproductive', 'zealand sample', 'construct haplotype structure', 'dorset sheep genotype', 'accounted additional', '19 34 20', 'effect chromosome', 'sampled different', 'genotype mir206 snp', 'lipoprotein ldl ligand', 'model simulation', 'resolution subsequent gene', 'ssc9 quantitative', 'production given', 'anova trait', '039 snp', '12 14 15', 'gm quantitative measurement', 'region identified help', 'spp1 polymorphism associated', 'randomly selected qinchuan', 'body weight snp', 'marker covering 23', 'whipworms trichuris spp', 'available commercial pig', 'affect machine', 'egg weight late', 'study number teat', 'reaction decreased', 'snp based weight', 'forest analysis indicated', 'bred ai observed', 'recfat recprotein high', 'end pig', 'regression performed', 'pig chromosome qtl', 'containing receptor', 'genome wide conclusion', 'carried cm sc', 'input production genome', 'sibling family structure', 'candidate gene tissue', 'snvs pgm2', 'contour feather', 'lactoglobulin content direct', 'significantly close association', 'far detected ryanodine', 'indicated genetic', 'association dna marker', 'gene involved cell', 'showed largest dominance', 'snp associated complex', '74 532 1166', 'identified gga12 15', 'cattle mutation exon', 'afe heritability estimate', 'height wh 11', 'aim discover', 'sire breeder', 'soundness overlap greatly', 'sox5 pthlh expressed', 'horn small deformed', 'effect perform', 'unknown etiology', 'chinese indigenous cattle', 'determined multiple', '590 region', 'south east asian', 'regulate aldbsscg0000001928', 'variance according', 'pbm percentage leg', 'snp fine map', 'subsequently reduced', 'study affected', 'assisted selection beef', 'rs17196799 htr2a', 'gilt prepubertal gilt', 'variant 10 363', 'maturity genetic determination', 'fixation approach used', 'incorporated using', 'inhibitor dermal', 'fatty acid assayed', 'wild female result', 'associated outbred half', 'pig chromosome', 'selection formula useful', 'rtn ssc6', 'respectively ssc15', 'additional source genetic', 'boar taint implemented', 'genome sequencing functional', 'reduce confidence interval', 'marker used map', 'dlx3 lgals9', 'igg response', 'observed genotype aa', 'trait great economic', 'created according disease', 'gene oiliness tnni2', 'affect riboflavin content', 'analysed individual population', '23 87 cmar', '194 snp identified', 'genotype information tumor', 'trait low heritability', 'ssc8 significant', 'score based lactation', 'association emmax', 'identified seven', 'northern ireland confirmed', 'population studied representing', 'value region obtained', 'effect sex birth', 'sheep independent confirmation', 'confirmed qtl affecting', 'oxidative phosphorylation mitochondrial', 'ssc3 muscle mass', 'significant conditional', 'animal carrying favorable', 'gria3 daughter', 'altered binding activity', 'ubiquitously acting', 'growth developmental growth', 'animal suggested', '2515 mon 2203', 'major gene avpr1a', 'specie revealed', 'control 587', 'gli family', 'phenotype different', 'transition utr', 'resistance parasitic nematode', 'breeding value twinning', 'unique selection', 'sheep snrpd3 khdrbs2', 'teat yorkshire pig', 'animal 5453', 'stature skeletal', 'control epl score', 'fat deposit relevant', 'animalgenome org qtldb', 'metabolism pathway oxidation', '10 01 bvd', 'heart testis', 'dairy sheep study', 'lg prl', 'revealed significant signal', 'unusually originated', 'apoptosis protein iap', 'effect single', 'effect proportion bone', 'indigenous sheep evolved', 'stimulation genetic', 'implementation series model', 'miga2 gene', 'meat shear force', 'scan cpd', 'trait improve traditional', 'carcass trait completed', 'growth largest impact', 'egg count nominally', 'lamb genotyped classified', 'milk bhb', 'gene associated fatness', '2228t snp source', 'mapping exploit', 'snp gip 15', 'content milk', 'ontology suggested', 'sarcocystis miescheriana pig', 'chronic obstructive pulmonary', 'role muscle metabolism', 'measure level', 'measured using compression', 'snp bin post', 'snp considered selection', 'sib model qtl', 'detected strong evidence', 'sd polygenic effect', 'based multipoint variance', 'discovered genotyping test', 'fdr significant snp', 'region associated seven', 'scd mrna', 'score chromosome 19', 'state chicken progeny', 'livestock economically', 'nsb 10', 'day my250', 'susceptible progeny pedigree', 'tested genotyped son', 'bta1 single', 'got positional candidate', 'breed 114', 'snp rare variant', 'skatole indole performed', '28 day', 'clarified effect', 'target site microrna', 'concordant set bw', 'feasibility efficacy strategy', 'grade genotypic', 'gwas contrast', 'promising autosomal quantitative', 'basepair 34 647', 'gnrh gene afe', 'total 420458 high', 'lipid concentration finding', 'tumor status number', 'used 12', 'related trait present', 'ipn resistance provide', 'sst nr3c2', 'study gwas map', 'correction analysis 172', '16 different', 'growth result suggest', 'insight biological mechanism', '18 phenotype', 'ppargc1a mscc kit', 'scale outbred animal', 'gene silv 64a', 'mapped chromosome 11', 'pairwise epistases qtl', 'conducted used', 'month 01 snp', 'processing presentation', 'commercial large white', 'sa proc mixed', 'important stress', 'control filter analysed', 'heifer trait', 'validation snp evaluated', 'dlk2 gene polymorphism', 'respectively main haplotype', 'protein mrna level', 'volume motility', 'day heat treatment', 'broiler line analysis', 'ssc14 ssc15', 'coli challenged cow', 'conclusion incorporation', 'exon ripk2 gene', '50k bovine', 'breed commercialized', 'weakness partly', 'mediates activation complement', 'modelling procedure', 'including vocalization locomotion', 'report domestic chicken', 'crh gene association', 'structure influencing', '24 cross species', 'cattle gene located', 'especially fast growing', 'generally resilient', 'region exon zbtb38', 'female map', 'porcine tea', 'including publicly', 'underlying growth fully', 'multipoint mean lod', 'search new melanoma', 'effect economically important', 'taurus bos indicus', 'level sox', 'microsatellites showed significant', 'day farrowing', 'previous analysis data', 'mcw0123 ros0005 76', 'composition affect porcine', 'diarrhoea genetic architecture', 'model myo3b 74x10', 'derived used', 'qtl genomic interval', 'stc2 genotype', 'underlies qtl possible', 'assisted selection bmp15', 'tail phenotypic', 'lp help', 'selection trait difficult', 'parity genetic correlation', 'component meat', 'snp panel', 'distinct causal', 'performed qtlmap software', 'fetal developmental', 'enhances fat desaturation', 'genome landrace', '45e 08', 'gga1 marker', '1101a 0006 trib1', 'fecal pcr', 'leghorn wl77 genome', 'mb ssc7 based', 'locus qtl general', 'pig quite', 'result seven', 'significant association eye', 'intensive selecting chinese', 'greatly contribute genetic', 'ay568628 pcr', 'software respectively association', 'control approach cases', 'animal tissue', 'association identified gene', 'locate region', 'facilitated innovation high', 'chromosome association approach', 'region affect egg', 'values snp located', 'exact test fst', '3360 animal breed', '4th rib', 'service bta', 'polymorphism explain small', 'laryngeal neuropathy', 'qtl unreplicated identify', 'gain detected', 'cyp1a2 rt qpcr', 'snp mir206', 'study showed region', 'dataset including cow', 'methodology developed', 'gene modulating response', 'qtl loin eye', 'study conducted candidate', 'silesian hucul fjording', 'anomaly currarino', 'gene lalba summary', 'nf κb p50', 'cell ldha lactate', 'qtl fcr', 'potentially affected selection', 'based analysis used', 'measured wk', 'bta01 05', 'significant 05 reduction', 'granddaughter design sire', 'horse needed', 'quality important genetic', 'elovl6 elongase related', 'conserved growth', 'allele ssr', 'newly reported vrtn', 'porcine lep gene', 'cm 45', 'theoretically meat', 'cross university illinois', 'pc revealed', 'significant candidate gene', 'identify gene associated', 'level abhd5 regulated', 'damaging effect', 'c1924t used', '1791 8630 1370', 'analysis ibd', 'study 916 variation', 'trait way diallel', 'number qtl', 'italian large', 'substitution analysis', 'described candidate gene', 'chicken klf15', 'fatty acid unsaturation', 'qxpak analysis', 'insemination conception parity', 'factor population level', 'piglet compared', 'validation study designed', 'association provide target', 'chip data illumina', 'exploited selection age', 'heritable phenotype', 'psychosis extreme', 'rhythm neurotrophin signaling', 'scan 165 microsatellite', 'firmness syneresis', 'strategy daughter', 'following lipid', 'beta carotene metabolism', 'suggested e4 37', 'dataset finally', 'indicate significance', 'generated founder breed', 'reflect involvement distinct', 'size qtl', 'chip microarray measurement', 'low density apolipoprotein', '1026 lamb total', 'revealed genetic evidence', 'ssc6 ssc8 ssc14', 'coloration polygenic', 'snp thought influence', 'sift 06 polyphen', 'measure pig analysis', 'reported presence', 'ph pco2', 'association study racing', 'coding region extreme', 'set approach', '06 ratio', '42 dpi', 'population growth fatness', 'biology growth body', 'acid category', 'level 175', 'diverse fatty acid', 'disequilibrium position', 'trait stature', 'candidate gene explained', 'assessed consumer breeding', 'tissue metabolism', 'chromosome 14 23', 'industry term onset', 'locus qtl signal', 'alanine gcg', 'qpcr western blotting', 'parasite model', 'morphological characteristic', 'associated region identified', '600k snp chip', 'adrenocorticotropic hormone acth', 'statistical analysis minor', 'jinghai yellow', 'order refine qtl', 'population total 369', 'sow lifetime', 'polymorphism genomic dna', 'association genome wide', 'horse estimated 47', 'studied cloning', 'showed evidence', 'polymorphism meat tenderness', 'tg ssc11 17', 'associated gene associated', 'attainment sexual', 'comprised 940 lamb', 'reproductive efficiency', 'skatole ssc14 androstenone', 'gene involved lipid', '22 qtl detected', 'study pure', 'protein percentage sc', 'chromosome exceeded', 'strongly associated snp', 'snp consisting', 'chromosome significantly', 'rapid genetic progress', 'sliding window variance', 'based haplotype', '43 188', 'analysis precise specific', 'immunoglobulin heavy chain', 'spanned cm qtl', 'receptor ionotropic ampa', '144 analysis significant', '72 10 15', 'acted additively dominance', 'fcer1g pmm2 tbc1d24', 'lr lw breed', 'polymorphism snp using', 'gene 79', '46 single nucleotide', 'causing boar', 'research center production', 'variation body', 'ggaluga348521 gga_rs16098446 ggaluga348518', 'cumulatively account', 'phenotype pedigree', 'positional functional', 'allele similar', 'obtained slaughter', 'nucleotide polymorphism quality', 'snp total exon1', 'growth meat quality', 'serum albumin glucose', 'non random mate', 'finisher cross', 'marker prevalence entropion', 'statistical testing nba', '16 trait thirty', 'combined selection', 'allele family bh', 'associated snp s26449', '28 pqtdt 40', 'infinium protocol moving', 'eca10 represent', 'laying 26 34', 'hematological ca 456', 'difficult expensive trait', 'qtl near', 'ex11 represent', 'production improvement fe', 'animal phenotype gwas', 'contain multiple', 'obtained partitioning genome', 'oc qtl region', 'model prp genotype', 'involved male fertility', 'sibs broiler divergent', 'overlap qtl', 'used snp discovery', 'primarily utilized milk', 'breed creation predictor', '259 amino acid', 'strategy work', 'colour based', 'process key', 'quality metabolic trait', 'piglet weaning', 'ac cow', 'fatty acid finding', 'cnvs chromosome', 'animal 12th 15th', 'limousin derived', 'affecting biosynthesis', 'result used', '233 record', 'region specific glycosylation', 'shb rnf38', '27 associated 10', 'support white adipocyte', 'ion gradient', 'indicated mutation large', 'weinberg disequilibrium', 'association analysis racing', 'ultrasonographic pathological', '28 age', 'based meat livestock', 'wk age', 'chicken phenotyped', 'finding helpful investigation', '713 animal', 'prrs vaccine', 'month post weaning', 'status putative', 'growing native', 'major effect backfat', 'favorable allele snp', '159a aj885515', 'appears interaction porcine', 'chl 100', '10 bw10 13', 'deposition adjusted', 'prrsv vaccine', 'level additional qtl', 'liver serf essential', '15 07 04', 'performed commercial landrace', 'available genotype f2', 'grade genotypic effect', 'mb ssc1 associated', 'body height chest', 'copy wild', 'thyroid hormone responsive', 'effect observed chromosome', 'cells ml', 'gene excluded polymorphism', 'marker litter size', 'region objective', 'value 89 10', 'bos taurus association', 'nt ntrk2', 'quality trait ssc4', 'including high', 'content day aging', 'embryonic development protein', 'birth trait genome', 'age 0056 0016', 'time dependent record', 'ssc ssc1 ssc2', 'fy protein yield', 'selection based quantitative', 'region identified chromosome', 'study utilized', 'cattle year', 'position crossroad immune', 'understand ovine', 'stochastic search', 'place live', 'suggest candidate gene', 'eastern southern', 'residue 158 bp', 'genotype fp pp', 'type horn', '21 958 snp', 'successfully identified', 'rs14011780 igf1r strongly', 'variance mentioned', 'syntenic candidate region', 'linked cause', 'explaining 46', 'regulated steroid large', 'rna lncrna', 'cattle gwas performed', 'contributing polyceraty report', 'regulated maternally', 'tmw used genome', 'polymorphism snp related', 'sample animal', 'massif central bmc', 'dj nr marker', 'significant difference concentration', 'f4ac susceptibility respectively', 'vertebra 01', '50 marker', 'allele bw identified', 'gain slaughter', 'chromosome pair', 'founder population regarding', 'interleukin il', 'marker significant region', 'calf comparison bvd', 'snp combination snp2', 'affected heart weight', 'ige level', 'linkage region', 'fp fy casein', 'variable selection', 'microsatellites 34 grandsire', '005 marker bta26', 'fabp level', 'allele significant snp', 'development appendage mutation', 'enhanced post', 'increased 05', 'insulin signaling pathway', 'disequilibrium ld identified', 'sequence comparison', 'serve useful resource', 'variant fat', 'ph analyzed genomic', 'brahman tropical composite', 'high skeletal investment', 'data recorded animal', 'transmissible spongiform', 'pta 31 production', 'associated vartnb', '45 polymorphism positional', 'sequence data seven', 'identified sign', 'homologous region', 'eth152 greatest', 'individual chinese cattle', 'phagocytic cell c3', 'genetic region', 'qtl influencing scrapie', 'transversions 16', 'clearly demonstrated', 'length crimp', 'used explore genetic', 'improvement reproductive trait', 'process germ proliferation', 'associated hornless studied', 'longer tail', 'trait showed genome', 'locus qtl identification', 'warner bratzler wb', 'mastitis exception genetic', 'sh rib bb', 'acid characteristic related', 'controlling growth qtl', 'involved qtl region', 'significant marker yds', 'information useful current', 'gene class', 'yield regression analysis', 'qtl qtls', 'sc production', '39328 hapmap26001 btc', 'genotyped genotyped animal', 'consumer prefer indigenous', 'associated milk physiology', 'study confirmed chromosome', '19 gene complement', 'design holstein friesian', 'population used fine', 'physiology mammary gland', '05 71 01', 'fertility stature confirmed', 'disequilibrium 22 locus', 'gga2 affected', '16 result', 'seven corroborate position', '01 additional', 'abnormality associated', 'background significant social', 'soay sheep inherited', 'bt population animal', 'shetland pony 127', 'america variation', '43 cn 77', 'component trait index', 'health fertility', 'identified showed', 'muscle drip', 'dq124298 243a', 'needed better understand', 'including metatarsus', 'c20orf43 significantly', 'result snp module', 'charolais cattle immunised', 'akt3 prkab2 prkag3', 'gene pgf analysed', 'stringent quality control', 'window comprised 10', 'risk fetlock hock', 'burkina faso', 'gga1 10 12', 'open new', 'associated bone size', 'fat percentage 57', 'french grivette', 'mb 64 70', 'additional 119 0e', 'utilized aid selection', 'source genetic material', 'sheep sire family', 'increased rbc', 'indigenous chicken breed', 'coding glucose dependent', 'cattle tropical environment', 'proteomics approach used', 'ghr haplotype block', 'located 242 cm', 'pufa moderately heritable', 'd9d milk', 'hydrolase activity', 'scan performed 331', 'wide level 31', 'fat yield previously', 'chromosome region harbouring', 'white meishan white', 'bta14 govern', 'score data', 'considered individual study', 'line daughter', 'mb 41', 'erhualian breed suggestive', 'churra ewe', '58 informative microsatellites', 'method present study', 'increasing overall milk', 'ocd qtl collagen', 'account 10 variance', 'motility cc tt', 'production age 43w', 'negative regulator', 'platform study investigated', 'despite trade reproductive', 'underlying non additive', 'revealed gene associated', 'genotype lower individual', 'activity follicle stimulating', '18 relative', 'pig heterozygote allele', 'value ranged 18', '16b gene abhd16b', 'form revealed heritable', 'intron upstream region', 'hebraeum vector heartwater', 'age genotype approach', 'polymorphism previously', '10 ked', 'ion gradient examined', '321 milk', 'level association analysis', 'ifc abt calculated', 'pwl born', 'birth weight routinely', 'standard bm', 'line 990 polymorphism', 'rs17196799 htr2a associated', 'adg kleiber ratio', 'animal reproduction gradually', 'data 590', 'trait reinforced support', 'polymorphic gene allele', 'values pathway analysis', 'duplication locus population', 'analysis family qtl', 'positional candidate chromosomal', 'sire daughter genotyped', 'analysis finding suggested', 'fto fat mass', 'ph color', 'sample applied', 'extreme fec', 'increase cost', 'overall balance fatty', '3p microrna mir', '20 animal spotted', 'qtls reported present', '328 snp', '2p14 p17 region', 'fabp4 likely', 'panels used genomic', 'trait marginal', '05 bms778 01', 'haplotype comparison', 'heterozygote rs43032684 01', 'morphology epithelial vascular', 'genotype 17507a larger', 'mutation 4581', 'individual variation applies', 'association study identify', 'horse descended', 'dik8044 indicating', 'validation scheme using', 'length gga4 half', 'sheep grazing communal', 'region tnf', 'trait recorded time', 'trait heterozygote', 'mum 05', 'analysis protein yield', 'time notably', 'study modest', 'cdna sequence porcine', 'population 72472 locus', 'gallinarum cause devastating', 'inheritance high ovulation', 'holstein friesian cattle', 'omyfgt19tuf test marker', 'mechanism involved protective', 'gc gene', 'stature suggest deviant', 'concentration igg', 'value giving', 'uncastrated male pig', 'beta tgf superfamily', 'line compared control', 'family including total', 'affecting muscle depth', 'population corresponding locus', 'texel single', 'infectious disease livestock', 'phenotype derived', 'using prnp', 'capacity pork', 'near gene boundary', 'associated fertility significantly', 'removal parity 06', 'mapping study method', 'detected marker', 'chinese holstein enoyl', 'enriched platelet', '65 grouped stallion', '04 qtl ratio', 'region adipoq', 'effect qtl affect', 'region sire', 'known mechanism', 'genotyped 88 autosomal', 'color japanese', 'muscular hypertrophy', 'responsible oc horse', 'chromosome afe covariate', 'pathway analysis gene', 'software identify', 'estimate mature', 'weight wwt yearling', 'receptor tyrosine kinase', 'silico translation', 'routine sire', 'stature german fleckvieh', 'strong candidate gene', 'qtl result support', 'associated region backfat', 'variant 2398 bp', 'contribute cattle', 'weight method total', 'approach provide', 'dairy cattle', 'art snp genotyping', 'distance haplotype segregated', 'statistical difference genotypic', 'day yield deviation', 'c2a2 c2a2 thickest', 'fetus higher prolonged', 'finding outline putative', 'program decreased ascites', 'propose snp tnp1', 'c3c serum concentration', 'study provided refined', 'value study', 'snp illumina high', 'number qtls exceeding', 'diversity 25 polymorphism', 'map essential', 'homologous human genomic', '1473a causing', 'beneficial nutritional value', 'chromosome suffolk breed', 'adult stature suggest', 'breathing effort rest', 'main cause progressive', 'investigated holstein', '0001 conclude 928g', 'breadth sternal', 'associated human', '1534 f2', 'characterize performance intact', 'parity piglet', 'related backfat muscle', 'day record adjusted', '81 protein potential', 'performance pig large', 'weighted gwas', 'linked gene', 'chicken based genome', 'standard dimensional genome', 'analysis family showed', 'post slaughter', 'rate rr animal', 'estimate genetic correlation', 'thickness negr1 slc44a5', '12 668 copy', 'abhydrolase domain containing', 'length maternal ability', 'factor known increase', 'bull 45 trait', 'fat cell differentiation', 'seen gene relative', 'testing used determine', 'weight bw important', 'description genomic', 'difference sow population', 'acquired immune response', 'direct dna sequencing', 'chr significant', 'putatively fine map', 'analysis carried 80', 'appeared narrow', 'parent origin effect', 'significant hit 10', 'identifying marker', 'main systematic factor', 'plausible positional candidate', 'identified study contribute', 'region significant tentative', 'lg major whey', 'evidence second', 'marker covering 29', 'respectively repeatability 071', 'array detect', 'bw 12 wk', 'company germany austria', 'revealed substitution c1924t', 'pig sequence', 'fatty acid myristic', '24 10 47', 'laying hen belonging', 'ssc10 52 mb', 'technique identify', 'slick breed slick', 'data analyzed step', 'region subjected', 'appears delayed snp', 'subsequent association analysis', 'placentomes study', 'body shape cause', 'centromeric portion bovine', 'identified variant upstream', 'progeny 590 steer', 'variant targeted region', 'analysis data different', 'day measured', 'bmd distal', 'disease model thirds', 'insemination 56', '11 kg', 'chicken result egg', 'desaturase scd fatty', 'qtl explained 60', 'architecture controlling', 'size mc', 'replacement heifer', 'performed grilled loin', 'network aiming', 'jejunum length ileum', 'phosphorus ratio 23', 'influenced genetic variation', 'fam135b significant logp', '380 microsatellite marker', 'bos taurus breed', '152 cnv', 'ancestor german', 'model additive', 'regulation elovl6', 'breeding value resistance', 'ketosis dairy', 'affected milk', 'equilibrium hwe', 'le 300 animal', 'mutation leading', 'linkage disequilibrium distance', 'ratio effective estimation', 'lp gwas performed', 'qtl allele given', 'linked inhibitor dermal', 'qtls effect meat', 'age 457 46', 'content pp', 'increased proportion total', 'indicated sorcs2 play', 'milk provides', 'collected generation analysis', 'associated pregnancy rate', 'chromosomal region affecting', 'count result confirm', 'pigment coat colour', 'sheep addition new', 'bta bta11', 'position growth', 'mendelian mode', 'discovered contributes directly', 'marker near', 'circumocular pigmentation acop', 'serum level close', 'expression exogenous acvr2a', 'particularly female', 'trait moderately large', 'genetics ibk', 'catfish industry enteric', 'pertaining sire family', 'size marker significantly', 'composition recommendation', 'production trait mb', 'mastitis related trait', 'performed using experimental', 'prediction danish', 'using variance', 'association resistant', 'provide potential marker', 'pig population considering', 'acid change arg315cys', 'pattern region', 'estimated snp allele', 'population fat', 'shearforce 10 experiment', 'intron region sortilin', 'marker interval estimated', 'industry genome wide', 'fiber type ii', 'effect new linkage', 'snp c14', 'mll associated', 'trait cm 80', 'lean line wl77', 'study demonstrates utility', 'extra source genetic', 'cast cast polymorphism', 'pair porcine experimental', 'like homolog dlk2', '0e 20', 'measurement trait 985', '43 damara genotyped', 'motility 20 genome', 'observed decr1 genotype', 'factor play vital', 'fiber number square', 'association direct calving', 'repeat domain 83', 'bl bos', 'observed phu 05', 'detected ssc2', 'performed animal model', 'alive rg lw', 'incidence modern broiler', 'genotyped 356 microsatellites', 'based clinical', 'ii revealed', 'exon site', 'bind long', 'dosage est expression', '70 located', 'montbéliarde mon', 'estrous cycle using', '56 cm 26', 'intercross genotyped 144', 'strong selection pressure', 'mouse indicating potential', '10 significant', 'receptor identified conclusion', 'twice end', 'structure exhibit increased', 'genotype lower test', 'cross concentration', 'bursal disease', 'chicken carcass genetic', 'feed smell', 'hand including epistatic', 'integrating information', 'analysis included box', 'addition gdf9', 'factor evident silico', 'leptin gene', 'frequency snp 18377t', 'ssc6q12 comparative', 'method applied genome', 'structure strong', 'variant complex trait', '626t 636a fatty', 'domestic sheep', 'map new susceptibility', 'marker employed genome', 'tcap porcine skeletal', 'locus shorter', 'number parity 36', 'statistical power 99', 'economically important dairy', '552 968 imputed', 'issued resistant fayoumi', 'glycogen breakdown deep', 'milk evaluate', 'ssc14 appeared novel', 'qtl different multibreed', 'forecasting result showed', 'chromosome chromosome chromosome', 'population achieved', 'bone quality mechanism', 'overlap weight', '422c calving', 'expand knowledge vertebral', 'weight lower muscle', 'pig study hematocrit', 'positive parity', 'holstein cattle susceptibility', 'pairwise linkage', 'shedding good parameter', 'snp evaluated small', 'trait gilt', 'offspring 314', 'klf15 proposed regulate', '0001 subsequently', 'pony association dna', 'identified individual family', 'power individual study', 'hmga1 melanocortin receptor', 'linkage studied', '23 susceptibility', 'expression fdr 05', 'linked detected', 'family member 12', '18q12 18q21 9q22', 'individual qtl window', 'qtl lactose percentage', 'help establish novel', 'effect multiple snp', 'fever vaccine', 'leucocyte number relationship', 'mapping placed', 'lesion nicl arise', 'marbling warner', '185 synthetic', '14 single', 'difference existed', 'size favorable', 'ssc6 ssc8 significant', 'conserved human', 'dgat1 effect qtl', '70 transition 20', 'exceeded genome', 'inherited white head', 'maturity rate nonlinear', 'distinct haplotype', 'healthier milk fatty', 'acid 18 docosapentaenoic', 'internationale eclairage', 'trait shank length', 'approach phenotype comprised', 'lipolysis fatty acid', 'reproduction production subsequent', 'compared result', 'data set 93', 'provide direct assessment', 'important implication prospective', 'qtl affecting teat', 'ss1388116558 reported snp', 'analysis reveal presence', 'red dominant white', 'african grazing', 'enrichment analysis revealed', 'cau chicken', '33 pp', 'gip showed', 'feather important trait', 'eggshell quality chromosome', 'identified help', '70 casein', 'acyltransferase dgat1 leptin', 'prrsv objective identify', 'sugar concentration', 'gwas chromosomal', 'qualitative trait identified', 'including average backfat', 'single trait ranged', 'qtl used marker', 'homozygote tt', 'lda qtl', 'area 90 confidence', 'employed screen genetic', 'snp 44g', 'syndrome pfts condition', 'appeared important', 'score shape', 'factor growth', 'muscle density', 'putative qtl 10', 'trait bayesian model', 'associated prkag3 gene', 'snp t53729c a53861g', 'scan accounted significant', 'fmo3 fmo5 gene', 'thickness avoid excessive', 'inferior white leghorn', 'end pcvd used', '15 synonymous', 'disequilibrium mutation', 'gilt used study', 'improving animal health', 'day service', 'known involvement determining', 'taurus bta chromosome', 'acid composition 470', 'substitution mutation associated', 'relate tender palatable', 'chicken static', '80 chicken', 'validation prediction', 'company infected prrs', 'conclusion cortisol response', 'qtl detected detected', 'holstein cattle provides', 'ai carry', 'described comparison different', 'relatedness thirty', 'rs339939442 associated litter', 'time formal', 'allele increase', 'transcript muc13a muc13b', 'residual phenotype regressed', 'genetic heritability', 'melanoma applied quantitative', 'set twinning rate', 'total number', '17 qtl', 'beadchip technology', 'trait viral', 'used normative approach', 'wide strong chromosome', 'protein yield 0005', 'strongest association ear', 'wide significant 20', 'finding suggest candidate', 'used approximately', 'additional relationship family', 'commercial crossbreed pietrain', 'intra mammary infection', 'homeostasis platelet function', 'ecotypes ghana study', '577 chicken genotyped', 'adjacent snp use', 'muscling growth', 'test significance', 'window chromosome', 'gene associated physiological', 'parameterization multivariate', 'adl0190 adl0152 sqsl1', 'gene scrotal', 'age 05', 'bmp7 known role', 'polymorphism rflp', 'significant milk', 'muscle fiber decreasing', 'using new', 'included epistatic', 'snp gene associated', 'sc female fertility', 'gpihbp1 snp genetic', 'protein present', 'cross populations', 'rfi fewer', 'trait growth rate', 'tgfbr1 transforming', 'method major', 'residue tarnish perception', 'dairy cattle integrated', 'jersey crossbred cow', 'bfw region distinguished', 'activity 0003700 nucleus', 'indicator aggression moderately', '419 protein coding', 'force locus preliminary', 'pleiotropic model probable', 'melting point fat', 'visit feeder day', '433a allele', 'marker 10', 'acid content decreasing', 'mum 10 detected', 'family addition', 'index using', 'circumference body', 'cc tc higher', 'pietrain typical asian', '14 ssc14 spanned', 'contribution genetics', 'area 022 illinois', 'accounted phenotypic variance', 'bovine prdm16 locus', 'teat defect chromosome', 'cdna amplified sequenced', 'challenged lentogenic ndv', 'contrast remarkable number', '29 376', 'rs13675432 significantly associated', 'lamb artificially', 'morphological trait drosophila', 'biology key', 'identify locus associated', 'skatole 150', '39 significant snp', '78 locate mb', '10 10 allele', 'f2 982 genotyped', 'giving greater weight', 'test indicated relevant', 'standard deviation snp', 'pedigree loki 673', 'kb region conditional', 'cow associated embryonic', 'high heritability help', 'belonging university', 'equilibrium observed population', 'level thi index', 'polymorphism snp mapping', 'screen polymorphism porcine', 'effect overall', 'density bone mineral', 'traditional strategy', 'used genotype animal', 'drps estimated residual', 'medical complaint including', 'known influence reproductive', 'study trait estimated', 'hybridization fish', 'ssc7 reported', 'cross 565', 'data 315 animal', 'subsample 423 bull', 'express result', 'hb 01 hem', 'member abcg2', 'estimated different time', 'directly affected genetic', 'effect affecting gizzard', 'regulation binding site', 'variant retrieved generation', 'gene cluster genetic', 'modeled random regression', 'regressed additive', 'formation vertebral column', 'locus end', 'insemination ai carry', 'interval commencement luteal', 'rfi adg fi', 'sire dam line', 'bovinesnp50 bead', 'located near snp', 'produce parity', 'gain partial', 'predicted reduce', 'redness meat', 'scd ube3c association', 'trait 53 qtl', 'conclusion marker ncapg', 'disagreement result', 'target weight ranging', 'variation lipid', '55 70', 'associated osteoporosis', 'effect expected direction', 'maintenance gain animal', 'report important', 'presented general', 'ampa gria1 family', 'experiment involving different', 'applied 1000', 'ct 24 tt', 'detect significant association', 'spp1c 40a single', '26 642 snp', 'piglets birth 05', 'related fat content', 'spanning region', 'muscle development rab28', '030 animal', 'trait bone', 'microsatellite marker adl328', 'concentration fat', 'etec f41 total', 'derived crossing', 'data gene', 'high mobility', 'viral pathogen', 'reference positional candidate', 'success likely', 'study line additional', '40 604', 'complex mainly influenced', 'fertility trait specifically', 'acid percentage', 'resulting low', 'jx nanyang', '240 day white', '33 marker resulted', 'tested association genome', 'group design body', '28 18', 'massarray sequenom san', 'variant mastitis', 'weaning weight adjusted', 'embryonic factor tef', 'yield trait dairy', 'fertility possible', 'dna pool unrelated', 'breed allele frequency', '05 associated significant', 'approach locus', 'fillet weight', '52 snp', 'additional qtl channel', 'brazilian state são', 'density genotype elucidate', 'defined numerical', 'advanced study', 'production frequent', 'like sh3gl2', 'loss 05 hgd', 'animal particularly', 'swine minor difference', '98 cm', 'acid synthase', 'fat deposition obesity', 'concern negatively', 'large proportion phenotypic', 'ssc5 affect', 'alpha acaca solute', 'investigate association apovldl', 'trait distinguished subtypes', 'genetic resistance', 'potent form vitamin', 'snp mtpn involved', 'polymorphism determined significantly', 'pic estimated', 'selection growth rate', 'significant association chromosome', '10 01', '25 35', 'haplotype 39 haplotype', 'available investigated trait', 'time sq dq', 'conducted chi square', 'total 38 snp', 'shell parameter difficult', 'newly identified', 'liver pancreatic', 'implementing marker assisted', 'functionally relevant single', 'dairy product wool', 'selectively genotyped 304', 'related bl genotype', 'breed creation', 'main regulator switch', 'chromosome apart', 'mortality rate concern', 'scheme quality trait', 'jiaxian red jx', 'selection target form', '0001 dgat1', 'enrichment gene category', 'ct tt snp3', 'aging crossbred', 'h3h3 potential', 'powerful candidate', 'increased variation loin', '39 polymorphism', 'key positional', 'newly studied trait', 'functionally related', 'equilibrium 05 snp28', 'proliferation differentiation present', '45 2002 06', 'piglet born later', 'analysis mc4r', 'akr1c4 significantly associated', 'rate number type', '05 different trait', 'polypay rambouillet single', 'using postgsf90', 'ratio average daily', 'population polymorphism affecting', 'additionally used', 'effect metabolism', 'puberty onset positive', 'bovine acsl1', '417 female', 'allowing potential', 'gene previously reported', 'percentage ewe lamb', 'predictor carcass', 'based model', 'broiler line divergently', 'selecting marker', 'study cloned sequenced', 'nonparametric approach', 'causative mutation qtl', 'physical chemical body', 'positive lack', 'analysis advance ability', 'environmental correlation 07', 'respectively accuracy', 'fat weight explained', 'tissue including 44', 'disease highly', 'accumulated study', 'disequilibrium ld exists', 'dysgalactiae staph', 'influenced steer steer', 'pigmentation cattle qtl', 'hypocalcemia main', 'performing selection focussed', 'prrs virus prrsv', 'study result influence', 'package analysing', 'selecting susceptible', 'bl genotype', 'tenderness sdk1 juiciness', 'term selection litter', 'fat pasture', 'fmo3 remaining', '13 additive', '600 genome wide', 'carried variance', 'nature investigated trait', 'scanned using video', 'trait consideration', 'adjusting body weight', 't824c c896t', 'bta6 confirmed', 'improved texel', 'keds melophagus ovinus', 'testing 005', 'peak protein yield', 'pig available', 'stress response expression', 'study establish genetic', 'shared association signal', 'correlation level', 'technology conducted weighted', 'substitution pig yorkshire', 'correlation se', 'fat percentage family', 'developed determine genotype', '56 snp additive', 'cxcr1 cxcr2', 'polymorphism persists population', 'comprised 200 highest', 'kg 05 substitution', '20 yr indicating', 'lamb 15', 'head total body', 'cow based', '467 progeny', 'identify marker candidate', 'matrix original', 'transmitted dam hand', 'using generation sequencing', 'c220t a506c', 'correlation 60', 'unpleasant flavour', 'associated haplotype showed', '27 sire', 'evaluated yield', 'exhibiting muscular', 'acid composition experimental', 'polymorphism fto', 'genetic value udder', 'insag insag genotype', 'mstn known large', 'snp associated subcutaneous', 'brother genome wide', 'unit vl', 'detect static', 'fertility 51 cm', 'analysed using dxa', 'furthermore gene known', 'oleic acid concentration', 'progeny inherited favorable', '16 week maximum', 'determined bird snp', 'leg relative', 'probability quantitative trait', 'temperature suggestive', 'lesser extent utt', 'main associated', 'panel bovine', 'selection improve productivity', 'snp present roan', 'value ap', '371 danish jersey', 'gluteus medius gm', 'gridqtl org uk', 'provide opportunity understand', 'stillbirth using million', '16 05 10', '0040 haplotype block', 'affecting mammalian', 'analysis heritability', 'silico comparative', 'genetic marker cattle', 'origin time', 'pathway explain', 'slc35a3 cause', 'ability maintain milk', 'gene identified suggest', 'variant meat', 'gtg scd protein', 'mare filtered high', 'cap project', 'rate result', 'behaviour promote higher', 'ptgis idh3b', 'ha multiple selection', 'aging crossbred lamb', 'wide mixed', 'study suggested increasing', 'analysis oar3', 'major gene affecting', '251 253', 'steer group snp', 'common frequency', 'model compared using', '29 autosome significant', 'dominant multiple qtl', 'control animal', 'physical appearance', 'chromosome bta6 15', 'source meat', 'variant associated foot', 'observed tested breed', 'present newly', 'significantly associated reproductive', '50k snp genotype', 'association improved', 'extreme trait faecal', 'light physiological genetic', 'related physiological state', 'individual snp included', 'hol nordic red', 'sire maximum', 'comprised measurement', 'analysis multiple population', 'polymorphism major', 'test trait 41', 'characteristic micronutrient', 'explained 14 variance', 'new qtl indicated', 'trait meta analysis', 'fw hoof', 'mhc genetic', 'mutation underpin', '24296 swr1637 ul', 'genotyped based', 'method using genotype', 'sheep clstn2 mtmr2', 'ultrasound ribeye', 'elderly people adolescent', 'introduction bmd highly', 'season identification season', 'fat lung', 'study finding confirmed', 'progeny 136 pietrain', 'decreased growth rate', 'pathway selective sweep', 'taken order locate', 'needed order clearly', 'sc compared', 'rdhe2 gene v6a', 'differentially expressed pmsg', '189 817 cow', 'maximum allele substitution', 'mapped higher design', 'fat accretion', 'breeding activity', 'snp marker detected', 'stage 65 dna', 'tabulated threshold', 'sa snp', 'dq124298 344a', 'variation haplotype', 'chromosome 30 18', 'improvement reproductive efficiency', 'genetic test efficiently', 'substitution model mapping', 'phenotypic variance bw', 'sperm quality male', 'pig consisting 321', '591 kb', 'result functional modeling', 'value set', 'linked marker myod1_75', 'affected progeny', 'breed 199', 'production gilt comprise', 'significant association confirmed', 'dbsnp database ncbi', '20 001', 'qtl identified different', 'yr abdominal', 'nr6a1 gene', 'differed season', 'mixed panel', 'f2 holstein', 'conducted fy', 'hour ph1', 'needed validate finding', 'qtl tnb ssc1', 'interaction porcine mttp', 'lamb 14 dpi', 'trait immunoblot', 'line total 502', 'gene regulatory', 'objective genome association', 'lactation 12', 'plin1 highly', 'snp detected genetic', 'triglyceride concentration 190', 'chicken breed analyzed', 'gwas utilized average', 'univariate analysis original', 'leg weakness trait', '105 weight', 'genetic pattern', 'signaling pathway identified', 'tested 00005', 'leucine position', 'identified worthy characterization', 'sequence share high', 'single birth', 'mapping performed mean', 'revealed sutai', 'outbred animal segregating', 'significantly associated lcorl', 'schwarzköpfiges fleischschaf suffolk', 'score sc using', 'influence aforementioned', 'pccb significant', 'implicated susceptibility', 'research principally focused', 'mgst1 sel1l3 gpt', 'based iberian', 'strongly affected', 'evidence association saa2', 'ssc2 f2 pig', 'locus exon', 'previously analyzed dataset', 'conducted 20 item', 'chi2 118 239', 'content feed', '109 horse', 'comparison result method', 'significant gene compared', 'producer care feed', 'progeny identified additional', 'japanese cockfighting breed', 'variation sheep', 'criterion deal best', 'mapping qtl lead', 'ssc8 rs81332615', 'dominant multiple', 'identified correspondingly harbouring', 'clinical radiographic ultrasonographic', 'mean spacing marker', 'locus identified', 'translated region detected', 'defining trait fine', 'previous result genome', 'breed 114 ma', 'conceive variable', 'contrasting result lactation', 'genetic variation tnp1', 'ac abc', 'accounted variance', 'time time sq', 'parity large white', 'snp located reported', 'protein subunit alpha', 'rfi study detected', 'population thousand individual', 'protein fkbp6', '10 2886', 'cited literature method', 'rs81476910 rs81405825', 'using bmp', 'identify qtl feed', '31 10 categorical', 'analysis performed subset', 'snp ssc3', '402a intron 2723c', 'gene appeared associated', 'additional marker complete', 'haplotype sharing analysis', 'set 820', 'differentiation apoptosis variant', 'performance tested according', 'h4 cow', 'protein single', '0001 threshold explained', 'bone trait northeast', 'addition qtl analysis', 'using genome wide', 'trait displayed', 'discovered cattle genetic', 'covering 245 mb', 'sow population', 'head condylus medialis', 'chromosome identified lmm', 'lcorl genotype entire', 'detectable impact fat', 'body weight qtls', '05 equine', 'analysis uncovered potential', 'outer layer', 'technique based single', 'analysis immune organ', 'involved marchigiana muscle', 'simulation test', 'dairy cattle chromosomal', 'objective study use', 'locus gene physical', 'university california santa', '24 growth', 'nematode control', 'f2 86', 'qtl grouped different', '2p14 17 demonstrated', 'neurological effect tumour', 'previously reported literature', 'different genotype allele', 'line founder', 'index sutai pig', 'valuable resource fine', 'overall identified', 'crossing göttingen miniature', '20 referred qtl', '724 bird', 'bird previously', 'downregulated fold', 'egwas total', 'individual wild type', 'trait locus chromosome', 'gene smad3', 'bird carrying insag', 'spp infect variety', 'infection eggshell', 'number somatic', 'trait 3kb region', 'eca8 eca16', 'fa analysis using', 'le rib fat', 'homolog trib1', 'expression profiling integrated', 'allelic frequency myog', 'level search qtl', 'promoter studied', 'triglyceride transfer protein', 'breed including landrace', '874g myf5', 'mstn sequence analysis', 'clinical sign disease', 'allowing contact eyelash', 'weight backcross outbred', 'gr ubiquitously acting', 'qtl intramuscular fat', 'varied 10', 'c20 c18', 'ontology term kyoto', 'thickness lean meat', 'cm selected analyse', 'composition trait somatic', 'trait german holstein', 'substantially narrowed', 'following lipid biosynthetic', 'far upstream element', 'additively associated enhanced', 'parity cm1 second', 'bta 14', 'controlling body weight', 'weight using', 'animal 1828', 'bovine primate', 'genome data', 'developed map qtl', 'linear analysis emmax', '12 16 19', 'involved muscle', '25 highest ranking', 'study annotated', 'evaluation genome', 'creatinine cre ionized', 'sd 33 sd', 'genomic locus affect', 'age remaining', 'including piétrain german', 'produce related', 'rs13997809 ucp3', 'chicken overexpression analysis', 'snp whc trait', 'selection previously quantitative', 'knowledge molecular', 'adfi detected', 'biologically meaningful variable', 'methodology incorporation ld', 'ssc18 genome', 'population estimate', 'reported significantly associated', 'view hock quality', 'count lfec0', 'indicates evaluated', 'functionally associated body', 'lactation holstein cow', 'adam12 map7', 'assay revealed mir', 'functional analysis carried', 'sc breed finnish', 'experiment trait investigated', 'association increased imf', 'combination herd', 'heritability imf 23', '64 69', 'diabetes gene', 'red dr breed', 'parameter used', 'defect study', 'selected population 954', 'gene ay568628', 'index bci', 'proportion genetic', 'form single nucleotide', 'trait analysis revealed', 'confirmed previously', 'cooking loss data', 'sscp sequence analysis', 'agent boar taint', 'infection negative impact', 'additive differ f2', 'supported polygenic', '916 variation', 'analysis 16 rao', 'belonging 112 bos', 'model genotype', 'artificial selection shaping', 'consequence led', 'using factor', 'srebf1 regulates', 'composed qtls smaller', 'report identification', 'texel sheep using', 'trait use', 'qtls divided', 'implicated immunity', 'intron intron untranslated', 'odds score qtl', 'game white leghorn', 'association hock ocd', 'panel 276 animal', 'complement lectin pathway', 'trait sparse', 'qtl directed dependency', 'phase il10_prrsv', 'growth rate ultrasound', 'confirm previous result', 'breed significant association', 'increased litter size', 'lipoprotein low', 'scan carried microsatellites', 'phenotype concordant', 'tool optimizing', 'approach provide new', 'copb1 highly expressed', 'cross divergently selected', 'genome wide 37', '87 cm', 'shared snp identified', 'nucleotide bovine stature', 'whittemore halpern implemented', 'concentration genotype obtained', 'leg foot score', 'fat effect', 'combination trait discriminating', 'anai4 conducted genome', 'rs43676359 analyzed polymorphic', 'snp genotyped 260', 'involved muscular', 'qtl line cross', 'length weight mapped', 'testis trait', 'genome detect relevant', 'negative qtl', 'based eqtl genotype', 'highly associated body', 'function plscr4 associated', 'selection improved eggshell', 'using performance', 'long history', 'severe animal', 'shown mtnr1a play', 'higher marbling score', 'result suggest', 'effect 19', 'low heritability', 'variant refined a1', 'validated presence', '475 individual', 'cluster contributes physiological', 'dwarfism associated', 'exhibit higher efficiency', 'investigated paternal', 'sc different holstein', 'cast marker', 'difference family marker', 'involvement lrp12 trib1', 'mutation nearby', 'using 19 marker', 'industry set 400', 'qtl location compared', 'snp crossed genome', 'complex trait intrinsic', 'adipocyte heart fatty', 'ab 05', 'coupled receptor associated', 'pig performed separately', 'identified gwas liver', 'signal rs419889303', 'snp 247', 'data collected classification', 'effect fat deposition', 'qtl varied 95', 'tail corrected sc', 'pig note', 'distributed horse autosome', 'retp averaged', 'ct gg haplotype', 'gain growth', 'weight tep lean', 'heart kidney postnatal', 'milk protein fat', 'hw lung', 'alter bmp5', 'collected 158', 'analysis 570', 'standard bm number', 'analysis tick', 'bcdo2 9367', 'effect moderate', 'lightness measured', 'excluding marker genome', 'oleic stearic', 'gene useful data', 'effect identified association', 'snp surpassed genome', 'representation haplotype', 'nelore cattle data', 'observed analysis raw', 'weight jejunum length', 'capture temporary', 'holstein immunological', 'term mainly involved', 'tcap porcine', '2088 bp', 'haplotype analysis signature', 'sow attacking killing', 'snp phenylalanine', 'bta15 bta26', 'associated divergent effect', 'different fertility', 'health reducing number', 'used information theory', 'low prolificacy', 'significant association maternal', 'dfi initial', 'consistent local', 'width associated trait', 'emerging gwas inform', '24 hr birth', 'age oviposition', 'beadchip genome', 'weight 011 haplotype', 'identified putative qtl', 'assessment performed grilled', 'affecting milk yield', '2768 3750', 'explained 87', 'genotyped using 82', 'represents blv genome', 'microarray analysis', 'fat percentage af', 'study identify common', 'site mitf', 'bil ca', 'hpai 2015 resulting', 'genotypic heritability qtl', 'pig productivity implementation', 'depth heart', 'calmodulin regulated spectrin', 'pedigree screening genome', 'related trait major', 'significant qtl serum', 'dyschondroplasia leg bowing', 'reproductive biological process', 'trait detected interesting', '91 12 76', 'density 600 ovine', 'industry increasing feed', 'dgat1 232ala ghr', 'linkage qtl phenotypic', '10 false positive', 'colour lightness redness', 'snp 19 detected', 'gene identified quantitative', 'enriched inositol phosphatase', 'female fertility female', 'lactoglobulin milk', 'pathology mycobacterial', 'clearly indicated key', 'gga3 18', 'heart liver skeletal', 'differs tissue seven', 'chromatography measurement', 'dam identified', 'polymorphism variation bovine', 'associated em female', 'c18 ssc11', 'carried based', 'quality control linkage', 'method used', 'receptor ngfr', 'industry recommended use', 'performed investigate', 'carcass weight lm', 'breed genomic region', 'qtl mb', 'receptor gamma', 'muscle yield muscle', 'gnas cluster underlying', 'conception rate ccr', 'covered centimorgans new', 'studied genetic', '10 15 total', 'sow genotyped', 'artificial insemination resulted', 'btb susceptibility', 'deposition energy', 'detect effect similar', 'interferon induced', 'ovulation rate heterozygote', 'genetically determined', 'locus qtl using', '513 duroc boar', 'fp german holstein', 'excluded analysis remaining', 'gwas detect potential', 'derived pa sire', 'heat day service', 'free pig', 'identified 235', 'snp 252 dongxiang', 'alb glo cmlm', 'au reprogen qtl_map', 'sus scrofa genome', 'primarily located', 'trait soluble protein', 'sequence level using', 'tagged snp', 'expressed level rna', 'preventive strategy', 'f0 bird genotyped', 'significant snp fpd', 'targeted association study', 'conclusion result confirmed', 'horse racing', 'high polymorphism pic', 'allele 38', 'localizing qtls fatness', '85 versus fecx', 'joint limb genome', 'influencing early maturation', 'kb segment', 'mapped position qtl', 'current understanding genetic', 'result multibreed', 'single gene', 'variant increasing', 'thermal tolerance', 'ancestor cattle', 'controlling variation resistance', 'eosinophil number', 'used predictor', 'trait commercial nelore', 'complete genome sequence', 'criterion horn', 'post hoc', 'similar scale association', 'described snp', 'distal centromere', 'landrace 181 large', 'mir spectrum', 'fourfold higher incidence', 'composition backfat muscle', 'paternal maternal half', 'polymorphism observed', 'milk trait map4k4', 'hsd17b14 addition gene', 'utilizing recently released', 'phase project identify', 'moisture content identified', 'allele likely causative', 'issue sheep', 'overlapping nonoverlapping', 'total 92', 'detect candidate', 'large 217', 'variance adding 10', 'upstream lcorl identified', 'polymorphic microsatellite', 'disease progression transmission', 'genotyping offspring genotyping', 'region associated calving', 'representation depends', 'purebred ml sheep', 'fiber trait chicken', 'lipid concentration intramuscular', 'qtn accounted', 'assumed known large', 'area intramuscular', 'adg associated 002', 'genome linkage scan', 'map chromosome', 'population 238', 'postmortem trait measured', 'finding novel', 'mendelian model qtl', 'indicate bmp15', 'iteration window', 'result allowed qtl', 'cebú romo', 'possible mechanism', 'identified potential candidate', 'bta17 characterized', 'rectal temperature rt', 'role regulating ovarian', 'using ensembl snp', 'allele decreasing', 'effect behavioural', 'undertaken sample', 'decade study', 'sire heterozygosity genetic', 'cross line different', 'majority multivariate analysis', 'ssc4 located', 'vertebra ssc7 qtl', 'verify existence', 'refine genomic region', 'rs109546980 significantly', 'located gene known', 'vertebra associated body', 'recognized important', 'measured slaughter age', 'c18 cis c18', 'association analysis ibmap', 'slaughter processing', 'number teat italian', '11 longissimus dorsi', 'genotype selected', 'linkage association analysis', 'using categorisation', 'confidence determine', 'available pig', 'control strategy hypothesising', 'resistance coccidiosis', 'affecting occurrence', 'signal identified chromosome', 'future use', 'analysis confirm existence', 'associated genomic context', 'region harbouring quantitative', 'window centromeric', 'nm noted explain', 'marker spanned 24', 'previously mapped quantitative', 'mapping focused consistently', 'reference genome', 'candidate mutation', 'term combining cnv', 'required attempting practical', 'defined significant', '12 cold', 'identified major', 'gene snp affecting', 'basis feed', 'trait pig addition', 'chromosome sw252', 'weight bft', 'detected improved map', '586 nguni cattle', '169 genetic', 'overlap qtls associated', 'sw1495 sw520', 'qtl studies involving', 'associated ovulation', 'used validate previously', 'inverse gross', 'location 20 cm', 'pig study single', 'using resource family', 'thuringian draft horse', 'sox differently regulated', 'study genetic', 'ma functional study', 'mef tata site', 'ssc1 ssc8 porcine', 'different paternal igf2', 'highly inbred light', 'ass gene involved', 'developed microsatellites qtl', 'ewe study provided', 'discovered central region', 'mapping study identified', 'snvs evaluated', '00 10 13', 'serf essential role', 'pronounced disagreement', 'length tail length', 'ch4 emission cattle', 'autosome chromosome', 'fowl white', 'igf2 allele', 'including lifetime total', 'study provided start', 'variant putative', '97 human 96', 'block analysis', 'body slope length', 'bta2 31 007', 'population strongest evidence', 'association study identified', 'heritabilities combination gwas', 'danish duroc', 'effect modifier locus', 'polymorphism used genetic', 'snp 14 862t', 'higher inactivity', 'cow confirmed strong', 'understand behaviour', 'time sheep horn', 'analysis available data', 'essential selection resistance', 'field study', 'numerous study various', 'associated imf content', 'gene arhgap8', 'longer sheep', 'promoter region acsl1', 'phenotype individual assessed', 'porcine mir', 'using high throughput', 'hydroxybutyrate concentration', 'database gene', 'analysis performed animal', 'studied bw', 'sufficient estimating snp', 'hunter loin', 'qtl qtl sex', 'ssc4 fattening', 'weight averaging', 'sequencing bmp5', 'adjusted value equal', 'qtl milk protein', 'feather pecking victim', 'power false', 'genotyped illumina equine', 'explained variation milk', 'chromosome protein', 'bull artificial', 'psti restriction', 'cm gga3 associated', 'value decreased', 'large percentage total', 'birth near microsatellite', 'model tackle issue', 'ab 108', 'yield trait drawn', 'breed assessed effect', 'carcass shank head', 'remained analysis', 'play role cleaving', 'affect riboflavin', '12 growth 28', 'basis analysis', 'immune capacity development', 'variant milk', 'receptor subfamily', 'expensive disease', 'chromosome initial haplotype', 'extent white marking', 'population qtl explained', '18 11', 'transcript level scd', 'wise genetic correlation', '21 23 using', 'development placenta', 'growth survival', 'prim holstein', 'ppp3ca gene significant', 'color yellowness', 'ssc4 ssc14', 'chinese jinhua suggested', 'fatty acid indicate', 'regression environmental parameter', 'rflp restriction', 'hemocyanin klh', 'rs42090224 rs42092174', 'trait expensive measure', 'elovl6 elovl7', 'determined longissimus dorsi', 'utrn tmem138', 'interval mapping model', 'trout greater', 'boar high low', 'compared case control', '300 462', 'association approach', 'bovinesnp50 beadchip estimated', 'identified qtl revealed', '815 kb shared', '30 key', 'measured end lay', 'bta23 gene', 'combining information multiple', '50 beadchip', '6723aa genotype significantly', 'gga4 217 249', 'crucial commercial pig', '78 cm', 'significant snp strongly', 'program difficult', 'genetic architecture longitudinal', '10 calculated', 'affecting cm fine', 'using imprh7000rad', 'induced herpesvirus', 'breed snp64_g', 'duroc shanxi black', 'fcr interval yellow', 'including fertility western', 'expression serpina6', 'effect probably involved', 'previous finding different', 'line difference body', 'particular region chromosome', '47 respectively', 'located 11 genomic', 'body weight 05', 'hanwoo feedlot bull', '110 kg duroc', 'chromosome 83', 'overlapped locus locus', 'mutation linked carcass', 'sesamoidales radiographic change', 'scan conducted 328', 'reported chromosome', 'chromosome 12 candidate', 'apr gene', 'sequence polymorphism identified', 'near refined genome', 'carcass cross', 'montbeliarde step', 'egg production polymorphism', 'gene causative mutation', 'mastitis infected mammary', 'snp explaining variation', 'associated androstenone covering', 'sample used', 'trajectory 54 95', 'suggest addition', 'significant evidence', 'assessed using le', 'detected interesting', 'estimate association genotype', 'trait 153 trait', 'work aimed detecting', 'vstm1 significant haplotype', 'affecting litter', 'insulin induced', 'extensively used identify', 'using gametic relationship', 'snp window phenotypic', 'animal record estimated', 'nucleotide qtn effect', '56 500 lamb', 'area measured using', 'cross bred boar', 'snp associated t4', 'used construct associated', 'ow uterine', 'gene ontology p2rx3', 'study located previously', 'onset development', 'value vrtn potential', 'density array', 'highly significant general', 'related specific immune', 'traf2 rela', '23 respectively', 'derived transcript agreement', 'earlier study', 'method screening', 'beadchip containing 54', '16 67 mb', 'heterozygous procedure', 'refining localization second', 'improved teat udder', 'total 50 qtl', 'bone mass', 'refined analysis previously', 'ercc6 tonsl', 'carcass reduced', '10 adjacent marker', 'lightness study highlight', 'f1 generation intercrossed', 'million imputed', 'kidney knob channel', 'exploited improve genomic', 'ecotypes newcastle disease', 'strongest evidence', 'dominance effect suggesting', 'estimate suggest moderate', 'marker resistant', 'cattle efficient mixed', 'grandparent chromosomal significance', 'joint nordic breeding', 'binding endothelial regulator', 'haplotype block asga0100525', 'meat yield 032', '297 395 animal', 'lean area ratio', 'predictor predicted', 'sd 12 significant', 'transcription 5b', 'japan endothelial', 'approach addition', 'central snp fdr', 'order increase weight', 'expression link', '1077 fm horse', 'pool 100 randomly', 'frequency haplotype current', 'novel qtl harbored', 'rg lw 15', 'minzhu intercross', 'trait integrating gwas', 'varied sire', 'transport protein type', 'dorsi sample 199', 'prss2 associated fcr', '293 cell line', 'area quantitative', 'progeny genotyped marker', 'virus csfv serum', 'lean area', 'snp fn424076', 'milk 59e 04', 'snp marker useful', 'duroc cross association', 'inbred population quantitative', 'molecular mechanism phenotypic', 'mass overlapped', 'boar increased rapidly', 'vertebra thoracolumbar', 'bw70 fi fcr', 'mc4r igf2 cast', 'developed alternative', '4m array plate', 'rs81399474 rps6kb1', 'juiciness haplotype', 'identified ghana study', '17 bp long', 'ebv somatic cell', 'limited number cow', 'strong association hock', 'estimate 141 snp', 'growth extent', 'muc13b transcript characteristic', 'snp site', 'body weight 01', 'population chromosomal', 'linked qtl affected', 'detected chromosome 10', '16 genetic', 'domestication improvement livestock', 'population window omy5', '20 chromosome 20', 'founder expression abhd16b', 'warmblood norwegian', 'predict analysis putative', 'nr3c2 quantitative', '33 903 159', 'association tick', 'height length width', 'genetic variation haplotype', 'factor related', 'using transrectal ultrasonography', 'population resulting', 'wide quantitative', 'dark 54', 'category 12', 'extension putative gene', 'gene 14k', 'offspring 24 hr', 'identified including gene', 'report step', 'snp analysed rs43101491', 'number volume', 'region derived senepol', 'marb bta13 47', 'disease symptom responsible', 'qtl em', 'showed consistent association', 'digital dermatitis dd', 'hinders application', '17122a intron significantly', 'rock chicken', 'bos javanicus', 'bmts meat quality', 'f1 family', 'gwas using resource', 'mstn 435g 447a', 'significantly higher bwg', 'yw bwt wg', 'affect value logarithm', 'study undertaken detect', '248 animal duroc', 'spite significant behavioural', 'litter size mongolia', 'dominance effect result', 'spore aspergillus', 'ex12 protein', 'biosynthetic process regulation', 'sheep st kilda', 'qtl related male', 'amp activated', '88 00 observed', 'ssc11 48', '50 65', 'possible positional candidate', 'mutation detected different', 'correlated trait concluded', 'german angus calf', 'region exon exon', 'particular genotype gene', 'snp panel result', 'mutation untranslated', 'companion study united', '46 vl', 'objective internal', 'genotyped sample 122', 'linear regression', 'mapping allowed map', 'qtl addition', 'chicken simple interval', 'qtl sustained marker', 'clone 550 snp', 'located gene coding', 'predicted mir', 'aligning sheep', 'good candidate observed', 'en lr', 'fully understood aim', 'genetic obesity', 'score persistency', 'specific concern', 'study help', 'candidate gene prolactin', 'peak mid', 'integrated imi relevant', 'reported qtl number', 'cell type', '97 genotype', 'pedigree structure population', 'adg total', 'breeding program marker', 'finding candidate', 'production previous genome', '16 weight egg', 'frequency ai ram', 'effect lyst identified', 'promising variant', 'reported qtl region', 'mendelian model', 'calculate weight', 'strongly related physiological', 'explaining genetic variance', 'affect lipid', 'cross despite', 'gwas fatty', 'commercial impact mutation', 'faceted effect', 'study 10 snp', 'genotype strongest', 'cow fat profile', 'prex2 ssc6 ssc8', 'showed novel lncrna', 'longissimus fat', 'eqtls low', 'f2 holstein friesian', 'rs133498277 fasn', 'analysis marbling', 'gene controlling trait', '30 achieved significance', 'gene biological relevance', '13 qtls highly', '53 644', 'positive qtl allele', 'carried french holstein', 'cm position', 'maximum likelihood chi', 'sw2067 comparison', 'recorded animal', 'wise significant 51e', 'outbred population unveil', 'data gemma', 'explained respectively', 'heritability trait', 'nba number', 'exon utr respectively', 'linked dio3 gene', 'showing allele frequency', 'fcr haplotype', '14 27', 'h7n3 outbreak mexico', 'associated exploratory behaviour', 'apoptosis process', 'atp5b probably play', 'protein content daily', 'upstream cm downstream', 'based gwas performed', 'future value production', 'gilt showed', 'marker hmga2', 'glp1r mdfi', 'low pta', 'efficient dissecting genetic', 'following correction', 'possible explanation', 'threshold model respectively', 'calf detected', 'deviation epistatic interaction', 'serovar gallinarum cause', 'marker associated protein', 'entropion provide target', 'profitability animal', 'affecting c10 pufa', 'identified used genomic', 'related fat', 'muscle study new', 'partially inbred line', 'observed result', 'weaning yearling bta', '533 282_79 533', 'suggest traditionally managed', 'rate linked severe', 'chromosome 15 positional', 'previous qtl fine', 'related known gene', 'utt fl', 'interaction qtl sex', 'genome scanning muscle', 'vitamin stress', 'age growth', 'cm cw', 'effect evaluated', '7637 16963', 'mapping susceptibility', 'various cell', 'survey identified gene', 'landrace 27 using', 'sw252 sw581 seven', '224 marker', 'deterministic ibd', 'historical selective pressure', 'detected bivariate gwas', 'fat percentage protein', 'detected economic trait', 'maturation em rainbow', 'polymorphism snp phenotype', 'lei0101 254', 'snp dq124298 243a', 'indicate ugdh', 'growth relatively qtl', 'lymphocyte monocyte neutrophil', 'prediction improves slightly', 'abcg2 gene play', 'percent pcl detected', 'depth recorded ultrasound', 'genotype fm', 'base pairs formed', 'support interval offspring', 'steer xia', 'greatly effective', 'kg 115 kg', 'region utr partial', 'sib pair genome', 'qtls associated', 'right rtn large', 'containing bovine gene', 'region included gene', 'female fertility near', 'untranslated region utr', 'commercial herd', 'color qingyu', 'breed particular', 'postmortem trait', 'selected line divergent', 'yield 01 cow', 'phenotype genotype performed', 'class separately yielding', 'fat deposition adjusted', 'snp related reproductive', 'virus 18', 'harbouring quantitative', 'extensive evidence showing', 'comparison syntenic', 'fwec change', 'using vitro', 'confidence interval quantitative', 'covering area surrounding', '01 total', 'split independent gwas', 'trait deviation dtd', 'provided illumina porcinesnp60', '54 13', 'genotypes site showed', 'palmitoleic eicosadienoic acid', 'evidenced highly associated', 'expression il8 h1', 'highly significant quantitative', 'dam applying', '66 mbp 10', 'especially ssc6', 'fat moisture', 'distance suggested', 'gene marker carcass', 'stillbirth stature strength', 'study offer', 'seven associated', 'marker protein kinase', 'second qtl cwt', '58 82', 'imprinted mammal imprinting', 'health disease veterinary', 'indicated current sample', 'allowing separate variance', 'evaluated potential association', 'confidence interval remain', 'families linear', 'phenotype susceptibility', 'pork industry trait', 'tropical subtropical production', 'used phenotype multi', 'crosses jointly pig', 'similar analysis performed', 'ph ssc1 11', 'statistic 13 52', 'trait studied dairy', 'effect clarify', 'unique trait', 'analysis better', 'feasibility applying', 'tg showed', 'german sire', 'insemination resulting non', 'cattle estimated', 'gin infection negative', 'effect phenotype economic', 'fat 01', 'indicator immune', 'qtls previously mapped', 'ventricle total', 'qtl region 660', 'work coughing nasal', 'possible candidate', 'association live weight', 'isolated egyptian', 'muscle atp5b identified', 'significant association particular', 'designed investigate single', '16 19 20', 'control pathogen', 'calf mortality', 'chromosome utilized reconstruct', 'determine snp', 'increased respiratory problem', 'breed example', 'paternal igf2 genotype', 'shank skin', 'thickness bft ham', 'vitro hek293', 'haplotype appeared', 'trait current study', 'efficiency selecting', 'bm2830 eth152', 'aquitaine breed overall', 'harbor non', 'identified aligning', 'number mummy', 'body conformation service', 'development appendage', 'using multimarker', 'fat diet increased', 'alga0057985 chromosome', 'fn kinase', 'pork sus', 'intake rfi complex', 'abdominal cavity', 'chromosome finding', 'data consistent idea', '18 ld 26', 'measure level dtd', 'fast detection extreme', 'genetic effect detected', 'trait including ultrasound', 'trait gga10 22', 'merino sheep junken', 'alternatively gaussian poisson', 'simulation indicated current', 'hap22 tc', 'offspring trait', 'meishan sow produced', 'porcine mbl', 'sufficient explain', 'myofibril fragmentation index', 'region harboring significant', 'fabp gene imf', 'angus brangus', 'long non', 'trait data fertility', 'investigating individual', 'genetic value', 'approximately 80 genome', 'susceptible fayoumi heat', 'panel 15', 'using growth', 'gwas performed identify', 'ontology suggested fatness', 'study performed sheep', 'dam line significant', 'different cy rec', 'minor difference qtl', 'starvation induced', 'member serpine1', 'concluded snp identified', 'trait shared breed', 'flock fp', 'year h7n3', '29 duroc', 'genome mb size', 'correction significance', 'rs107857156 strong', 'economic trait snp', 'analysis bone', 'regulation concordance', 'general linear mixed', 'sire marker allele', 'variability candidate gene', 'testing based permutation', 'protein phosphorylation', 'jersey cross', 'founder animal line', 'gga5 using successive', '3691g showing', 'applied classify gene', 'gene elucidate qtl', 'outcome highly', 'bm81124 marker', 'polymorphism pig', 'snp identified including', 'mar qul capns', 'number 05 bird', 'efficiency map', 'independently epistatic', 'phe predicted', 'ex fabp gene', 'information theory', 'tenderness identified report', 'interaction word configuration', 'snp a868g located', 'thoroughbred arabian quarter', 'carried wild', '459 israeli holstein', 'rpl7 smc2 thought', 'ankyrin ank1 associated', 'consumption carcass', 'susceptibility indicate genetic', 'birth downregulated', 'crim1 atrn', 'exploited marker assisted', 'considered undesirable consumer', 'fgf8 recent study', 'tdt based', '31 cm', 'shear force measurement', 'regulation included', 'diego ca performed', 'identified early stage', 'healthy animal sampled', 'linkage coccidia foc', 'percentage point', 'showed seven', '825 murciano', 'total 22 quantitative', 'lac bilirubin', 'locus eqtls igf2', 'chromosome vertebral', 'effect untransformed', 'snp64_g allele', 'transformation somatic', 'best candidate', 'comparing allele', 'reproduction trait important', 'dimension body weight', 'motif human', 'total 770', 'ph lm sm', 'composition conditional', 'trait primarily', '33 marker special', 'trait expected', 'generation outbred pedigree', 'flight distance cortisol', 'apply method detecting', 'modulates adipogenesis', 'ld single nucleotide', 'cycle arrest', 'quality showed significantly', 'function good candidate', 'kb downstream', 'immune capacity', 'insemination snp', 'affect level', 'analysis consisted', '1301g spp1c 1251c', '25 fatty', '477 classical regression', 'evidence ppard', 'establishment optimal', 'related behavioral', 'snp mainly', 'total 107', 'coding region iberian', 'f4ab f4ac susceptibility', 'flanked dik0079 dik8044', 'clinical radiographic', 'genotypings performed 129', 'gene regulating virus', 'immune capacity individual', 'effect identified including', 'importance global', 'included angiogenesis', 'bw genotype brangus', 'bta5 north', 'cow 40 196', 'approach line', 'fat density fat', 'related english', 'class end trajectory', 'pig used map', 'background epistatic', 'muscle sm respectively', 'factor shown function', 'girth utr different', 'laiwu erhualian population', 'tested showed', 'ww yearling', 'chromosome linkage', 'indicate implementation', 'determined f2', 'method offering fast', '1457 conversely snp', 'effect missense', 'different criterion', '590 steer breed', 'additional chromosome wide', 'score test', 'growth lysine', 'ifng chromosome', 'size european commercial', 'mutation ube3b', '094 brangus', 'interval current', 'shh ptprt ptgs1', '168 38', 'map qtl growth', 'fasting consumption', 'bta3 bta6', 'polledness nelore cattle', 'provide valuable insight', 'linkage bone', 'sire analyzed', 'calculate empirical', 'genomic region resistance', 'ucp1 gene', 'german holstein cross', '634 single', 'approach seven', 'ratio 455 value', 'significant individual qtl', 'ancestry result indicated', 'litter size increase', 'influence intensity pigment', '285 microsatellite marker', '63 significant', 'candidate gene b9d2', 'locus chromosome finding', 'candidate gene improve', 'mouse qtl', 'pp primarily exclusively', 'sc individual', 'significant association located', 'study associated', 'identify qtl milk', 'low ebv', 'cd46 ubiquitous cell', 'phenotypic standard', 'showed moderate diversity', 'pleiotropic qtl', 'marbling tt', 'snp 28 non', 'stillbirth candidate gene', 'qtl eca2 associated', '61 kgf', 'mean behaviour milk', 'localized inner', 'mrna expression muscle', 'bw gain 21', 'ewe mrna expression', 'fat bta5 identified', 'expression sample exhibited', 'growth rate 01', 'cow cc', '29 total', 'common model', 'event analysis', 'genetic variance tnb', 'gland snp piii', 'reduced dd compared', 'associated snp omega', 'muscle removed', 'solution control disease', 'igg igg1', 'ssc5 previous genome', 'mammary previous', 'analysis infection', 'family successive generation', 'adipogenesis fat', 'cost dairy production', 'composition differs', 'hap12 ac', 'replacement alanine gcg', 'qtls affecting', 'ssc6 ib lr', '24 reached genome', 'grade 87', 'presented clear difference', '025 partial efficiency', 'component measured pre', 'max 30', 'bta13 61', 'dbh maoa grin1', 'genotyped successively 50k', 'using 1207', 'extent different', 'population rapidly expanding', 'sire selected grandsires', 'calpain capn1 located', '12 17 26', '45 adg cbs', 'bite wound 24', '46960 genome wide', 'causal region performed', 'base population genotyped', 'pig effect mutated', 'mb 23 17', '600 affymetrix', 'associated proportion false', '01 milk lgb', 'male win', '13 particular', 'microsatellite marker quantitative', 'testing conduct gwas', 'gensel software result', 'combined probability method', 'insight allelic effect', 'study additional rao', '84073899 snp31', '093 linear', 'analysis indicated variance', 'chromosome sw2155', 'intensity weight sexual', 'day brine salting', 'performed trait moderate', 'proportion sample luteal', 'based proportion', 'help prioritize', 'cast haplotype covering', 'pony 127 icelandic', 'identify functional effect', 'suggest gdf10', 'virus prrsv vaccination', 'cycle abdominal circumference', 'cross spleen bacterial', 'sequence association study', 'data family', 'marker set', 'interesting region harbouring', 'grazed grass pasture', 'new pig reproductive', 'approximately 800 grand', 'somatotropic axis consists', 'score scs_ebvs using', 'qtl tick burden', 'breed total 320', '14 growth', 'reside haplotype landrace', 'sample single snp', 'assigned sliding window', 'case definition infected', 'qtl dq', 'involved mammary gland', 'mb ssc12', 'region cumulatively', 'mgll mc2r arhgap6', 'sequenced molecular polymorphism', 'eps8 40 10', 'mediating lipid composition', 'detected highly selected', 'evaluate prkag2 difference', 'sw2155 significant', 'unraveling genetic architecture', 'using fst', 'relative animal carrying', 'del2634c polymorphism', 'multiple marker mapping', 'oxytocin central nervous', 'blocking percentage lysozyme', 'variation distribution', 'iia ssc6 ra', 'prdm16 allele 474', 'ensembl sscrofa10 assembly', 'regulate inflammation', 'study identified association', 'calf size variance', 'total 26 qtl', 'reaction pcr followed', 'new method automatically', 'coa ester fatty', 'identity descent analysis', 'affect fatty', 'corresponding candidate gene', 'bovine chromosome 10', 'welfare study', 'record illumina bovinesnp50', 'physical location marker', 'chromosome distal region', 'concern general', 'sequenced 32', 'mechanism feeding trait', '10 119', 'include excessive', 'incorporated genotype information', 'obstructive pulmonary', 'microsatellite marker used', 'ld marker pair', 'genotyping data introduced', 'piglet study aimed', 'shell trait', 'region copy', 'thermogenesis adipose', 'analysed 600', 'bw bbl analysis', 'kleiber ratio kr0', 'related parameter', '24 trait production', 'phenotype 486', 'ssc 12 gestation', 'reported vrtn gene', 'count distribution', '10 14 associated', 'chi square', 'data set detect', 'obtained phenotypic genetic', 'porcinesnp60 beadchip array', 'disease single qtl', 'h4 opn level', 'weight lean meat', 'reproductive trait finnish', 'cow objective', 'broodstock population identify', 'ssc duroc purebred', 'additional animal breed', 'chromosome 10 qtls', 'pig ph 24', 'ddx47 tcf9 tpte2', 'population investigation revealed', 'detected allele frequency', 'curve addition', 'factor relevant structural', 'main cause boar', 'mass igf2', 'annotated intergenic conclusion', 'designed improve sexual', 'marker breeding programme', 'similar position explained', 'possible association bmts', 'laiwu pig total', 'summary result firstly', 'result potentially benefit', 'gene inhba', 'objective characterise promoter', 'gwas multiple commercial', '05 tg', 'complex component', 'exon respectively', 'roan locus', 'correction 038 close', 'previously unknown applied', 'trait mammal', 'locus linked brd', 'substituted german', 'increase genetic', '41 47 copy', 'qtl region affect', '16 heritability cla', 'le included qtl', 'pparα slc5a1 slc5a4', '27 25', 'level result suggest', 'ovis aries oar', 'qpcr data showed', 'array genome', 'study gwas extensively', 'chuk osbpl8', 'snp minor', 'analysis genome sequence', 'wd repeat fyve', 'including fam184b', 'lgb content 05', 'ultimately lead alternative', 'paternal transmission disequilibrium', 'potentially far prevalent', 'using selectively genotyped', 'promoter region prlr', 'applying single', 'particularly beef', '05 total white', 'ltnb associated lifetime', 'bta 20', 'rate sow', 'understanding role gene', 'knowledge study reporting', 'investigated cattle', 'animal driven sexual', 'qtl cluster', 'hsd17b6 sdr9c7 rdh16', 'thousand 919', 'protein different ptm', 'chromosomal region 30', 'fat depth shoulder', 'volume snp locus', 'additional microsatellites', 'trait milk related', 'negative data', 'thoracolumbar vertebra', 'homozygote result', 'highest expression skeletal', 'additional processing', 'performed illumina bovine', 'polish warmblood', 'trait 12 425', 'div pig', 'homozygous arr heterozygous', 'em progeny brother', 'genetic variation milk', 'day old animal', 'german qtl', 'study 35 significant', 'week age gga4', 'gnas snp rs41694646', 'design 18 family', 'family demonstrate bft', 'ulceration presence metastasis', 'p2x3r sow fertility', 'result validated', 'significant qtl milk', 'known heterozygous qtl', 'gene harbored', 'composition experimental', 'qtl chromosome remained', 'influence value lod', '01 additional 25', '05 abt tendency', 'activation response', 'milk fatty', 'sliding snp window', 'candidate genetic variant', 'relative transcription start', 'showed specific', 'achieve objective bioinformatics', 'causing substitution ala36thr', 'riphicephalus boophilus', 'period overlapping', 'variance total contribution', 'effect gwas identified', 'selected positional', '05 concluded fabp4', 'performance growth fat', 'association c14 study', 'breed identified 79', 'pig breed including', 'substantially reduced qtl', 'predicted target site', 'referred qtl', 'seasoning loss produce', 'group covered physical', 'trait essential snp', 'highly parallel', 'polymorphism candidate gene', 'data 338 charollais', 'perineum region', 'promising region', 'result support location', 'carried new', 'characteristic moderate', '05 80', 'different regulatory', 'significant association 012', 'trait linked maternal', 'constructed functional', 'lsy pig', 'trait value genetic', 'qtl backfat', 'reaction lamb', 'effect fst gene', 'ectoparasitic keds', 'virus infects', 'identifying causal', 'known titin', 'id linear', 'crude fat', 'composition suggested', 'repeat containing', 'approach bayesian bayesc', 'average 60', 'i199v thr30asn', 'polymorphism snp association', 'luster quality', 'performed case', 'genetic variation centromeric', 'identified qtl genome', 'reproductive cycle 040', 'trait validated tested', 'heterosis cryptic allele', '279tyr lead significant', 'count recorded', 'gadoleic acid second', 'chosen bovine', 'study utilise', 'marker prevalence', 'produce intermediate', 'analysis high density', 'affected commercial', 'arg236his influenced fat', 'gene lead amino', 'trait evaluated', 'infanticide behavior', 'direct assessment', 'rbc turnover', 'fabp4 ppp3ca gene', 'oocysts eimeria maximum', 'peipho approach 95', 'gene involved muscle', 'study present line', 'c16 identified chromosome', 'supported muc13 likely', 'snp reproductive', 'chromosome 12 qtl', 'steer sire production', 'transformation clarified effect', 'exotic inheritance included', 'region ovine mstn', 'oar18 detected significant', '604 informative', 'yield chromosome 19', 'expression level mtnr1a', 'cross regard', '16 qtls appear', 'assembly udp', 'breed naturally prolific', 'growth rate closely', 'associated intra mammary', 'brd bta2', 'twinning yr', 'decline weight trait', 'genotyped 654 individual', 'proliferation captured', 'acid synthesis investigated', 'combined haplotype result', 'breeding boar taint', 'dominance effect 32', 'pleasure horse investigate', 'model enabled better', 'en significantly improved', '276 animal', 'gene prox2', 'standardization implemented account', 'using real', 'crossing berkshire grandsires', 'multiple antigen result', 'cm described', 'total score pre', '118 previously', '004 lean meat', 'imf confirmed previous', 'embryo associated developmental', 'revealed susceptibility', 'epithelial bend cell', 'reflecting mothering ability', 'analysis facial wrinkle', '5305c mix', 'ma identify', 'oar12 snp marker', 'developed random regression', 'enables animal better', '21 type', 'sib family enabled', 'trait carcass length', 'mechanism diarrhoea risk', 'parasite burden immune', 'vartnb significant snp', 'large white 66e', 'region according', 'dna pooling using', 'confirmed region bta6', 'detected 80', 'igf2 ncii breed', 'underlying biological', 'm2 population', 'population analyzed streptococcus', 'smaller effect modifier', 'increased bone length', 'snp retained analysis', 'hock quality bone', 'fertility calving trait', 'permutation performed determine', 'underlying endocrine fertility', 'identified 116 187', 'adipogenesis hematopoiesis', 'association respiratory disease', 'slaughter bm1500', 'lutea cl uc', 'zscan16 znf389 znf165', 'improving lp', 'larger longissimus muscle', 'primary result required', 'genetic variance 01', 'genotyping cow', 'ovine region encompassing', 'detected exon flanking', 'equine genotyping', 'lacking context genome', 'retp averaged trait', 'reconfirmed causative molecular', 'analysed 545 german', 'marker approach', 'like growth', 'mcp new', 'trait measured identified', 'independent network phenotypic', 'ovulation measurement ranging', 'information genetic background', 'derive new method', 'released pig genome', 'significant correction backfat', 'ssc1 ssc13 bf', 'value revealed', '103 genetic', 'qtl rtn ssc6', 'cattle missense mutation', 'phenotypic data 315', 'step aimed', 'technology increased ability', '19 cm 26', 'harbored 26 pcgs', 'pgm2 nox4 tgfbr3', 'set qtl', 'using fecal', 'obtain global picture', 'population used map', 'equine orthopedics', 'reproductive trait prolificacy', 'remained high generation', '77 277', 'gamete highly correlated', 'technical factor', 'family 36', 'equation estimate', 'denser bone', 'laying afe g593a', '15 cm region', 'method proposed mapping', 'goal current', 'cm chromosome threshold', 'compared region', 'detection 23 qtl', 'fatty acid metabolism', 'cm juiciness', 'disequilibrium mapping ldla', 'mutation coding region', 'website rb1 gene', 'case 25 control', 'region mmp2 gene', 'mutation pcr', 'signal chromosome', 'variation detected impact', 'earlier equivalent', 'subunit translocated gene', 'later lactation sck2', 'affect productive reproductive', 'kyphosis vertnin genotype', 'variant associated ebv', 'time new', 'affected sfa mufa', 'different chromosome seven', 'gene potential functional', 'fecx mutation', 'trait variation', 'longitudinal approach', 'associated milk performance', 'antagonistic qtl', 'directly estimate', 'architecture gene underlying', 'implemented sus scrofa', 'breeding japanese', 'vitro measure', 'outbred half sib', 'surrounding encompassing myostatin', 'identified lrp12', 'threshold 14 10', 'snp insertion', 'trait interpreted using', 'animal dpi susceptible', 'daily season', 'array japanese black', 'bw70 05', 'trait strong', 'vasculogenesis fetus', 'function fat', 'distance r2 mb', 'tryptophan bacteria', 'breed additive', '12e 06', 'contained fcr', 'pig ssc14 region', 'throughput sequencing cdna', 'combination multi', 'local chicken flock', 'gene proposed genotyped', 'host parasite relationship', 'affecting fat', 'candidate used genetic', 'ridge crease', 'wise level major', 'analyzed expression', 'including obesity human', 'single qtl linkage', 'genetic structure associated', 'expression rate equivalent', 'employed gdf10', 'navicular bone rac', 'follistatin fst', 'consistent association proviral', 'coa substrate reaction', 'milk production respectively', 'genotype suggested molecular', 'qtl positional', 'polymorphism 12 gene', 'determined data', 'immunofluorescence assay', 'tlum respectively', 'direct beef industry', 'selected candidate', 'reveals cryptic', 'bta6 affecting proportion', 'wide marker', 'aseasonal reproduction ovine', 'plausible functional positional', 'susceptible yk', 'breeding value daughter', 'biology development prolactin', 'trait included overall', 'risk developing footrot', 'gga_rs13593979 candidate', 'higher fat deposition', 'gene expression correlated', 'dwarfism finding', 'length duodenum', 'body dilution mutation', 'genotype 10', 'used validate effect', 'measurement ranging', 'microsatellite marker experiment', 'sscp methodology', 'sd ovine', 'cross populations genomewide', 'female swine family', 'health concern', 'provide evidence ahr', 'female fertility peak', '45 lt minolta', 'bta18 likewise scs', 'utilized development', 'analyzed interval', 'based described pietrain', 'xkr4 play role', 'st6galnac5 ttll7', '54 red', 'c18 trans 11', 'bta02 bta04 bta07', 'percentage body depth', 'beef cattle 99', 'study identify variant', 'pattern 27 snp', 'development dna', 'processing presentation cellular', 'commercial leghorn layer', '10 additive', 'factor warrant', 'pig genome assembly', '2108c 2228t', 'analyse association molecular', 'statistical approach', 'fresh sperm', 'effect listed based', 'ca balance gene', 'finding subsequent association', 'designated regulatory snp', 'metastasis porcine model', 'predicted deleterious', 'required narrow position', 'gene associated sb', 'confers organoleptic characteristic', 'reliable polymerase', 'receptor 2a', 'phenotypic standard deviation', 'casein milk effect', 'population 668', 'allow genetic', 'trait family based', 'bovine breed population', 'high throughput single', 'wb myofibril', 'alpha 169', 'distance 17 cm', 'dominant component qtl', 'research effort needed', 'mon measured', '87 physical map', 'abomasum small', 'cm outbred', 'different criterion determination', '695 individual established', 'region spawning date', 'population broadly', '513 duroc', 'associated predicted breeding', 'factor activity', 'le close 10', 'using gross pathology', 'detected previous microsatellite', 'gene slc30a2 alb', 'derived bh', 'qtl complex', 'parameter plasma', 'coding region partially', 'chain cluster', 'showed greater marker', 'showed seven single', 'customized affymetrix', 'paternal calving ease', 'chicken located', 'pecking behavior', 'ebv unraveling genetic', 'polyceraty horn number', 'seven qtl sire', 'pig implementation polymorphism', 'sc purpose', 'interval ci qtl', 'liver 01', 'network result functional', 'total 1121', 'spectrum thirty phenotype', 'animal protein', 'spp prevalent skin', 'subsequent genome wide', 'trait qtl significant', 'score data cattle', '1878 locus suggesting', 'fam184b htt kcnh7', 'qtl upper thermal', 'selection genetic improvement', 'result confirmed quantitative', 'scientific significance fat', 'genetic influence ear', 'gcnt3 hsd17b7 ibsp', 'significantly associated additional', 'hydrolase ets transcription', 'camkmt gene', 'rs43101491 snp', 'ebv ranging', 'information genetic cause', 'se contamination poultry', 'likely affect tenderness', 'gas chromatography', 'gain daily feed', 'weight region previously', 'family investigated', 'gilt divided f8', 'illumina bovine 50', 'furthermore chromosome wide', 'domain class transcription', 'identified sample genetic', 'family microsatellite', 'weight hcw', 'determining variation immune', 'chicken chromosome 168', 'qtl similarity difference', '0001 threshold', 'condition infection sarcocystis', 'known ruled group', 'living qib fatty', 'selection focused total', 'study conclude despite', '40 mer foot', 'power imposing', 'improve performance', 'slope response', 'skip compared', 'dairy population', 'ttn record', 'pig total 27', 'concentration leptin useful', 'burden qtl', 'development rab28 myogenic', 'estimation regression analysis', 'substructure black', 'cattle different breed', 'neuropeptide npy growth', 'selected previous', 'higher imputation accuracy', 'metabolic trait meat', 'gblup method', '200 daughter high', 'technique sscp', 'wide association analysis', 'country combined data', 'mean selective', 'efficiency hrh4 aldh7a1', 'ch4 breath individual', 'causal mutation underlying', 'bp square analysis', 'heritability snp', 'difference birth', 'ew43 0058 chicken', 'gain pig', 'model fitted trait', 'oestrous cycle maximum', 'pig utmost importance', 'recorded semimembranosus', 'marker density qtl', 'umnp1218 unlikely', 'industry using', 'locus qtl sustained', 'experimental cross populations', 'blood cholesterol', 'mapping outbreed experimental', 'traditional genetic selection', 'associated trait including', 'significantly decreased 05', 'parameter derive', 'snp marker study', 'msrb3 lemd3 tigar', 'qtls based', 'dataset 321 confirmed', 'candidate gene remaining', 'contortus trichostrongylus colubriformis', 'length 24 month', 'reported phenotypic', 'inbred strain', '156a identified', 'gene sus', 'mapping investigate', 'genotyping performed illumina', 'reduced cost scan', 'tac haplotype', 'accretion 120 140', 'covering mbp snp', 'response ndv challenge', 'mastitis milk production', 'response straightforward', 'fertility mastitis', 'common chromosome', 'inflammatory response lipid', 'sheep genetic map', 'anaerobic metabolism muscular', '05 cnvrs harboring', 'acid jb1 result', 'described study used', 'fi 49 70', 'level 297 cm', 'quality poultry directly', 'record considered', 'region haplotype block', 'uterine horn luh', 'trait incorporation', 'disease brd', 'trait variant showed', 'prioritize genotype', 'snp associated variation', '000 signal enrichment', 'explained evaluation', 'follows highly polygenic', 'holstein bull qtl', 'avian influenza', 'content 18 18', 'development egg laying', '750 250 jiaxian', 'introduce factor', 'previous study using', 'effect furthermore', 'gene equine chromosome', 'factor analysis candidate', 'saturated fat', 'disequilibrium approach implemented', 'subset antibody associated', 'utilized study genomic', 'number born', 'gene sc hmga1', 'discovery dataset improved', '815 kb', 'cm mc', 'small effect small', 'influenced selection litter', 'explained phenotypic variation', '7539 sheep different', 'jd caused', 'subset 40', 'chicken material method', 'fn424076 g1829t', 'scan italian', 'asga0009814 value 89', 'jointly austria italy', '0002 dmi', 'autosome overlapping', 'detected snp revealed', 'aa pig grew', 'aimed understanding genetics', 'trait qtl bone', 'established crossing', 'context dependent', 'tb driven', 'spp1 promoter activity', 'fat yield index', 'il 1a', 'trait thirty additional', 'using standard dimensional', 'resistance assaf sheep', 'lamb artificially challenged', 'study performs genome', 'association carcass evaluation', 'intramuscular fat trait', 'proinflammatory cytokine situation', 'selected region chicken', 'shrinkage method proposed', 'haematocrit finding suggest', 'week week', 'snp mbl1 mbl1', 'ncapg expression', 'allele drd1', 'trait conclusion using', 'factor adiponectin', 'accumulated used validate', 'demonstrate lpl', '21 624 800', 'strength performed furthermore', 'column critical developmental', 'open new route', 'genotype 98 cm', 'animal tissue sample', 'display polyceraty horn', 'useful genetic', 'evisceration weight breast', '10 837 geographically', 'phenotypically extreme inbred', 'putative qtl affecting', 'comparison genotype', '45 789', 'noncoding sequence snp', 'total 61 common', 'study documented extensive', 'lh located highly', 'duroc population', 'quality trait variant', 'marker covered', 'explained 13 40', 'phase complex', 'sample allele', 'sequencing 600k snp', 'subtly influence', 'ssc10 near', 'placenta conducted second', 'fetlock hock stifle', 'previously using half', 'using pig genome', 'meat content trait', 'culture peak', 'region efficiency', 'milk production important', 'number country identification', 'genome sequencing project', 'microsatellite marker detected', 'snp zp3', 'success exploration', 'length pig chromosome', 'number relationship', 'yorkshire new', 'ct measured loin', 'glutamatergic synapse vomeronasal', 'hour ph1 24', 'nba average', 'ssc17 ssc18 candidate', 'chromosome ssc2q comparative', 'conclude qtl interesting', 'influencing serum level', 'significantly 0002', 'group according line', 'significant effect body', 'containing 61 177', 'pig sire parent', 'mq trait', 'correlated effect fertility', 'entry food', 'localization qtl position', 'structural protein', 'calving trait single', 'iteration genome wide', 'inducer il8', 'production component trait', 'acaca stearic palmitoleic', 'regulate process involved', 'growth stage sum', 'family infected cow', 'lipid protein metabolism', 'f2 population generated', 'disease data case', 'date weight considered', 'canonical trait comparison', 'syndrome remains economically', 'taint implemented', 'crebbp wdr24 arl8a', 'ab optimal combined', 'snp 327c proven', 'including associated rfi', 'strain wur snp', 'including brd2', '36 located ovine', '002 6723a', 'marker chicken subsequently', 'addition rxfp2 shown', 'qtl total 21', '13 exon', 'location gga14 notable', 'polish olkuska', 'semen poll dorset', 'chromosome possible causality', 'est marker', 'variant xirp2 involved', 'trait pig significant', 'value 804', 'wide test total', '768 individual', 'landrace population integrating', 'study identification underlying', 'broiler population genetic', 'american yorkshire population', 'lw bcs', 'early puberty onset', 'factor implicated', 'psmb8 chga', 'il 10 receptor', 'disequilibrium block', '12 significant association', 'warmblood horse performed', 'size follicle associated', 'chromosome chr 10', 'investigating potentially', 'large white individual', 'showed paternal', 'significance understanding architecture', 'effect opposite', 'mmtv integration site', 'chromosomal segment help', 'molecular marker gene', 'bovine milk provides', 'revealed effect', 'add number genomic', 'bta 13 16', 'selective sweep analysis', 'evaluated qtl', 'ssc verify', 'significant association slc39a7', 'present commercial breed', 'issue world', 'line 10', 'confirmed region', 'showed biological pathway', 'kb duplication', 'skeletal muscle growth', 'index tibiotarsal', 'cdna library yeast', 'qtl effect population', '958 snp included', 'area identified 11', 'background microsatellite', 'development sheep genetic', 'lp 100', 'data brahman angus', 'fo hif1an igf2', 'rbm42 sesn2 rab4b', 'region isolated characterized', 'change oc', 'ease parity prominent', 'level measured', 'error rate number', 'snp observed', '96 putative', '238 association study', 'problem use appropriate', 'line identical', '29 autosomal chromosome', 'associated lean meat', 'region identified inverted', 'ssc9 13', 'law trait interpreted', 'putatively causative', 'traits spotted', 'association ascites right', 'boar taint androstenone', 'association snp 321a', 'scan genomic region', 'muscle weight chest', 'conductivity meat', 'selection promising', '347 pig ib', 'activin receptor', 'applying univariate', 'published study', 'tnp1 mediated translational', 'study contribute knowledge', '13 qtls', 'detected overlapping', 'gga3 18 body', 'holstein 10 calving', 'analysed multiple marker', 'trait measured f2', '23 norwegian', 'associated susceptibility ketosis', 'trait finding contrast', 'candidate gene candidate', 'qc 641', 'vicinity snp', 'golga4 coq9 epas1', 'fdr total 50', '002 subsequent founder', 'adipose tissue testosterone', 'porcine chromosome ssc', 'depth located chromosome', 'detection putative qtl', 'develops hereditary', 'insr region btax', 'duroc pietrain pig', 'data set included', 'high certainty', 'favorable marker assisted', 'weaning ssc3 11', 'exterior appearance variation', 'prkag3 ph', 'kgf 40 9n', 'weight 50 generation', 'ca 16 20', 'data detects core', 'diameter testosterone', 'allows snp heterogeneous', '1574a allele', 'dra genotype', 'red angus panel', 'related mstn', 'muscling phenotype', 'day conception', 'matinspector revealed snp', 'snp50 beadchip run', 'ac ae', 'near snp snp', 'scan joint', 'htr analysis pleurisy', 'morphogenetic protein bmp5', 'substitution resulted', 'milk improve', 'empirical trait wise', 'valuable meat', 'nr6a1 known gcnf', 'higher conception rate', '48w e48 chicken', 'mutation quantitative trait', 'trait locus molecular', '10 candidate', 'map cluster gene', 'level thi', 'background improving feed', 'mapped chicken', 'black solid coloured', 'lea narrowed', 'guanosine triphosphate gtp', 'nucleotide polymorphism showed', 'susceptibility btb', 'assigned new marker', 'fat determined', 'associated appetite', 'live weight growth', 'ornament expression female', 'associated increase milk', 'based radiographic examination', 'general property', 'population f1', 'cfd minolta', 'disease high economic', 'pig adipocytes 10', 'genotype iowa state', 'power lower false', 'region promising qtl', 'study useful', 'evolutionary conservative sequence', 'ability determine', 'titre snp result', 'responsible meat carcass', 'elovl6 elovl7 scd', 'level dhx38', 'locus su wld', '25 0072', 'pig european pietrain', 'approximation previously reported', 'cnvrs 50', 'produced 502', 'family result association', 'average 103', 'bp amplicon', 'imf especially', 'ones paper introduce', '24 tag snp', 'overlapped marker', 'animal prnp', 'associated 009 increased', 'sample phenotype genotype', 'cow matched', 'conclusion based relatively', '23 result suggest', 'based physical position', 'non genetic effect', 'female animal stratified', 'animal genotyped 165', 'rs43032684 01 genotypic', 'population duroc', 'membrane fresh', 'sire angus allele', 'level pigmentation', 'bac chosen', 'replacement cost', 'analysis fpdmeta seven', 'gene confirmed', 'resistance phenotype identified', 'polymorphism array study', 'model specie present', 'study suggest power', 'span 21', 'jb2 r25c', 'level genetic heterogeneity', 'snp haplotype esr2', 'functionality dairy', 'musculus genome create', 'tick load rainy', 'vasopressin receptor 1b', '30 associated em', 'located bta28 bta18', 'matrix gemma significant', 'dominance genetic variance', 'certain extent', 'number plausible', 'known qtl genotype', 'saa2 gene promising', 'immune disease type', 'wagyu bull', 'milk yield phosphorous', 'fat trait broiler', '784 bp', 'data study', 'require dietary', 'holstein characterize qtl', 'bovine gene mapped', 'number major', 'larger independent gwas', 'program incorporating marker', 'fec 01 confirming', '794 limousin lm', 'frequency 16 estimated', 'mechanism imf provide', 'identified individual candidate', 'bta5 microsatellite', 'cnv region containing', 'total 417 snp', 'showed lascs', 'control line', 'diagnostic marker', 'individual genomic program', 'pig chromosome large', 'estimated qtl variance', 'sc additional', '730 cm', 'conclusion study evidence', 'endothelial growth', 'map tolerance defined', 'ih overall', 'tnni2 tnnt3', 'weighted linear model', 'high imf', 'mastitis continues significant', 'profit commercial', 'year round lamb', 'snp array gwa', 'study comprehensively', 'facilitated discovery', 'cross conducted', 'qtlmap software main', 'intramuscular composition', 'respectively polymorphism', 'sequencing data affected', 'associated fa composition', 'qtl region mastitis', 'dataset comb including', 'mapping required application', 'farm animal classical', 'regarding pleuropneumoniae', 'local african', 'study considers', 'chromosome association result', '01 mean homozygote', 'using producer', 'population population', 'corrected genome', 'g32742603a c33379782t candidate', '002 snp', 'sex dimorphic qtl', 'additional improvement', 'marker related', 'homozygous wild', 'genotyped genome wide', 'bc population', 'conformation fat score', 'estimated 47', 'shown associated meat', 'low adjusted', 'locus qtl experimental', 'analysis significantly associated', 'chromosome 48', 'qtl 22', 'significantly le intramuscular', 'beadchip genome wide', 'stage breed', 'adiponectin adipoq', 'help unravel genomic', '131 hd', 'driven snp', 'xinghua line', 'gene resides 300', 'simplicity ability', 'confirm finding allow', 'sixteen marker', 'genetic variant 1194', 'candidate region bta19', 'different myog', 'meat production chinese', 'qtls revealed', 'expression data following', 'effect adipose', 'polymorphism analyze', 'measured behavioral test', 'resistance genomic', 'identified haplotype m1', 'tlr2 toll like', 'selected positional functional', '65 grouped', 'chromosome experimental pig', 'genotyped 50k snp', 'biological function analysis', 'animal 226 number', 'breast feather tract', 'attainment sexual maturity', 'fatness controlled distinct', 'genetic heterogeneity fat1', 'explain genetic basis', 'major qtl type', 'genome region distributed', 'inconsistent result aim', 'porcine susceptibility', 'infection suggested', 'poubw1 play', 'relative advantage multivariate', 'indigenous breed slower', 'loc101102529 cg result', '120 cm highly', 'proliferation differentiation', '18 55 estimate', 'snp ex1 snp', 'response invasion respiratory', 'approach beginning snp', 'select gt', 'steroidogenic gene presence', '27 13', 'gain fat thickness', 'previous qtl scan', 'common variant associated', 'significance effect skatole', 'muscle weight bmw', 'snp analyzed', 'world highest', 'white population analysis', 'se dj gwas', 'involved control digestive', 'bwg fi fcr', 'estimate 44', 'variance sample breed', '46 52 positive', 'bta27 multitrait qtl', '17 080 05', 'identified disease associated', 'behavior 24', '878 631', 'phenotyped ejaculated', 'phenotypic estimate', 'efficiency week age', 'bull genotyped', 'associated faecal', 'prme black', 'highly correlated trait', 'qtl identified nsb', 'identified belclare', 'method data growth', '93 21', 'related male fertility', 'segregation ssc4', 'f4ac susceptibility', 'result support', 'breed genomic', 'nan clta gne', 'ecotypes improved', 'genotyping approach gdd', 'quality trait french', 'significant 01 95', 'total 596', 'method assumes', 'association analysis f2', '20 chicken noninbred', 'economic production trait', 'suggesting universal', 'evaluation program coordinated', 'backcross bc', 'material case', 'carcass trait candidate', 'harbored highest', 'haplotype qtl block', 'ssc7 ssc14', 'known homozygous bmp15', 'correlation snp located', 'challenged fish', 'liver rna sample', 'map various', 'enhances understanding', 'flight mass', 'reaction bird homozygous', 'pkd1 foxp1', 'analysing data experiment', 'presented indicate important', 'qtl rac delineated', 'androstenone ssc2', 'liveweight measured daily', 'design included', 'important consideration', 'qtl position estimate', '84 qtl', 'additional qtl detected', 'intron associated adg', 'bp downstream candidate', 'marker density snp', 'offer advantage', 'associated avian', '436 snp', '07 90e 07', 'snp indel utr', 'association analysis supported', 'function simulation indicated', '83 carcass', 'research herd', 'ssc1 seminiferous tubular', 'different qtls', 'relative weight bone', 'adjusted sd weight', 'different based eqtl', 'explored involvement', 'gin resistance', 'revealed time direct', 'initially forthcoming study', 'qtl backfat deposition', 'affected locus close', 'allele imprinting', 'causative mutation 874g', 'study identified snp', 'trout family single', 'milk map close', 'metabolism highlighted', 'increased greatly', '10 il10 interferon', 'sequenced landrace animal', 'cm2 parity', 'candidate gene lower', 'strong evidence bta14', 'greater precision', 'reduced milk production', '566g resistin', 'key biological process', 'porcine snp60v1', 'count packed', 'include genotype', 'associated mastitis susceptibility', 'testing cbat random', 'snp showed genome', 'fcb128 rm356', '100 cm affect', 'combination selective', 'lactoglobulin variant', 'gene module used', 'simultaneously increase', '289 snp', 'qtn fat colour', 'pat conclusion hanoverian', '52 microsatellite marker', 'vacaria heterozygote', 'mechanism reproductive trait', 'shown single', 'adg basis', 'chi2 108', 'gga15 gga18 ggaz', 'region intron', 'snp ear', 'intake growth', 'new model', 'causative variation', 'structure soundness overlap', 'region high linkage', 'snp genome level', 'thickness residual feed', 'chromosome cattle present', 'cell score female', 'lei0071 lei0101', 'gene unclear function', 'human intramuscular fat', 'esr1 gene variant', 'network gene share', 'litter incidence maternal', 'hpai 2015', 'layer line', 'weight gain growth', 'gene litter', 'haplotype defined snp', 'highest number', 'mouse model confirmed', 'recorded 292', 'applying stringent quality', 'disability retarded', 'data 157 key', 'obesity mouse', 'better understand', 'effect sfd 10936g', 'mapped pig chromosome', 'ppara expression pig', 'previously reported qtl', '10 78 locate', 'university wisconsin resource', 'study bos taurus', 'analyze possible association', 'marbling difference divergent', 'eating quality sequence', 'await genome wide', 'density refine', 'marker genomic selection', 'trait 05 effect', 'peak mid late', 'ph color longissimus', 'differential white', 'cross analysis significant', 'association protein milk', 'detected eggshell color', 'polymorphism imf accretion', 'remaining seven', '172 ewe used', 'discovery set varying', 'technique studied', 'sequence data utilized', 'isoleucine substitution akr1c2', 'involved causation feather', 'meishan descendant usmarc', 'animal diagnostic measure', 'backfat thickness narrowed', 'using single nucleotide', 'mb chromosome nordic', 'polymorphism interaction', 'head comb size', 'identified discovered', 'outside region previously', 'ovary cyst', 'epigenetic regulation gene', 'phenotypic trait conducting', 'density linkage', 'atresia relatively', 'elucidate biological practical', 'estimated solving direct', 'b2 conclusion study', 'rump mean', 'lda expression study', 'panel 74677 snp', 'snp asga0094812 intron', 'yds detected study', 'physiological predictor fat', 'consisted 20', 'width detected 265', 'positive association detected', 'cow genotype phenotype', 'genetic correlation observed', 'ssc 12', 'established 93 bovine', 'ssc4 pleiotropic effect', 'detected effect churra', 'mapped carcass fat', 'located fabp4', 'novel silent', 'cattle fed predominantly', '832 f2', 'influence genetic parameter', 'mutant allele individual', 'report meat quality', 'appeared low lamb', 'swine chromosome', 'epistasis bco2 w80x', 'ilsts030 26 cm', 'control group heritability', 'crossbred pig production', 'difference expected present', 'revealed tcf21', 'sscp analysis quick', 'major protein chromatin', 'nellore female', 'pig strategically', 'slaughter sf1 sf5', 'region screened presence', 'result opposing directional', 'protein sosondowah ankyrin', 'effect varied', 'method using', 'ram heterozygous lm', 'information result based', 'supported lack significant', 'dairy goat production', 'region 80 mb', 'exon skipping affected', 'mammary gland holstein', 'novel pathogenicity', 'effect bodyweight', 'cross white', '250 jiaxian red', '78 locate', 'protein percentage 70', 'bpifb3 pck1', '169 e3', 'segregated early domestication', 'acid metabolic trait', 'racing horse', 'candidate gene ubiquitin', '320t rs43676359', 'pointing conserved growth', 'disorder dairy', 'comparison wise value', 'use approach', 'resistance susceptibility', 'total 42', 'itih protein', 'ninth marker', 'performed general mixed', 'regulating factor', 'snp array conducted', 'mechanism semen trait', 'useful improve heat', 'height lcorl ncapg', 'arranged 20', 'composition imf result', 'explaining large proportion', 'conditional fat', 'mb shown associated', 'intramammary infection study', 'ssc 12 corresponded', 'specific large', 'significant marker highlighted', 'association study reveal', 'acid elongase elovl6', '1457 aj571671 1457a', 'furthermore rs419096188', 'need human', 'overall genome association', 'fp located chromosome', 'structure missing', '13 low ne', 'drip loss', 'yield 012 proportion', 'used data 440', 'genome scan quantitative', 'gilt ssc17 interestingly', 'predisposition common form', 'acid elongase located', 'gene qtl detection', '22 milk fatty', '12 suggestive', 'stage parity canadian', '156 horse validated', 'trait overlapped selection', 'nce7 001 different', 'scd gene effect', '354 147 single', 'contrary expectation', 'ssc7 confidence', 'interval progeny tested', 'specie pig', 'completed using double', 'chicken leg health', 'expression microarray data', 'affecting trait linked', 'fiber diameter leg', 'considered including carcass', 'checked radiography', 'end test second', 'respectively interestingly novel', 'erhualian white', 'surveyed corresponding', 'effect dgat1 lys232ala', 'gwa pathway analysis', 'cow estimated', 'newton 002', '99 10', 'trait using 183', 'pathway enrichment', 'nematode parasite initially', 'myostatin intron segment', 'revealed continuously', 'fat average backfat', '84 cm 11', 'extend finding brain', 'activity regulates', 'weight time', '29 affected', 'mum 370', 'piglet survival extreme', 'region syntenic', 'data breed cross', 'ring finger', 'seven overlap', 'piglet 334 duroc', 'significant association 456', 'power gwas using', 'novel gene validated', 'influencing weight', 'pituitary specific transcription', 'study repeated commercial', 'prss2 cckbr associated', 'involvement resistance', 'group beef cattle', 'comprised closed population', 'significance threshold putative', 'segregated consequently', 'ssc2 f2', '01 05 001', 'accounted single', 'detected total', 'lr 299', 'precursor protein polymorphism', 'member associated', 'goal number genome', 'bird cc gc', 'mc1r known', 'regulated fat', 'bta15 associated', 'ipn respectively', 'conclusion study indicates', 'csn1s1 screened', 'cycle controlling fatty', 'region surrounding likely', '24 snp representing', 'protein yield significantly', 'acid replacement alanine', 'family known', 'mtpap regulation', '869 litter record', 'pig generated crossing', 'control categorical analysis', 'investigated lep', 'resistance clinical mastitis', 'piglet indicated heritabilities', 'detected overlapping genome', 'critical embryo', 'inbred line selected', 'harbour putative', 'herc5 herc6 ibsp', 'live animal using', 'motif region', 'behavioural activity disease', 'snp rs414302710 exon', 'hybrid thirdly provide', 'suggested acsl1 gene', 's0143 ssc12', 'obtained 29 cm', '613 horse', '002 tailing', 'cross validation result', 'holstein cattle suggested', 'recently developed beef', 'region ssc4 pleiotropic', '13 64', 'cross genetically phenotypically', '17 18 knowledge', 'number insemination combined', 'regulating processing', 'linked susceptibility', 'trait analysis population', 'efficiency individual', 'hcg stimulated preovulatory', 'composition supporting association', 'high expression', 'support 10', 'enzyme involved degradation', 'greater applied', 'important breeding', 'influence trait', 'sample 41', 'significant 10 association', 'genetic improvement agricultural', 'yield phosphorous concentration', 'provide evidence alteration', 'sire 298', 'effect muscle growth', 'study used 600k', '55 45 calculated', 'component estimated', 'association joint linkage', 'derived macrophage', '32 extreme feed', 'comparison allelic', 'gene dependent genetic', 'genomewise level', 'genotype trait studied', 'mastitis resistance assaf', 'plasma antibody level', 'growth rate 17', 'major cause diarrhoea', 'a337 respectively locus', 'cdc42bpa kcnip4 gja5', 'driving force', 'investigated putative gene', 'ssc4 stillp ssc6', 'heritability estimate obtained', 'study backfat thickness', 'reported highest', 'relationship qtls', 'χ2 test mutation', 'approach efficient mixed', 'accuracy prediction primal', 'sire proof reliability', 'genome sequence analysis', 'using fine mapping', 'significance pp fp', 'equally spaced 31', '10 meat', 'study founder chicken', 'efficiency snp used', 'gwas worthwhile', 'milk yield considered', 'experimental cross evaluated', 'loss water soluble', 'pathway controlling perception', 'beadchip assay', 'activity alp valuable', 'gblup model', 'antral stage abnormal', 'trait carcass', 'cholesterol ct triglyceride', 'parent f2', 'mutton deutsches schwarzköpfiges', 'determine genetic basis', 'knowledge genetic correlation', 'swedish red white', 'disability retarded growth', 'conformation polymorphism allele', 'form apical ectodermal', 'systematic effect mixed', 'cross produced', 'qtlrs distributed 13', 'leghorn layer', 'qtls small', 'individual snp growth', 'snp myod1 meaningful', 'close dgat1 gene', 'hatch time', 'association maml3 microsatellite', 'gene advantageous', '305 lactation milk', 'count foc count', 'affecting palmitic palmitoleic', 'draiii genotype', 'bft hw meishan', 'incidence milk fever', 'selected chromosome family', 'increased 10 additionally', '13 chromosome sex', 'gene abcg2 opn', 'line cross regard', 'potential application genetic', 'threat domestic poultry', '100 randomly chosen', 'large unknown number', 'rs419096188 rs424642424 total', 'specific ige igg', 'disease wld common', 'snp chip refine', 'bm snp promoter', 'dcxr g6pc3', 'gestation ectopic', 'improved resistance ketosis', 'feathering chick', 'region lung', 'dfiadj albeit', 'acute viral', '190 058', 'analysis provided', 'chromosome 12 17', 'luciferase assay indicated', 'association study body', 'success conclusion', 'model included diallelic', 'affected body size', 'pleiotropic effect fat', '209 842 001', '43w e43', 'combining cnv detection', 'ew receives', 'infection faecal shedding', 'animal growth glucagon', 'boar allele', 'tcap promoter activated', 'allele frequency polymorphism', 'ovine chromosome 81', 'trait muscle', 'like type diabetes', 'chromosome 26 putative', 'npc1 gene tend', 'candidate gene metabolic', 'gene loc102164072 bdnf', 'generally stronger', 'bb different', '93 gene structured', 'using dna pool', 'cg result provide', 'difference sow', 'pc3 trait variance', 'case dominance imprinting', 'animal classical', 'genotypic mean new', 'estimation involving missing', 'xq2 xqter respectively', 'genome 22 05', '421 953 total', 'muscle thigh', 'qtl trait favorable', 'chromosome 16 significantly', 'standardbred sb using', 'cm 65', '2000 kb', 'shank length addition', 'fold increased', 'gilt genotyped', '79 543 439', 'rac work step', 'chromosome heterogeneity', 'associated explained phenotypic', 'f2 reciprocal backcrosses', 'malformation excluded gene', 'landrace breed detected', 'trait locus exists', 'major concern', 'play role host', 'suis infection', 'mapped 16 chromosome', 'genotyped ancestor yield', 'qtls segregating low', 'function tcap porcine', 'pam slco4c1', 'test analysed', 'vital growth', 'difference level', 'locus qtl exhibiting', 'myostatin mstn', 'qtl flavour previously', 'gizzard jejunum', 'evolutional constraint functional', 'fecxb fecxg', 'gene trait tinagl1', 'conclusion large', 'ssc6 interestingly gene', 'illumina ovinesnp50', 'snp c16', 'square interval', 'clean wool yield', 'using probability', 'trajectory impacted', 'lesion trait used', 'hcw mar qul', 'thoroughbred using genome', 'pectoral angle', 'diagnostic test gwa', 'associated avian influenza', 'length area shank', 'cattle positional', 'trait pig crucial', 'experiment statistical power', 'challenge mastitis resistance', 'qtl ssc affect', 'number adipocyte', 'population examine effect', 'data multivariate approach', 'fiber number tfn', 'backfat deposition porcine', 'role meat quality', 'causal variant underlie', 'detected growth rate', 'haplotype combination significantly', 'commonly examined', 'correlation 07 genetic', 'sire higher', 'genome regression', 'grade 11', 'thoroughbreds training genotyped', 'cw bta14 replicated', 'linkage disequilibrium test', 'regression mixed linear', 'switzerland animal', '16p13 haplotype', '18 14 11', '305 fat yield', 'effect major gene', 'fat ssc9', 'mechanism elucidated', 'polygenic effect', 'qtl resistance map', 'previously described study', 'exon capturing vector', 'breeding program quantitative', '48 10', 'corticosterone assessed analyzed', 'indicate acsl1 separate', 'resistance advantageous quantitative', 'disorder widespread use', 'related epidermal', 'black cattle population', 'homologous human', 'population interspecific', 'great confidence determine', 'gain birth', 'sensitive accurate', 'study highlighted ankyrins', '874 result result', 'protein sequence share', 'hpa axis', 'software package analysing', 'genotyped 88', 'drd1 showed', 'bwt wwt adg', 'component pc captured', 'faster pre post', 'site demonstrated', 'composite cattle breed', 'conserved functionally important', 'locus factor warrant', 'dominant trait identify', 'regulating ovarian', 'result represent comprehensive', 'lung major', 'severe disease like', 'shearing result single', 'result replicate', 'tested map fecal', 'bta01 bta02 bta03', 'distance linear model', 'pgf analysed positional', 'adiposity harbor', 'digested smai', 'generation accompanied', 'genome average', 'cattle monitored', 'status gene', 'total 240 individual', 'human orthologs 500kbs', 'standard scoring osteochondrosis', 'reported causative gene', 'chicken pnpla3 gene', 'result study support', '45 gene analysed', 'low egg weight', 'mainly caused embryonic', '14a exon 12', '84 phenotypic variance', 'mc4r gene', 'snp associated ft', 'scanned 127 microsatellites', 'germplasm evaluation gpe', 'fitted postulated', 'tenfold increase frequency', 'industry characteristic major', 'selected randomly', '0143 0088', 'apart physiological requirement', 'small effect', 'using 194', 'metr retp respectively', 'puberty phenotype propose', 'unit allele genotype', 'lcorl gene 09', 'horn length horn', 'genotype offspring', 'qtls associated resistance', 'negative overall', 'partridgelike chromosomal', 'use horse', 'resource analysis', 'background boar taint', 'analysis significantly', 'cd4 cd8', 'area trapezius', 'associated eyelid trait', 'mufa pufa longissimus', 'identified associate density', 'author difficulty routinely', 'incidence fault', 'f1 boar', 'chr 10', '470 significant', 'meat tenderness long', 'genetic variation androstenone', 'hydrolase domain containing', 'pig production male', 'porcine nucb2', 'result classified', 'trait locus udder', 'holstein friesian animal', 'jb2 450 animal', 'cbs higher', 'group 343', 'reduction incidence mastitis', 'establish chromosomal localization', '1185 1137 fish', 'mapping previously', 'score lascs standard', 'psmc1 effect', 'accounted ranged', 'bcs distinct', 'variation bone', 'cattle population conducted', '85 83 36', 'identified using test', 'presence multiple gene', 'trait heritable h2', 'breed marker bm8246', 'chicken chromosome bodyweight', 'beadchip genotyped 987', 'adult height newly', 'chromosome angularity', 'utility gb', 'identified locus', 'rib rib weight', 'tenderness measured using', 'including musculoskeletal', 'holstein cow gwas', 'cnvrs 197', 'commercial angus', '50 united state', 'suspected french grivette', 'allele called', 'cattle phenotype 720', 'lp lactation lp1', 'reduce risk boar', 'initial analysis 13', 'chromosome omy', 'unique amino', 'influenced immune response', 'lambing quantitative', 'approach dissect', 'chicken model', 'qtl dominance effect', 'backfat tissue', 'gene like thbs2', 'content suggestive evidence', 'dtd curve', 'chicken crossed anka', 'chromosome determination semen', 'bcdo2 obvious positional', 'coincided described previously', 'skeletal respectively gqls', 'gain better', 'phenotype trait result', 'male normal', 'qtl identified assumption', 'bta 15 animal', 'defined sow', 'gene vstm1 irf3', 'pig thinner fatness', 'pp clinical', 'pig cross', 'allele frequency growth', 'mdv including f6', 'leading death', 'ssc7 comparison', 'total 360 animal', '01 snp identified', 'including ph conductivity', 'breed indicating different', 'snp31 intron', 'allow interval analysis', 'gene significant marker', '13 significant qtls', 'described iberian meishan', 'insemination purebred crossbred', 'promoter regulatory region', 'level plasma', 'variation farm', 'yield family', 'rb1 gene selected', 'factor activity 0003700', 'birth week', 'regulation day expression', 'cb heritability 49', 'fatness body', 'loss dairy industry', 'carcass trait cwt', 'feathering gene prolactin', 'development low level', 'sensitive sampling', 'gene useful candidate', 'rate nrr', 'bmp15 signaling', 'depth nominal', 'known associated fat', 'gpt bri3bp scd', 'insight muscle', 'economic impact', 'coccidiosis major parasitic', 'produce related f2', 'effect qtl ssc1', 'high quality segregating', 'country combined', 'selection control imf', '05 oleic acid', 'individual diplotypes', 'attention animal welfare', 'selecting faster growth', 'family chromosome wise', 'objective study map', 'snp plus', 'adjusted 210 day', 'climatic variation', 'variant followed homozygote', 'acid profile determines', 'offspring analysis male', 'near marker', 'strategy control pathogen', 'related intramuscular', 'physiology classical fertility', 'objective change', 'qtl region capable', 'billion annually identify', 'structural fragility', 'inbreeding highly significant', 'ratio significant', 'spatial structure', 'interfering movement', 'farrow litter', 'objective study presented', '52 positive faecal', 'myogenesis binding', 'ebv sc', 'gain wg 160', 'fertility important maintenance', 'trait value irrespective', 'chicken current', 'used estimate milk', 'gp decrease', 'larger comb sexual', 'association mapping result', 'qtl model performed', 'specific control', 'covering cattle autosome', 'growth sexual maturity', 'purebred meishan duroc', 'population selection', 'bull 13', 'son 73 daughter', 'analysis exceeded', 'lyw canchim cattle', 'regulator switch', 'combinatory effect', 'life associated', 'perspective practical', 'leading increased', 'pig image', 'analysis chose best', 'intensity measured', 'muscle economically important', 'mch mean', 'allele identified', 'cnvrs frequency', '4185 0815', 'line developed divergent', 'virus strain 40', 'del del genotype', 'respectively highly', 'pre ensembl sscrofa10', 'trait play pivotal', 'homozygous type consequently', 'sire parent', 'chance test statistic', 'et lumborum', '472 lamb', 'affecting carcass quality', 'muscle fiber type', 'steer total', 'snp significantly 05', 'step development', 'denoted fat1', 'differ mean residual', 'cd27 binding protein', 'forest rf', 'conclusions significance association', 'genotype analysis', 'significant qtl adjacent', 'mastitis divided', 'maasai dorper', 'aldbsscg0000001928 identified expression', 'behaviour generation performed', 'breed single', 'improve qtl', 'ssc previously reported', 'index egg', 'fat determination', 'assessed worm resistance', 'qtl respiratory', 'snp locus', 'grandparent 183 microsatellite', 'mapping result totally', 'sow present research', 'qtl allelic', 'gamma coactivator alpha', 'return rate nrdev', 'sex birth', 'accuracy qtl location', 'analysis calving', 'associated favorable', 'sweep occurred selected', 'score 19', 'trait including trait', 'discrete canalized', 'study 19', 'ciliary dyskinesia human', 'fat thickness second', 'outside qtl confidence', 'du massif', 'cattle provides', 'sheep genomics falkiner', 'adhesion phenotype le', 'thickness lm area', 'ph content', 'triglyceride lipase', 'trait collected', 'detected parental', 'bovinos corte genotyped', 'transcript processing', 'increased ovulation', 'test applied', 'infection eosinophil change', 'offer opportunity utilize', 'determine significance', 'genotype genotype environment', 'correlation loin', 'gene enrichment', 'transcriptome average', 'gwas detected', 'low moderate minor', 'coagulase negative', 'brown eggshell hamper', 'needed confirm role', '655 44 313', 'percentage effect opposite', 'parameter estimation involving', 'shape cause', 'respectively positional cloning', 'firmness syneresis process', 'probable region small', 'analysis lald', 'abhd16b bovine', 'signaling glycerolipid metabolism', 'based pcr', 'study precisely', 'polish large white', 'exceeding genome wide', 'meat color cie', 'near callipyge', 'mature mirnas lead', 'pig pou1f1 gene', '71 10', 'genetic parameter study', 'myh family', 'produced cross different', 'mitf candidate gene', 'expression polled trait', 'exception bta4', 'prkag3 mutation effect', 'involved regulation proliferation', 'polymorphism 5229th', 'genetics resistance aim', 'endotoxin recently', 'analysis indicate single', 'area bta', '05 significant conclusion', 'cwt 5mb bta6', 'interaction causative', 'region included candidate', 'mean growth trait', 'revealed hap ag', 'measured ct scanning', 'ax 115099068', 'interval sscs', 'bp bta13 screened', 'dam line total', 'differentiation factor', 'affinity cortisol', 'bovine quantitative', 'genotyped 940', 'parent 234', 'oestrous sheep', 'concentration dbp ligand', 'enzyme role', 'lesion genome', '617 detected', 'hoxd cluster located', 'israeli holstein half', 'additional tenderness qtl', 'rock gene', 'polymorphism analysis involved', 'concentration commercial', 'qtl proportionally larger', 'position identify', 'model approach fitted', 'production trait conclusion', 'fat 19 generation', 'challenge routine', '1111a produce minimum', 'population based level', 'identification major', 'weight bw 35', 'association plausible candidate', 'population cross low', 'included acat2 igf1', 'candidate region chicken', 'majority european breed', 'qtls interestingly', 'positive ssc7', 'acid synthesis metabolism', 'sire related', 'heterogeneity breed strong', 'swine industry genome', 'snp beadchip revealed', 'analysis suggested presence', 'analysis phylogenetic analysis', 'population epistatic interaction', 'obtained result', 'piglet weaning ssc8', 'removed penmates entire', 'kdm6b interesting candidate', 'somatic investment', 'etv5 immune response', 'data used study', 'disease chronic', 'gene polymorphism cause', 'trait analyzed relationship', 'acid content fat', 'novel variant functional', 'probably involve', 'retained haplotype carried', 'gene including ocrl', 'identified amblyomma hebraeum', 'binding endothelial', 'sequence using 1000', 'locus effect identification', 'marker regression approach', 'marker slc2a9 empirical', '32 selected snp', 'velay nv sheep', 'slc22a18 gene', 'better understanding biological', 'identified 42 single', 'chromosome 16 showed', 'mass overlapped locus', 'likely warranted', 'prolificacy breed', 'feed efficiency economically', 'independently affect cortisol', 'showed good', 'related beef flavor', 'study harbor gene', 'population multiple', 'cell score different', 'total lean meat', 'furthermore regional', 'yd used', 'mapping positional', 'analysis 27 chromosome', 'detect snp associated', 'beneficial selection chicken', 'paternal reproduction trait', 'used scan', 'tertiary protein', '05 expression adiponectin', 'unravelling gene', 'receptor fshr expressed', 'successive discriminant analysis', 'obtained candidate', 'trait association sex', 'difference spotted non', 'beadchip 680k', 'determinant feed', 'mastitis objective', 'region involved tick', 'resistance genome', 'gene associated twinning', 'snv chr 13', 'fat lean spectrum', 'group member nr6a1', 'time specifically associated', 'animal based', 'test obtained', 'horse analysis 16', 'result daughter design', 'oar1 oar3 oar4', 'aquaculture production', 'chromosome peak negative', 'mortem result', '953 single nucleotide', 'qtl detected internal', 'embryonic mortality 30', 'acid oxidation', 'opportunity genetically', 'uc dyd', 'relevance additive effect', 'gene expression seen', 'time milking', 'large israeli', 'rfi respectively conclusion', 'sample located', 'long arm chromosome', '133 microsatellite', '43722547a il 91508173c', 'change oar consistent', 'contrast haplotype based', '10p15 contains aldo', 'mainly increased intensification', 'jiaxian jx nanyang', 'shown strong', 'ssc 13 18', 'revealed activity acvr2a', 'trait 43', 'longitudinal trait traditional', 'located gga9', 'overlap conclusion', 'ssc10 favourable allele', 'variation horn type', '1050 pig', 'gene orchestra', 'slaughter metabolic', 'barrow distributed', 'population structure order', 'model applied qtl', 'suggesting effect', 'eye defect cattle', 'performed chicken', 'bayesian absolute', 'coverage provided illumina', 'qtl identified modest', 'diverse fat tissue', 'specie suggest', 'classified form', 'present work cohort', 'pnominal value 0e', 'close association', '17 aflp', 'fat 27', 'snp 131c translated', 'cp crude', 'influencing technological', 'rs14986828 rs15675067', 'sequenced characterized c3', '15 intramuscular', '30 73', '491 line', 'considered important effect', 'kg absent', 'predictive study result', 'higher expression mature', 'intramuscular fat moisture', 'underlying rfi qtl', 'associated withers', 'association analysis growth', 'protein content', 'reverse phase', 'tbrd validate locus', 'c17 intramuscular', 'composition cattle', 'phenotype evaluated', 'population 503', '21 snp chromosome', 'previously performed genome', 'bcwd resistance', 'barrow resulting', 'broiler layer segregating', 'source reprogen ovine', '33043081 overlap', 'oar1 charollais 851', 'muscle drip loss', 'offspring birth slaughter', 'cdkn2aip trappc11 pelo', 'meat 009 decreased', 'simultaneously estimate test', 'rs330427832c myh3_rs81437544t', 'backcross animal performed', 'vca using', 'fetlock oc hock', 'qtl detection method', 'synthesized behavior', 'bvd pi bta26', 'bovine longissimus dorsi', 'chicken head', 'identified breed breed', 'various reproductive trait', '01 bb', 'muscle reported located', 'intronic variation', 'revealed ldha copb1', '16 031 bull', 'unknown previous', '54k snp', 'association snp ex1', 'population total 362', 'aimed genomic', 'gene ppara', 'locus qtl igg', 'understanding maintenance', 'genotyping array association', 'score female fertility', 'bta13 stage', 'silent me1 576c', 'metabolism androstenone result', '23 component trait', 'based relatively small', 'using interval', 'reported increase', 'helpful information locate', 'mapping slc37a1', '44 648', 'use antimicrobial', 'variety phenotypic trait', 'potential applicability purebred', 'variation observed ubf', 'mapping identified disease', 'boar taint genome', 'function plscr4', 'differentiation brown', 'host genetic', 'ap fertility trait', '054 progeny tested', 'fat profile', 'limit individual', 'sib sire randomly', 'population 27 qtl', 'implemented gridqtl software', 'objective uncoupling protein', 'confirm qtl region', 'worth investigating potentially', 'characteristic described', 'genomic association study', 'biosecurity measure rarely', 'regulates differentiation', 'key regulator gene', 'mapping work', 'animal 20 marker', 'castrated eliminate boar', 'pathogen infected parasite', 'result large qtl', 'indicate interesting', 'member zinc finger', 'type inheritance', 'large proportion genetic', 'disease trait immune', 'analysed polymorphism considered', 'mchc measured', 'pathway selective', 'toughness female', 'horse breed sequence', 'broiler high growth', 'finding androstenone', 'region obtained', 'exploit correlation', 'pig breed berkshire', 'provide useful information', 'relationship liver weight', 'experiment crossed', 'spanning bms690 bm4528', 'dataset contained data', 'use snp genotyping', '30 standard', 'rm356 map', 'association influencing', 'qtl suggests scd', 'included ph reflectance', 'acid increase', 'action amino acid', 'bovine paratuberculosis contagious', 'cattle current study', 'indicus breed bayesian', 'prevalent modern day', 'molecular breeding sheep', 'target identified', 'involved trait study', 'gene hampered', 'correlating geographical', 'generally originated layer', 'increased approximately', 'population 186', 'related epidermal integrity', 'trait selection immune', 'information highly', 'perform identity', '102 karan', 'investigated quantitative trait', 'genomic selection included', 'analysis 40006g', 'using ingenuity pathway', 'covered marker previous', 'growth average', 'percentage unit non', 'animal different f1', 'phenotypic effect 644', 'lot incorporating effect', 'result revealed significant', '85 average value', 'chain cluster respectively', 'pcr sscp association', 'calculated genomic kinship', 'region bta5 igf', 'tested male analyzed', 'haplotype summer milk', 'lean content', 'sequence data needed', 'eye width loin', 'human nutrition technological', 'assisted breeding pig', 'ci posterior qtl', 'mapping 10k snp', 'buffalo substitution 1752816097', 'evaluated association', 'metabolism result', '01 10', 'significantly 05', 'current study confirms', 'polymorphic site serve', 'analysed confirm previous', 'marker breeding', 'ma bw abdominal', 'detected porcine autosome', 'ssc7 small confidence', 'genome qtl scan', 'beef cattle breeding', 'region qtl', 'program low proportion', 'refining previous chromosomal', 'pig divergent feed', 'effect intronic', 'study gwas trait', 'trait study mapped', 'depot controlled', 'divergent population', 'region chromosome percentage', 'rest breathing effort', 'suggested separate', 'milk acidity', 'index marker genetic', 'metabolism result work', 'concentration main', 'polymorphism 31', 'tns1 hmga1 stood', 'weight 05 year', 'autosome average distance', '875 125', 'comb sexual', 'resistance important', 'polymorphism ucp3', 'cnv indicating', 'score chinese', 'testing statistical analysis', 'variance ranged', 'sample hsp90aa1', 'caused mutation positional', 'sequence based', 'reported population', 'sequencing snp', '0001 breed snp', 'growth important', 'height sex', 'threshold 14', 'differing site', 'observed bft rft', '180 microsatellite', 'en laying cycle', 'allele opposite', 'important role pfts', 'basis swine skin', '122cm oar using', 'scheme broiler', 'significance level threshold', 'capn1 followed cast', 'snp gene analyzed', '031 036 pp', 'africa west african', 'trait 14 19', 'following genome wide', 'protein trak1 loc101102529', 'qtls indicating', 'date objective', 'today brown', 'corresponding equine', 'virus hiv', 'conservative suggests', 'economic loss egg', 'higher imputation', 'genotypic correlation obesity', 'interpretation methodology developed', 'gga bw', 'affecting behaviour general', 'stage using', 'breed used country', 'weight fat', 'data farm', 'ssc1qter number vertebra', 'suggestive association decreased', 'indole different pietrain', 'domesticated modern', 'prompted investigate', 'measure identifying gene', 'sire seven', 'mapped potential', 'associated percentage', 'influencing temperament related', 'utilisation muscle hand', 'genotyped various', 'quite high heritability', 'receptor htr2a oxytocin', 'fertility associated gene', 'inference abcg2', 'breed following', 'site different haplotype', 'important functional domain', 'rgs4 dbh', 'genomic feature', 'investigate difference', 'igm cell', 'drd1 gabra6 genomic', 'set containing 48', 'experiment ii experiment', 'tissue specific supporting', 'used analyse data', '05 finding benefit', 'nucleotide metabolism pathway', 'significant ph measured', 'staphylococci staphylococcus', '43 423', 'assay using sorf2', 'il 13', 'e3 299 genotyped', 'height length associated', 'deviation test', 'study designed perform', 'pedigree improved mapping', 'fp tsp', '70 150', '27 mb', 'ebv 093 daughter', 'biochemical muscle', 'linkage 26', 'investment second', 'reported non synonymous', 'microsatellite marker spanning', 'study landrace hampshire', 'gene playing crucial', 'vaccination showing', 'reported relate', 'f2 individual linkage', '2012 2013', 'region subjected targeted', 'dc study step', '241x tga statistical', 'middle region', 'association selected', 'gain 30', '0006 trib1 156_157del', 'meat ph color', 'lr 39 07', 'process oocyte', 'neonatal death', 'perform marker', 'effect significant association', 'population 2229 sheep', 'genotype cc 01', 'located close fabp4', 'described literature functional', 'detected ca 44', 'clearly explained', 'yielded different', 'phenotype especially', 'predictive ability genomic', 'breeder flock united', 'help complete', 'generation sufficiently large', 'determined significantly associated', 'variation 227', 'aquaculture specie estimated', 'kg detected ssc9', 'growth body size', 'significant single nucleotide', 'igf1 igf2', '107 294', 'cattle considerable variation', 'substitution similar', 'study association host', 'transcription regulatory element', 'etnk1 pde3a pdgfrb', 'combined data population', 'disequilibrium creates', 'trait postnatal', 'ssc12 semen', 'identification aetiology disease', 'dominance variance', 'aquitaine breed contrast', 'stock subsequent', 'nba region known', 'phenotype quantitative', 'affecting growth', 'epididymis control bull', 'study shown npc1', 'f2 animal linkage', 'especially c18', 'architecture trait gilt', 'affecting mastitis susceptibility', 'architecture trait genome', 'carrying utt qtl', 'fat meat weight', 'produced transferable', 'region identified angiopoietin', 'novel finding research', 'inaccurately located mapping', 'measured loin', 'expression nudt7 japanese', '59 steer', 'id located', 'mainly glucose phosphate', 'controlled chronological change', 'gene based significance', 'primary mirnas', 'brown chicken', 'array hybrid grand', '657 daughter analyzed', 'gene expression pattern', 'sw512 qtl detected', 'days lactation', 'animal selected', 'feed efficiency jointly', 'rate data analyzed', 'dermatitis cpd known', 'term gene', 'effect using square', 'association largely attributable', 'panel data', 'suggests genetic', 'sw1332 sw2130 chromosome', 'gene located chromosome', 'concentrate concentrate slaughter', 'estimate score', '16 20', 'gene teat', 'region specie knowledge', '16 87', 'ranch bvd', 'enzymatic activity number', 'qtl influencing ear', 'similar position accounted', 'chip 279 chicken', '98 week', 'differential ncapg', 'melanoma development tumor', 'bft1 bft2 internal', '204 expression', 'wide significance gws', 'typical complex trait', 'defence slc22a4', 'different regulatory mechanism', 'fewer service conception', 'regulation 63 porcine', 'sire used association', 'known pinkeye bacterial', 'gene identification 58', 'growth chronological age', 'repository population allele', 'disease develops utero', 'mastitis bacteriological', 'prkag2 transcript abundance', 'yield proportion', 'additional crossbred half', 'significant effect observed', 'cholecystokinin receptor', 'circumference significantly', 'including animal pedigree', 'independent information gene', 'explained 92', 'ratio fcr method', 'int5 snp', 'different breed examined', 'gain 48 72', 'breed known', 'based selection scheme', 'likely change body', 'card15 gene assessed', 'genotype smaller rump', 'addition novel', 'conclusion study showed', 'acid replacement', 'binding protein delta', 'bta5 bta6 bta11', 'ovine hd snp', 'significant association 01', 'kit pig pig', 'mum 10 bwt', 'independent association marker', 'qinchuan simmental', '291 polymorphism family', 'gh gene gga27', 'study confirmed snp', 'bovine chromosome lod', 'ratio proventriculus gizzard', '10 phenotypic mean', 'gene ontology male', 'adoption precision', 'located cyp7a1 gene', 'initiator locus associated', 'snp chip performed', 'function integrity', 'known polymorphism', 'chest girth month', 'factor polymorphism associated', 'modern pig wild', 'wide strong', 'hcr proportion heifer', 'analysis fabp', 'qtl position detected', '95 detected', '10 genome wide', 'located 16', 'month age body', 'pony highly', 'nce7 05', 'important source meat', 'colored shank', 'sexually selected morphometric', 'overlapped locus affecting', 'trait genotype', 'assessed cattle population', 'phenotypic trait', 'combined dam', 'genetic architecture make', 'regulatory mechanism involved', 'reported ensembl cattle', '05 animal rate', '225 case 629', 'including ultrasound', 'rfi dmi phase', 'population backcross', 'sampled muscle', 'qtl possible pairwise', 'similarity lesser degree', 'linear anova model', 'bdnf nt', 'skip intron detected', '1606 altering free', 'nominally associated', 'adg dmi', 'analysis marker', 'mb density', 'related abnormal', 'simultaneously breeding quantitative', 'french beef', '673 detected qtl', 'difference broiler allele', 'sry sex determining', '561 798 sequence', 'analysis importantly', 'significant fat percentage', 'fatness investigated using', 'breast muscle weight', 'animal numerous study', 'c16 ssc4 c16', 'family produced', 'dna sequencing association', '15 21 22', 'genotyped 43', 'interaction host genetic', 'hu measured', 'ld generation', 'study wssgwas', 'tryptophan 80', 'peptide concentration used', 'significant milk yield', 'enables immediate assessment', 'gene tbg ssc', 'acylcoa diacylglycerol acyltransferase', 'knowledge genetic variant', 'european allele', 'size genotype gene', 'limiting universal utility', 'weight muscle yield', '708 individual', 'percentage normal', 'gene affecting economically', 'bind directly calpain', 'subsequently lead acute', 'combination 22 chromosome', 'include feedlot', 'multiple population different', 'shelled white', 'snp chromosome chromosome', 'chromosome stature body', 'igg level recombinant', 'observed heterozygosity 7192', 'development maintenance', 'qtl affecting bft', 'bovine chromosome method', '05 ssc8 qtl', '641 3733 concordant', 'lamb individually', 'trait pig present', 'investigate total', 'catfish interspecific hybrid', 'level seven', 'minor role', 'ppara transcript level', 'trait pcr', 'discharge using owner', 'yield concentration', 'close mcw0106 marker', 'trait domestic cattle', 'response study validates', 'response mechanism cytokine', 'porcine gpihbp1', '24 identified harbour', 'evidence additional snp', 'etec f4ac', 'assembly 23', 'trait spindlin', 'semispinalis area rfa', 'european lce', 'estimate association', 'control feed efficiency', 'targeted experiment', 'mechanism locus', 'reveal candidate immune', 'beadchip linkage analysis', 'nucleotide polymorphism indicated', 'presence multiple', 'body weight line', 'layer hen attain', 'association untransformed canonical', 'diego ca', 'puberty qtlexpress genome', 'support mcp', 'relationship particular', 'gene amplified barki', 'sequencing lepr', 'host control', 'marker reached', 'docile breed used', '49 family', 'alive iberian', 'alga0022658 high linkage', 'present line', 'effect service sire', 'data genetic analysis', 'count 178', 'hap9 taat extremely', 'bms483 mnb 209', 'ester fatty', 'red earlobe rhode', 'link genetic', 'embryonic survival', 'interacted sex spleen', 'protein dbp multiple', '18 49 cm', 'mesh term associated', 'representative trait total', 'mapping fatness', 'memory important element', 'responsible lea tenthrib', 'quality total', 'htr1b cpm prkg1', 'related birth dimension', 'major genomic region', 'snp ucp2 gene', 'metabolic trait soluble', 'proportion 16 prehousing', 'data mining procedure', 'fat high solid', 'region 29 03', 'sw1856 pig', 'bta3 annexin', 'behavior ssc1', 'significant marker trait', 'opportunity understand pathway', 'collected 404', '15 diverse breed', 'eighteen haplotype', 'significantly associated c18', 'result recent', 'resulting gwa analysis', 'demonstrated significant', 'showed association carcass', 'optimal way', 'act genetic', 'significance modulating', 'disease caused mycobacterium', 'tmem200c potential functional', 'accelerating genetic improvement', 'molecule repress gene', 'chicken overexpression', 'weight pancreas', 'gene tcf21 based', 'mammal study', 'qtl analysis various', 'alive age', 'discover genetic basis', 'spotted pig pietrain', 'condensed effect', 'breed age genotype', 'enrichment mirna', 'tibia weight', 'stock transmission', 'cm region bta19', 'lumbar spine', 'rflp restriction fragment', 'region located ssc2', 'embryonic survival reported', '08 broiler leghorn', 'reflectance chromosome', 'mapping pc1 body', 'family 172', 'amyloid a2', '97 additive', 'pgm2 phkg1', 'line examined include', 'reduced cm interval', 'day ldl2', 'gallus gg', 'gene primarily involved', 'chip genotype phenotype', 'selected genome wide', 'percentage tt', 'congenital deformity outer', 'general population', 'increased mortality', 'ldl ssc1 87', 'hek293 cell', 'result stop codon', '231 sire', 'combined result recent', 'fosl2 bw', 'domestic layer posse', '13 reached genome', 'abundance 01', 'gene including spp1', 'information used efficiently', 'expression assay demonstrated', 'bone muscle thigh', 'age puberty previously', '219 autosomal single', 'differ phenotypic property', 'practice addition', 'attention recent', 'dominant specie', 'strong candidate major', 'bta 46960 genome', 'qtls reported novel', 'index qtl', 'breed monomorphic', 'bta27 25', 'chicken genotyped chicken', 'pp suggest qtl', 'providing crucial', 'rate heme', 'design efficient marker', 'milk protein line', 'ige igga iggb', 'hypothesis selection growth', 'disequilibrium ld linkage', 'detected explained genomic', 'general consistency previous', 'gene mapping functional', 'identified sequenced genome', 'fcr sequence', 'qtl ssc8 12', 'revealed greater transcript', 'success conclusion apart', 'cm 15 31', 'mc4r gene snp', 'chronic pain', 'f2 phenotypic variance', 'shown chinese meishan', 'associated different', 'age puberty sow', 'threshold 11', 'disorder widespread', 'scrapie mainly controlled', 'positively pc1 indicating', 'pcv statistic', 'fasn gene', 'thigh drumstick', 'fertility production', 'year old', 'number snp explaining', 'associated variation growth', 'cattle provides step', 'cow group rsnps', 'hypothalamus combined negative', 'suis fec chromosome', 'unpleasant boar taint', 'ssc11 genotyping increased', 'chinese large eared', 'attenuated prrsv', 'eggshell trait eggshell', 'genotype distribution', 'pigmented eye different', 'gwaa performed', 'encouraging effort', 'beadchip tested association', 'cattle economically', 'derived parental source', 'brahman hereford bh', 'g100597a snp1 c105331a', 'identified different', 'me1 576c', 'puberty yr', 'composition experimental backcrosses', 'largely controlled genomic', 'population 333', 'f18 k99 f41', 'fat fatpc', 'breed tested provide', 'including potential', 'marker phenotyped', 'association ss8632653', 'performance carcass quality', 'cis acting amino', 'content 01 dd', '51 63', 'primary source riboflavin', 'tenderness compared aa', 'pigmentation dairy cattle', 'possibility increase fine', 'software foundation', 'gene scd1 878', 'dna 1362', 'suggested toll', 'tetraspan submily', 'close arl4c gene', 'enzyme lipid metabolism', 'adg bft italian', 'affect bmts mqts', 'qtl appears interaction', 'associated morphological trait', 'suggest host', 'hydroxyacyl coa dehydrogenase', 'biec2 808543 useful', 'ch4 breath', 'gene perform', 'indicate common underlying', 'population holstein friesian', 'chemokine involved', 'growing reproductive status', 'similar bw 36', 'chest depth week', 'coagulation property', 'complex subunit sonic', 'significance qtl compared', 'mt phenotype', 'portion total', 'provide evidence polymorphism', 'stop code tga', 'integral called', 'method result validation', 'eu second generation', 'offspring statistical', 'culture elisa test', 'trait pig significantly', 'higher expression observed', 'form sequence', 'coverage chicken genome', 'nbd qtl', 'obtained population 22', 'genotype linkage disequilibrium', '40 individual', 'act genetic marker', 'controlled multiple locus', 'female lamb leg', 'polymorphism reproduction', '700 kb', 'frequency perform', 'rflp commercial', 'total trait', '05 pl study', 'map infected', 'interaction fat1 composed', 'cm covering', 'daily dna', 'protein chromatin', 'varies white yellow', 'cattle using bovinesnp50', 'scs sd associated', 'problem quantitative trait', 'phka2 btax', 'g3 generation nucleus', 'locus c18 c14', 'analysis mean', 'effect qtls studied', 'snp diagnostics', 'association observed vrtn', 'measured qtl express', 'producer profitability', 'protein deduced', 'study gwas objective', 'created crossing pietrain', 'btax loc520057', 'corresponded approximately 15', 'signal bta25', 'hybrid assay using', 'increased increasing marker', 'reproductive trait study', 'total production', 'glmm analysis', '101 association', 'homeostasis fat deposition', 'variant nr6a1', 'variability large', 'drd2 drd3 drd4', 'matrix genome wide', 'content qtl', 'number tumor week', 'trait associated variant', 'marker oar2_132568092', '11 live animal', 'neuroendocrine specific', 'promoter activated myod', 'phenotype important impact', 'protein multitype zfpm2', 'average physical distance', 'tested study inbred', 'bradyzoites immunoglobulin', 'covariate qtl body', 'albumin alb globulin', 'recorded birth weaning', 'individually second method', 'shoulder fat depth', 'type motif nudt7', 'utilized custom affymetrix', 'higher af traced', 'crh cxcr1', 'growth examine change', 'large positive dbwavg', 'period lactation', 'node resistant susceptible', 'bonferroni 05 non', 'locus similar', 'anterior snp', 'genomic value', 'parameter gompertz growth', 'study gwas utilizing', 'thirteen allele', 'design family genotyped', 'fat molecule responsible', 'multipoint non', 'bovine neuropeptide', 'qtl imf', 'design fat', 'trait including low', 'phenotypic data dna', 'marker identified dna', 'response trait resulted', 'threshold qtl affecting', 'associated dna', 'hematological ca', 'life unknown fetal', 'associated ow', 'different cell line', 'demonstrated importance', 'resulting total 855', 'ewe segregation', 'effect pork processing', 'breed level analysis', 'cannon circumference', 'gene rhm confirmed', 'taurus evaluate association', 'total 2467 progeny', 'eqtls suggesting', 'holstein confirmed analysis', 'additionally suggestive difference', 'important role subcellular', 'identify validate candidate', 'current state knowledge', 'jersey cattle linkage', 'wise suggestive level', 'inclusion gene genetic', 'mapped region including', 'effect prrs growing', 'family ii recombination', 'validation study spanish', 'region examined', 'confirm involvement', 'suggesting multiple qtl', 'product including', 'ratio 0001', 'showed porcine atp5b', 'wrinkle using', 'fads2 abcd2', '16 german', 'egg laying rate', 'measure ovlv control', 'performed using linkage', 'apd apr gene', 'selected filtering quality', 'leptin gene polymorphism', 'synthesized precursor protein', 'regulating expression', 'genotype significance additive', 'milk composition awassi', '026 dominance model', 'chromosome 14 associated', 'steer trait analyzed', 'putative qtn genetic', 'family member 10b', 'production trait study', 'result sensitive', 'akr1c1 mapped', 'located sscx ssc8', 'studied maml3 setd7', 'spanning gene', 'slaughter sf1', 'production protected', 'comparing survival rate', 'genetic variability underlying', 'ssc6 13 14', 'population strongest', 'analyzed sire', 'fetlock joint', 'reduce excessive', 'scrapie control animal', 'surpassed suggestive significance', 'analysis suggests genetic', 'worm sex ratio', 'neuronal gene responsible', 'gene expand', 'qtl region according', '05 microrna qpcr', 'highly associated prolificacy', 'immune pathway gene', 'respectively majority 86', 'stress poultry', 'cm region', 'additive dominance imprinting', 'selection management', 'trait closely related', 'breed naturally', 'lesion nicl', '01 putative', 'reported increase musculus', 'susceptibility phenotype identified', 'causal factor imprinted', 'correspondingly linkage', 'record available conducted', 'experiment propose', 'kb region bovine', 'population allele effect', 'measured autofom grading', 'bone strength intercross', 'chain unsaturated fatty', 'rate significant effect', 'average measurement', 'fundamental trait successful', 'dq487182 dq487184', 'breed chicken simple', '60 million single', 'significant fst', 'locus previously implicated', 'recessively inherited', 'genotyped identified', 'multiple population', 'increased mapping resolution', 'analysis gc', 'function breed cattle', '282 snp chromosome', 'boar enhance', 'determine relationship intragenic', 'eca9 previously', 'unknown number', 'autosome detection', 'merlin software', 'priori expectation', 'expression trait omy325uog', 'eggshell weight esw', '972 50', 'protein somatic cell', 'gibbs sampling heritability', 'pig study genome', 'possibly using physiological', 'relevance snp', 'kit mutation detected', 'different genome scan', 'respectively ssc7', 'model conclusion', 'death td binary', 'small deformed', 'phenotype defined', 'sex spleen bacterial', 'gene related rfi', 'parent seven', '22 cm sex', 'dqb1 haplotype associated', 'investigation intermediate', '31 007', 'discrepancy reported', 'carcass closely', 'excellent starting point', 'population suggesting', '55 rest', 'seven erythrocyte trait', 'analysis employing limited', 'eggshell hamper selection', 'sex maturity immune', '447 allele increased', 'effect remaining', 'birthweight 003 tailing', 'channel activity regulates', 'length ileum length', 'open following ai', 'dc horse', 'accuracy qtl mapping', 'currently pastoral farmer', 'linkage group preliminary', '20 microtia 20', 'appropriate technology', 'vaccine response', '10 sire', 'nematode molecular', 'snp bmpr1 snp', 'causal role', 'black mashen breed', 'group different effect', 'teat number ttn', 'allele diversity strong', 'fisher exact', 'murine model', 'using sequence level', 'weight ww yearling', 'semispinalis capitis area', 'histocompatibility complex chromosome', 'exon 23 ubiquitin', 'complex study analysed', 'environmental trait', 'feed intake chicken', 'concentration highly', 'develop selection index', 'chicken resource population', 'furthermore analyzed previously', 'region showed effect', 'vomeronasal receptor oxytocin', '15cm trait investigated', 'mapped fa haplotype', 'content play important', 'locus amidst strong', '154 snp', 'approach integrated gwas', 'gene fcr region', 'genotype data estimated', 'fever incidence notably', 'maximum genetic variance', 'paternal effect', 'ssc9 ph', '01 435aa', 'biology fat metabolism', 'lactose yield close', 'thickness goal identify', '18 genetic variance', 'collectively explained', 'play functional', 'genomic investigation phenotypic', 'intranslated region', 'availability 57 snp', 'trait required', 'mb genotyping marker', 'vps10 domain', '53 qtl', 'effect high predictive', '56 phenotypic variance', 'divergent egg layer', 'gene irg1', 'suggesting effect qtl', 'slaughter ph15', 'formation essential', 'wl77 gga4 led', 'systemic salmonellosis', '226 hungarian large', 'date focused quantitative', 'significant principal', 'verified using', 'receptor coded', 'based rna seq', 'transmission risk', 'semispinalis lean area', 'pro anti', 'neutrophil phagocytosis animal', 'peg relative', 'regression model environment', 'performance carcass', '29 autosome using', '50 47 58', 'associated higher average', 'chromosome chromosome 16', 'far conclusive', 'ros0005 mcw0225', 'established commercial broiler', 'md represents significant', 'mutation affect tenderness', 'consistent breed breeding', 'impaired fertility cattle', '55g terminal domain', 'study gwas melanoma', 'interval encompassing myostatin', 'important candidate influence', 'region horse', 'common hm fm', 'actual region', 'fishy flavour chicken', 'productive trait reproductive', 'genetics gene', 'trait related carcass', 'coefficient absolute bmc', 'bp 199', 'longevity finding', 'solar software qtl', 'associated 002 average', 'showed different genotype', 'difference prolificacy attributed', '001 association', 'tick attached', 'return rate 28', 'identified 50', 'bfgl ngs 39328', 'sequenced 32 charolais', 'lead amino acid', 'qtl epistatic interaction', 'swine industry region', 'qtl fertility treatment', '342 lamb selectively', 'barrier function integrity', 'length 2630', 'melanocortin receptor mc1r', 'level major', '129 cm 22', 'organ weight method', 'feasibility qtl', 'trait example qtl', 'counterpart vrq vrq', 'degree piebaldism', 'expression identified fewer', 'trait lepr', 'efficiency classical genetic', 'follicle count constructed', 'corticosterone plasma', 'oviposition egg', 'condition wasting vaccine', 'calpastatin cast cast', 'lmm analysis 10', 'adrenocorticotrophin hormone', 'genotyped sire', 'segregated family qtl', 'sw2456 suggestive', 'galgal4 significantly associated', 'growing commercial line', 'type lc qtl', 'chicken 600 single', 'bft hw lea', 'basis molecular', 'transporter abcg2', 'lactation peak function', 'animal impute missense', '10 bonferroni correction', 'computed american', 'livestock order', 'sample comprising 11', 'trait chromosome particular', 'single true qtl', 'genetics ibk potential', 'rs41919985 predicted result', 'nucleotide cw contrast', 'regulation basic', 'linkage association analysed', 'gwas 33 fatty', 'activity overlapping qtl', '1728 fish average', 'structure defined ibd', 'chromosomal region detected', 'encoding ribosomal protein', 'identified study segregating', 'regulation 45', 'tested using illumina', 'coordinated interbull center', 'hap4 duroc', 'leg score qtl', 'furthermore bird gg', 'genotypic record using', '19 identified total', 'artiodactyl myadm', 'gga5 gluc gga26', 'managed indigenous sheep', 'respectively used analysis', 'moderately affected', 'improving sire', 'gip 15', 'pattern respect baseline', 'qtl 28 cb', 'population novel marker', 'low feed intake', 'index thi', 'length polymorphism result', '26 protein', 'analysed studied bw', 'ubf 91 cm', 'bta2 bta16 polyunsaturated', 'characteristic compared', 'developmental qtl1 located', 'individual variation viral', '2003 2004', 'trait addition ctsz', 'defined qtl ssc7', 'horse 31 paternal', 'ranged 16 03', 'dorper ewe', 'report association plausible', 'showed different', 'associated carrier state', 'mapping harness', 'ancestral homeologues contained', 'critical component litter', 'size fleckvieh', 'lutea polymorphism detected', '13 10 30', 'nudix hydrolases', 'yield content fat', '70 identified', 'keratoconjunctivitis pinkeye infectious', 'collagen cross linking', 'lost selected line', 'calpain meat tenderness', 'chain polyunsaturated', 'help understanding', 'government approximately', 'trait analyzed', 'cow adjusted', 'structure uk', 'crh mapped', 'missense snp 2192c', 'ripk2 influence response', 'defect rapidly enrich', 'used construct framework', 'basis high level', 'ibmap generation', 'leucocyte trait varied', 'examined fatty', 'exists multiple', 'quality trait generation', 'regulated transcript cart', 'sensory smell', 'using sample population', 'component muscle cell', 'production export great', 'repeatedly field', '25 13', 'worm population', 'fe additionally', 'ssc10 1on', 'meat quality including', 'female 593', 'sutai pig line', 'receptor edg1 gene', 'resulted significant', 'ontology previously correlated', 'identified showed overlap', 'eye area muscle', 'influencing fat deposition', 'hen genotyped 600', 'interesting biological', 'performed using step', 'bird interval', 'performed german', 'transcription regulatory', 'beef producer exporter', 'related health', 'affect bone', 'bp myostatin intron', 'chromosome utilised genome', 'fat increasing allele', 'identifying selectable', 'revealed presence 83', 'analysis confirmed using', 'quality osteochondral', 'mb accounted', 'locus frequentist', 'essential snp validated', 'project identify', 'trait rg 37', 'haplotype segregated', 'late lactation remain', 'array total 54', 'loin mc fcs', 'feasibility concomitant genetic', 'improved model', 'resource snp significantly', 'shown mtnr1a', 'indicates common pathway', 'dsn endangered breed', 'used revealing', 'fetal growth mammal', 'qtl possible causality', 'selection individual breeding', 'biochemical examination striking', 'vasculogenesis fetus furthermore', 'animal verified qtl', 'nordic red nr', 'phenotype conclude', 'proximal bta14 explained', 'scan result considerable', 'prt 305 day', 'trait detected total', 'igf2 pik3c2a akt3', 'rfi using genome', 'pt region', 'significant effect microsatellite', 'analysing data', '62 vrq', 'knowledge genetic', 'nve rib reflected', 'selection program improving', 'alpha lactalbumin lalba', 'candidate region suggesting', 'interleukin chromosome gene', 'nrr90 nrr56 bta03', 'total variance holstein', 'age stage experiment', 'individual 15 sib', 'sensitivity sheep selection', 'rate detecting', 'economically significant trait', 'model putative', 'qtls scan genome', '23 171 55', 'marker test quantitative', 'known mutation', 'correlated total loss', 'pair revealed snp', 'ssc7 snp region', 'based genetic parameter', 'backcross f2 male', 'host genetic make', 'scan fertility treatment', 'determining region', 'study repeated', 'signature region haplotype', 'flanking sequence', 'proportion feed intake', 'follicle mm', 'control herd age', 'linked locus', 'genomics proteomics investigation', 'meat tenderness sf', 'linked qtl bta9', 'score snp', 'hanoverian stallion revealed', 'observed qtl affect', 'remodeling validated', 'reaffirm small effect', 'fifth sixth', 'epistatic interaction effect', 'effect german', 'technology era genomics', 'antibody associated immune', 'ph shared postmortem', 'linkage analysis chromosome', 'chicken fatal history', 'urea content ph', 'candidate single', 'method used calculate', 'mb wide chromosomal', 'consensus map qtl', 'information genomic information', 'analysis blood meat', 'finding important clue', 'gene intensive selection', 's0217 20 cm', 'segregating intermediate frequency', 'level average 19', 'case dd episode', 'rs81399474 ssc8', 'ontology analysis indicated', '13 23 presenting', 'series event follow', 'family suggestive evidence', '49 anatomy', 'cow ability produce', 'haplotype usefully', '704 inbred berkshire', 'combining cnv', 'red jungle fowl', 'chemerin gene detected', 'component chicken', 'diallel lot generation', 'association offspring', '13 07', 'jointly major candidate', 'weight carcass breast', 'son genotyped cyp11b1', 'large economic', 'trait identification quantitative', 'standard unweighted gwas', 'gene marker', 'produce intermediate non', 'utilized substitute original', 'country directly measure', 'density conclusion', 'detected parent', 'additional marker spanning', 'play role obesity', 'increased productivity previous', 'chicken ex', 'pig grew', 'used genomic', 'qtl previously detected', 'directly targeted', '01 putative qtl', 'locus distributed', 'using combination bioinformatics', 'regression performed plink', 'automatically generate', 'gene qtl effect', 'pinpoint dna', 'stillborn pig', 'pig passed stage', 'breed 000', 'information investigation', 'snp respective', 'purebred outbred', 'linked brd brahman', 'increase depth area', 'burkina faso phenotype', 'factor sire', 'frequency snp', 'rs42092174 rs42091426 mb', 'causal reported', 'underlying complex quantitative', 'significant fitted', '32 phenotypic variance', '57 day later', 'f41 susceptibility phenotype', 'illumina pig inverted', 'ndv response', 'production quality', 'genome scan romanov', 'qtl ph24', 'rs137673193 significantly associated', 'failed identification gene', 'interaction calcium signalling', 'rich element', 'total 470', 'include estrogen receptor', 'prrs need', 'current research', 'mass whilst', 'proximal candidate', 'pathogenic se challenge', 'protein product man2b2', 'significant linkage qtl', 'remarkable agreement qtl', 'polymorphism sscp technique', 'heavily biased', 'complex genetic influence', 'feathering formation', 'heart liver', 'contrary expectation qtl', 'role regulating', 'mastitis mammary disease', 'associated variation mastitis', 'high heritabilities step', 'pcr sscp different', 'applied separately pedigree', 'cm qtl', 'phenotype hen red', 'population association body', 'marker haplotype linkage', 'wwt adg respectively', 'enriched platelet activation', 'dpr genotyping', 'shorter thicker single', 'paired box', 'ratio effective', '29 using', 'located chromosome linkage', 'ghrl gene', '006 marker', 'finding benefit application', 'candidate c10', 'interaction mir', 'study pinpointing trait', 'milk yield 1st', 'population 602 individual', 'region 11', 'feather live chicken', '4376 texel', 'sib square', 'specie calpains', 'akt signaling significant', 'applied disease', 'bird subtypes linkage', 'polymorphism snp length', 'qtl interval 70', 'level nominal significance', 'industry region', 'established allele substitution', 'bw identified population', 'lamb birth weight', 'ldrm eighty holstein', '40 000', 'open rs109663724 rs135560721', 'manner mypn', 'study highlight effect', 'muscle growth genetic', 'illumina 50k bovine', 'mapping growth carcass', 'locus number', 'maximum disease', 'snp included bayesian', 'panel accounting', 'infection data implicate', 'chicken gwas', 'associated bone trait', 'standard production measure', 'percentage pig', 'layer meat', 'position qtl accomplish', 'state pig', 'previously reported ssc5', 'fecx identified grivette', '17 81 cm', 'rfi mixed', 'gene identified qtl', 'additive accounted 11', 'associated systemic salmonellosis', 'genotype environment', 'led raised better', 'plausible candidate', 'quality trait documented', 'virus brsv specific', '157 polymorphic microsatellite', 'family correlated trait', 'backfat thickness measurement', '39 46', 'optimization prediction', 'software significance', 'snp data 338', 'rflp revealed pig', 'different myog genotype', '585 dna pooling', 'generated used', 'association wbsf', 'lyz revealed', 'effect identified trait', 'gwas utilizing set', 'gene associated fa', 'stage enriched associated', '777 000 snp', 'rs419096188 located', 'suggestive 15 association', 'balance meat', 'cattle objective study', 'different period animal', 'conducting multiple independent', 'diagnostic test estimated', 'area lma backfat', 'pm multiple previously', 'provide groundwork', 'size norwegian white', 'trait breeding camkmt', 'monomorphic promoter', 'reported snp detected', 'silkies fowl identify', 'boost difference', 'gene help better', 'individual gene associated', 'association gain', 'subsequently immunised 40', 'breed 52', 'genotypic heritability estimated', 'pathogen multiple specie', 'originating cross divergently', '25 29', 'landrace effect', 'qtl bta14 91', 'spite normal gestation', 'trait khorasan chicken', '34 056 728', 'bird homozygous wl', 'contain polymorphic functional', 'distinct conformation characteristic', 'substitution c1924t', 'indicates importance', 'resistance conformation trait', 'mc4r variant', 'result showed relative', '3691g identified', 'genomic research', 'qtl ssc1 ssc4', 'germplasm evaluation', 'muscle structure calcium', 'post transcriptional', 'car detected 100', 'precision parameter estimate', 'mapped 426', 'conclusion efficient', 'intercross identified', 'analysis ndufaf6 tns1', 'dehydrogenase conclusion result', 'hip width 05', 'possible strong', 'gene set enrichment', 'analysed approach combine', 'development ovary', 'functional unit gene', 'resistance cd rainbow', 'pik3c2a akt3', 'identify genomic locus', 'rule possibility snp', 'identified gene performed', 'chicken shown', 'level correspondence location', 'chromosome 15 13', '318 polymorphic microsatellites', 'goat production given', 'weight 19', 'genomic variation ltn', 'carrier non', '20k geneseek', 'qtl new', 'genotype line', 'epidemiologic study', 'panel unravel', '313 informative microsatellite', 'gene diacylgcerol', 'muscle increased', 'disease reconvalescence', '27 18', 'introduced restriction', 'mrna abundance atp5b', 'association ear size', 'association plausible', 'blot analysis showed', 'guanine nucleotide binding', 'indicating primary', 'data using', 'bull currently used', '80 mb bta5', 'produced reproductive longevity', 'studying underlying genetic', 'qtl multitude chromosomal', 'stage trait', 'trait hanwoo detected', 'density chromosome qtl', 'variation multitrait', 'gene located bta14', 'nucleotide polymorphism oarx', 'reported metabolic health', 'danish jersey genomic', '724 bird result', 'semen trait finding', 'employed quantitative trait', 'meat qtl quantitative', 'live skeletal muscle', 'change influence', 'immune response investigation', 'benefit statistical model', 'vitro using', 'pair explained', 's1 significantly', 'conception interval litter', 'age weight body', 'heterozygote 29 03', 'absence strong association', 'associated phenotype genomic', 'yield notably single', 'duroc pig result', '21 associated', 'chromosome level skin', 'bull association rfi', 'cn loss', 'gene rs41694656 associated', 'important verify result', 'trait diacylglycerol', '1n c18', 'cell signaling major', 'genetic environmental factor', 'captured 28', 'haplotype serve', 'carried independent', 'holstein 500', 'detected promising candidate', 'polygenic effect significant', 'separately nematodirus strongyles', 'effect bw55 marker', 'category genome', 'qtl 74', 'related cheese', 'sox5 interestingly', 'molecular function biological', 'grandsires yorkshire', 'genotype bovinehd', 'challenge mixed gastrointestinal', 'mstn 435a 447g', 'ccr2 rs41257559', 'relevant trait', 'suggestive explained', 'time observed', 'outbreak mexico 2012', 'mufa polyunsaturated', 'imf minolta minolta', 'muscularity shoulder muscle', 'explained known genotype', 'selected proportion le', 'relaxed rel line', 'location qtl eca2', 'opportunity tailor', '20 23 28', 'selection comprehensively', 'cancer model', 'based best linear', 'wide significant feed', 'markers chromosome collected', 'information obtained study', 'intron snp npy', 'marker suggesting multiple', 'f2 animal squares', '80 statistically significant', 'downstream transcription start', 'thickness estimated breeding', 'cfu 36 faecal', 'sequence allele present', 'transporter member slc2a4', 'nucleotide variant snvs', 'regress piglet', 'production trait dgat1', 'significant snp permutation', 'exhibited strongest', 'gene associated 10', 'herd cow', 'occurrence osteochondrotic', 'physiological genetic', '657 daughter', 'network functional', 'mammalian phenotype', '37 se 02', 'variation good', '04 respectively contrast', 'detected chromosome sequencing', 'influencing afe', 'relevant single nucleotide', 'beta carotene biochemistry', 'ph reflectance', 'source non', 'tolerance generation', 'human plasma chl', 'humeral strength keel', 'single qtl', 'improvement resistance ipnv', '05 level using', 'content simmental cross', 'elucidated genetic architecture', 'chromosome 15', 'total 132 haplotype', 'exposed acute thermal', 'tsnax ita', '91 bull low', 'data used', 'result verify qtl', 'qtlr 19', 'muscled body shape', 'taf7l gene tex11', 'autosome included', '50k single nucleotide', 'tenderness industry', 'differentially wired', 'trait porcine gpihbp1', 'preventing cell', 'qtl eca18 associated', 'snp evaluated larger', 'map4k4 gene selected', 'afw breast', '239 warmblood horse', 'imputed 777 000', 'number identified qtl', 'number heterozygous male', 'dairy herd genetic', 'prompted achievement', 'canadensis horn', 'liver oviduct 01', 'elevated expression mammary', 'respectively marker chromosome', 'growth glucagon leptin', 'form combined', 'hmgcs1 drastically', 'linkage analysis npl', 'locus qtl segregated', 'fat line furthermore', 'volume motility score', 'gebv wgebv', 'association agreement', 'scheme number sick', 'prdm16 control brown', 'dam family', 'fp rule possibility', 'tg alb', 'individual effect million', '15 27', 'bovine tissue conclusion', 'feathering wenchang chick', 'metabolic process', 'great variability genetic', '293 cell allelic', 'qtl considered', '260 sheep', 'interval case', 'toughness intramuscular fat', 'rab28 myogenic', 'slaughter weight carcass', 'group gga1', 'heart stomach', 'pony arabian', 'including additive dominance', 'corresponding quantitative', 'meishan pig strong', 'sequencing bmp5 gene', 'confirms variation', 'breed used', 'pseudoautosomal region dosage', 'holistic expression profiling', 'measured breed uk', 'trait model combining', 'provides substantial step', 'affect udder', 'long chain fatty', '13 posterior', 'panel carry', 'analysis helpful', 'test validated based', 'information sire heterozygosity', 'selective genotyping significant', 'growth reduced fat', 'significant pleiotropic effect', 'addition new', 'spanning 29', 'lead development', 'snp identified lmm', 'female rt', 'duroc animal functional', 'locus bcse', 'factor ssc1 ssc6', 'week age recorded', 'gwas bone', 'fragment actual', 'information 100 microsatellite', 'trait study', 'analysis genomic feature', 'vaccine prevent', 'androstenone affecting', 'methodology repeated twice', 'haplotype revealed', 'marker showing significant', 'livestock genome wide', 'range 16', 'attenuation coefficient absolute', 'confirm common', 'observed ttn', 'data em', 'performed gwa', 'odour affecting', 'lw breed lr', 'genomic tool allowed', 'generation design consisting', 'diameter 05 result', 'expression level genotype', 'significance threshold qtl', 'different chromosome rs81476910', 'control data', 'human health pork', 'jx ny cattle', 'ovulation rate average', 'highlighted interesting candidate', 'receptor regulates adipogenesis', 'hemoglobin so2 significant', 'day later chicken', 'genome influenced immune', 'production established genetic', 'total seven snp', 'viral disease considerable', 'nr6a1 corepressors nuclear', 'current study aimed', 'qtl affecting muscle', '32 mesh term', 'line demonstrated', 'high frequency', 'polymorphism snp result', 'associated leg muscle', 'genotyped panel 777', 'respectively occurrence eyelid', 'binding site', 'etiology affected calf', 'genotyped 70k ggp', 'appeared desirable undesirable', 'site serve useful', 'dairy cattle danish', 'abt total', 'population identifying', 'snp based estimate', 'averaged trait', 'test group', 'selection improved lp', '31 41', 'cnvrs covering', '10 bonferroni', 'mouse strain', '66 individual', 'dairy production unfavourably', 'beginning chromosome near', 'emphasized including', 'breed china result', 'studied trait qtls', 'thickness us_m live', 'component analysis', 'kr trait', 'sire genotyped using', 'adg italian', 'microsatellite marker second', 'like lcorl encodes', 'study significant snp', 'genome phenotypic', 'hypothalamic pituitary', 'significant different', 'spectrum produced milk', 'parity editing total', 'qtl associated body', '10 respectively', 'marker 29 bos', 'resource study', 'association observed', 'pou1f1 gene high', 'high short', 'suggesting snp ex1', 'nucleotide variant gene', 'square analysis reveal', '29 34', 'including 16 single', 'chromosome mcw0168 gct0006', 'dusp4 lifr', '18 rfi', 'crossbred cattle', 'sorcs2 gene addition', 'meat quality phenotype', 'lead candidate', 'non risk', 'cast 155', 'rapidly enrich', 'genotyped 10 additional', 'adg3 12 corresponding', 'lm area detected', 'associated bf', 'pig locus', 'protein association study', 'far japanese black', 'hsa1q23 harbor', 'mapping approach identified', 'pparγ allele higher', 'leghorn chicken qtl', 'commercial sutai', 'test association beef', 'cxcl8 kit ctbp2', 'trait omy325uog significantly', 'considered including', 'determination sc confirm', 'high density high', 'study pig human', 'bta14 dienoyl coa', 'configuration 168 cm', 'f41 etec fimbria', 'phenotypic alteration influence', 'lower airway disease', 'difference identified snp', 'marker regression fitted', 'gene detectable', 'relation mutant dermal', '5453 estimate', 'cpt1b acsl1 ier5l', 'generation cortical', 'suggested analysis model', '16 respectively qtl', 'animal method total', 'variation applied gene', 'map capn1 causal', 'typical feature', 'bw42 breast', 'information support', 'melanocyte stimulating hormone', 'cattle snp genotyped', 'fat thickness residual', 'analysis addition total', 'clearly different spotted', 'record 444', 'pig total 341', 'rate piglet weaning', 'gene swine chromosome', 'extensively characterized aimed', 'observed increase power', 'difference resistance susceptibility', '63 genome', 'linkage information', 'potential gene affecting', '58 lg 82', 'contained previously identified', 'diameter wool', 'lesser extent', 'used study total', 'origin effect separately', 'fundamental parallelly help', 'dispersed white hair', 'study 13 identified', 'report suggested presence', 'elucidated analysis', 'increase musculus', 'height analyzed seven', 'higher backfat thickness', 'dmi rfi', 'hen divergently', 'sc exhibited', 'recessive proportionate dwarfism', 'previous study role', '52 17 mb', 'mm 34 mm', 'signal gene', 'multi allele', 'size 433c', 'performed commercial', 'cow genotyping', 'prader willi angelman', 'welfare study genetics', 'direction detection', 'selected genotyping based', 'correction approach leading', 'his465arg 1751a', 'snp differing level', 'wg 160 adjusted', 'newly identified snp', 'human depression important', 'trait relating glycolytic', 'half sib regression', 'genotyping beadchip', 'scan based linkage', 'adrb3 expression higher', 'association analysis snp', 'conclusion complementary', 'affect tenderness new', 'fat growth related', 'level slope', 'common parent', 'benefit beef', 'showed close linkage', 'analysed population', 'sire 20', 'record clinical', 'acsl4 candidate gene', 'selected promising', 'animal classified elovl6', 'snp overlapping', 'immune reproduction', 'linkage eca2', '28 represent interesting', 'progeny comparative analysis', 'gene expression porcine', 'snp previously', 'excluded involvement', '728 bp', 'allelic effect ovine', 'population examined strong', 'fat cent fatty', 'effect dystocia', 'level gluc body', 'training population marginal', 'joint breeding', 'using fgf8 polymorphism', 'ige colubiformis', '259 segregating variant', 'bayes option gensel', 'sliding window snp', 'haplotype 168 cm', 'dq detected qtl', 'welfare study maternal', 'gene mammary tissue', 'exhibited additive effect', 'solar software', 'significant qtl confirmed', 'mb respectively result', 'status number lamb', 'length body', 's554331 mutation 19', '62 mb genomic', 'carrier organic anion', 'trait broiler feed', 'associated trait adolescence', 'set 216 horse', 'confirmed rna sequence', 'used domestic', 'capacity whc coq9', 'snp acaca', 'snp jointly fitted', 'norway 1970', 'provide confirmatory', '47 60 strong', 'half remaining association', 'hair sheep south', 'mapping binary', 'help better', 'serum lung', 'overlap snp', 'chromosome region qtl', 'cis12 c18', 'parameter toughness firmness', 'snp population shared', 'arises trait dependent', 'including f4 f18', 'affected genetic factor', 'ram exhibiting', 'polymorphism bmper', '334 exon', '98 control collected', 'native japanese', '717 chinese holstein', 'protein ucp1 play', 'panel axiom', 'fixation major', 'low non', 'crossbred gilt', 'contains qtl direct', 'wide level associated', 'japanese breed untapped', 'ls means protein', 'snp illinois', 'strategy failed identification', 'calf charolais holstein', 'range bta9', 'component analysis lavc', 'f1 cross comprising', 'ibk american', 'improve understanding molecular', 'cattle denominated', 'qtl eca2', 'genome high', 'polygenic effect account', 'peak observed bovine', 'test indicated', 'identified specific', 'using logistic', 'yield trait second', 'rm356 peak observed', 'qtl inbred line', 'underlying genomic', 'believed carrier', 'allele causal', '65 linkage analysis', 'region regulation', 'lys232ala substitution 305', 'causal mutation late', 'controlling adiposity', 'sib pair differential', 'far conclusive especially', 'il8 expression bend', 'cattle useful marker', 'birth weight abw', 'crcidp vetsci usyd', 'vitro expression', '12 autosome identified', 'indication quantitative trait', 'expression mtnr1a gene', 'analysis family japanese', 'causality respect', 'immune response result', 'snp associated tnb', 'genome implication', 'bayesian model small', 'silverside joint', 'ibp4 gene cattle', 'allele segregating dgat1', 'impact prrs', 'purebred pb', 'performance fatness', 'gfra2 expression', 'association study ssgwas', 'candidate gene improved', 'associated piglet ability', 'oh shamo inferior', 'statistical model used', 'associated increase weight', 'genetic correlation 77', 'pedigree used', 'zn 57 mg', 'gene sucla2', 'identified chromosome 18', 'cause disease domestic', 'issue spite', 'produced mating 99', 'pursue fine', '31 significant chromosome', 'gene vstm1', 'association lda log10p', 'allele expression result', 'following sequence', 'controlled different regulatory', 'genetic difference correlated', '435a 447 allele', 'csf1r wt1 dscaml1', 'revealed snp located', 'mir206 micrornas', 'non pigment', 'new dataset', 'class principal', 'evaluated prior', 'number artificial', 'broiler used investigate', 'iron content', 'udder health workability', 'quality trait considered', 'corresponding physiological biochemical', 'marker significantly associated', 'examination basis', 'haplotype based', 'public domain', 'total 475', 'involved primary ciliary', 'beef cow calf', 'piglet using jaw', 'pig time new', 'transformed bacterial', 'muscularity index', 'following slaughter linear', 'precipitating immunoglobulins serum', 'litter size cnvs', 'showed 46544883a genbank', 'genetic identity', 'human cytomegalovirus zinc', 'architecture response', 'polygenic nature racing', 'locus bcse locus', 'genome obtained 26', 'ssc12 epistatic', '80 microsatellite marker', 'qtl influencing clinical', 'using aforementioned technology', 'phenotypically linked', 'significance level shared', 'angus population', 'soller et', 'identified qtl large', 'conclusion previous', 'prenatal survival', 'muscle compared non', 'ref data', 'predictive study', 'depth 20 wk', 'curve approach', 'cell surface fimbria', 'resistance platform high', 'associated height native', 'nudt7 expression muscle', 'quality control', 'including zinc finger', 'ratio 23 day', 'shimofuri economically important', 'association suggesting lascs', 'signal bta 15', 'remaining steer bull', 'evaluation haplotype', 'gene genotype cc', '000031 combined association', 'associated recprotein', 'inflammation homeostasis', 'marbling angus', 'gene genetic variant', 'cattle susceptibility', 'level weaker enzymatic', 'previous study performed', '16 20 chromosome', 'muscularity obesity combining', 'selection performance', 'study suggested major', 'associated rump fat', 'teat absolute difference', 'size farm', 'binding protein signal', 'nc_040256 untranslated region', 'analyzed 28 trait', 'evidenced significant', 'susceptibility bacterial cold', 'prolactin concentration explained', 'breed identification', 'factor analysis', 'score classification using', 'gene based strategy', 'chromosome 14 milk', 'uncover region', 'suggested variation', 'sorf2 interacting host', 'snp rs42670352 cckbr2', 'pig population used', 'complex genetic network', 'bone strength', 'negative consequence rainbow', 'allocate 122 62', 'marker sw1856 pig', 'expression genome wide', 'separate analysis different', 'genotyped pyrosequencing', 'asian market carotene', 'identified region 33', 'variation influencing trait', 'linkage reveal', 'signal clinical', 'supported previous', 'scd gene examine', 'chromosome heritabilities qtl', 'involving total 222', 'optimal performance', 'caused bacterial', 'central molecule', 'qtl underlying fitness', '19 20 23', 'identified haplotype reproductive', 'located exon cause', 'induces nonsense', 'gene including bovine', 'behaviour trait 6e', 'risk salmonella infection', 'associated immune', 'revealing complexity', 'plethora reason ranging', 'founder respectively', 'human consumption performed', 'final characterization causative', 'horse oc qtl', 'population method total', 'showed using', 'tnb nba number', 'controlled combination', 'inflammatory response attraction', 'sired 17', 'corpuscular haemoglobin content', 'used perform genome', 'weight 49 day', 'bone index', 'detected population significance', 'composed htr1b cpm', 'location account', 'positive genome', 'qtl genomic', 'snp chr1 27', 'incorporated awassi breeding', 'transcription factor spondin', '92 ng tt', 'mutation fecbb', 'study highlight comprehensive', 'fasn locus', 'e47 broiler fayoumi', 'exception c6', '85k single nucleotide', 'earless sheep breed', '100kb significant association', 'identified porcine cardiomyopathy', 'trait candidate', 'best evidence qtl', 'rflp tested', 'gene apoh pedf', 'production polymorphism', 'inheriting brahman', 'confirmation segregated consequently', 'potentially deleterious factor', 'sc ebv', 'polygenic model', 'loss cooked', 'dependence quantitative trait', 'required narrow', 'association non', 'genotype classified rflp', 'microsatellites allowed', 'multilocus analysis failed', 'qtl dairy cattle', 'determine carcass quality', 'sheep worldwide', '56 05 bf', 'multigenic trait', 'olig2 sod1 gene', 'oar consistent', 'density chicken', 'important equine', 'scale population', 'conversely eqtls showed', 'improved growth performance', 'value 118 119', 'purpose work detect', 'fecbb fecge fecxo', 'involved process', 'measurement family', 'applied single', '579 789', 'significant qtl ttn', '11 new', 'design included 51', 'porcine skeletal', 'snp60 genotype', 'high hpa axis', 'sample 156 horse', 'suggestive qtl', 'insertion despite', 'previous study shown', 'basis pork', 'ph1l pig significantly', 'boar compared non', 'snp typed 76', 'evidence association 01', 'genotyping technology provided', 'cm _copb1_90 cm', 'biosynthesis altered', 'exon snp1 9815g', 'gene involved female', 'ipn ipn', 'neurodegenerative disease mainly', 'disease resistance making', 'high ne 13', 'multiple chromosomal area', 'showed strongest effect', 'region bta04 bta13', 'linkage map essential', '16 strongly', 'gg based test', '05 backfat thickness', 'nh region', 'polymorphism affecting', 'using family', 'pl synthetic line', 'ovulation rate snp', 'leghorn cross 93', 'prl 92 08', 'model 4841', 'designed database', 'model 38 qtl', '24h identified', 'variance explained different', 'chromosomal recombination rate', 'promoter region elovl6', 'allelic inheritance grandsires', 'interval cm region', 'parameter female reproduction', 'type provide vital', 'fat size', '492 bp sequenced', 'qtl obtained', 'region close ifng', 'fetal growth merging', 'yearling flanking control', 'enoyl coa', 'detected ovulation rate', 'understanding host', 'previously genome wide', 'crossbred progeny 136', 'seven previously reported', 'revealed genotype associated', 'comparative approach provide', 'gene genomic', 'possible functional implication', 'znf165 001 c19orf42', 'array quality', 'femoral trait', 'month 05 result', 'benefit examined', 'marker covering 18', 'body wfe cumulatively', 'performed expression qtl', 'mps score', 'primer arms pcr', 'psychosis occurring 000', 'quality concluded', 'required significant', 'result multibreed gwas', 'conclusion present', 'mutation g75a exon', 'located region lap3', 'snp enrichment', 'variance vl', 'ssc region', 'ratio compared', 'dpr genetic', 'approximately 11', 'cross second cross', 'quality trait addition', 'economically relevant trait', 'experimental resource', 'cow result', 'increased accuracy genomic', 'qtl fat thickness', 'ssc12 qtl', 'sheep snp', 'affecting lactose', 'selection program low', 'cross pig data', '13 suggestive qtl', 'estimate su', 'compared age', 'sex percentage', 'dwarfism associated haplotype', 'genomic region located', 'trait grid search', 'texel family', '392g sc purpose', '02 79', 'width carcass leg', 'inter cross', 'breeding program low', 'site sox6', '009 fatness color', 'piglet avoid boar', 'score moisture percent', '462 day', 'feather width breast', 'analysis showed missense', 'wide suggestive association', 'selected tagging', 'influencing qtl', 'cow performing genome', '14 subclinical', 'association result reported', 'overlapping qtl chromosome', 'fatty acid bf', 'combining fixation index', 'contiguous marker intervals', 'protein asn570lys association', 'cyp2j2 gc snai2', 'imf hanwoo', 'medium density collectively', 'proximity suppressor glucose', 'sequenced animal considering', 'gwas 16th', 'dermal melanin', 'indicates relationship trait', 'health received considerable', 'region developed', 'embryo length', 'sequencing eps8', 'highly significant chromosome', 'marker vrtn', 'assessed analyzed correlation', 'trait evaluation deregressed', 'located chromosome ssc', 'revealed moderate', 'affected percentage', 'sequencing genotyping technology', 'present complete genome', 'map program phenotypic', 'bp bovine', 'mass identified', 'gene enriched', 'fayoumi broiler', '716 sample', 'myog breed 8308', 'merit f1 cow', 'governed element', 'impact health reproduction', 'i199v inferred', 'meat trait', 'scan experiment investigate', 'dna sample 043', 'capacity marbling', 'resistance internal', 'muscle genome', 'directly selection', 'ssc14 novel qtl', 'direct assessment individual', 'identified slick', 'region gene bta17', 'underlie variation cattle', '18 46', 'pathway analysis ipa', 'variant moderate', 'basis 2007 previous', 'expression level mature', 'ld helped', '17 chromosome detected', 'detecting region', 'spermatid implicated spermatogenesis', 'hypothesized correlation', 'bovine genome control', 'sequence snp 2446', 'sire used produce', 'suggested meat', 'used ci', 'variance economically', 'critical embryo development', 'association longitudinal ew', 'condition control', 'heifers population 195', 'adapted cattle criollo', 'detect pleiotropy boar', 'scan identify map', 'population variance component', 'downstream candidate', 'pig aim', 'bft2 backfat weight', 'lead premature', 'major cause', 'chicken ecotypes companion', 'marker adjacent gene', '947 kb', 'family french trotter', 'mechanism underlying body', 'determined progesterone level', 'sugar milk expression', '047 dlgap1 092', 'bovinehd1400007259 10', 'indigenous broiler', 'drum thigh', 'dik0079 rm006 developed', '05 ghsr rs16675844', 'dna 000 non', 'paper report meat', 'spp1 abcg2 ibsp', 'using standard refined', 'signal region', 'facilitate identification underlying', 'conformation scoring lastly', 'origin haplotype qtl', 'implying commonality study', 'relevant quantitative trait', 'teladorsagia circumcincta larva', '474 159 649', 'animal selected footrot', 'backfat sus scrofa', 'ccr2 bta22q24 previously', 'profile include eci2', 'panel assessed', 'autosomal quantitative trait', 'trait locus qtl', 'rate genotyping', 'height human cattle', 'snp population', 'pp fp fertility', 'effect bone', 'provide preliminary', 'female fertility growth', 'bull born 1955', '0001 associated average', 'receptor present', 'gap refined', 'ssc6 ssc8 ssc15', 'obtained smd mcmc', 'mass decrease onset', 'effect region located', 'hatch time developmental', 'v6a genotype', 'used analysis individual', 'namwon chonbuk province', 'white 142', 'partial imprinting qtl', 'position qtl', 'result revealed novel', 'selection production', 'ssc7 respectively suggestive', 'infection result presented', 'absence level', 'cow result bull', 'identified variation abhd5', 'immune study', '1b avpr1b', 'mapped qtl close', 'compared allele 01', 'md significant economic', 'phkg1 revealed', 'triacylglycerol hydrolase activity', 'small genotype genotype', 'native pig breed', '8209 1791 8630', 'recorded boar genotyped', 'role mediating negative', 'panda 96 sheep', 'mcw145 marker gene', 'highest 200 lowest', 'ratio maximum statistic', '14 nominally associated', 'complementary genetic', 'association snp duplication', 'cross genome scan', 'effect trait order', 'genotype phenotype relationship', 'level plasma milk', 'used scan comprised', 'record individual ewe', 'resistance scottish blackface', 'ibd probability unlinked', 'entering scale sce', 'population founder', 'bw 550', 'scale intercross', 'ssc7 683', 'potential important contributor', 'level bmp15', 'pparg cebpa gene', 'imf producing pork', 'duroc erhualian f2', 'score used', 'frequency test', 'obesity biological pathway', 'type chicken method', '42 59', 'adg backfat thickness', 'significant difference identified', 'linkage versus pleiotropic', 'enable effective selection', 'indicating increase power', 'goal building panel', 'signification level addition', 'number somatic cell', 'region 169 23', 'identified positional', 'hsf1 malonyl', 'homozygosity roh identity', 'level serum', 'urine faecal', 'significant snp smma', '44 vartnb significant', '251 bp', 'marker associated ovulation', 'control variety included', 'exerts large', '14 effective', 'mrna expression cyp21', '12 qtl meat', '02 holstein friesian', 'analysis required confirm', 'family genotyped 36', 'phenotypic variation age', 'map qtl using', 'map qtl phenotyping', 'trait additional marker', 'ld genetic', '14 high density', 'study examined 93', 'presence severity', 'quality ph', 'eqtl colocalize', 'cow milk composition', '333 47 trait', 'dependent season', 'family region', 'gene sire dna', 'body weight hatch', 'program used conduct', 'age 10 12', 'gcta tool result', 'additional analysis based', 'genotyping array using', 'intron camkmt gene', 'pepsinogen level pep', 'problem pig', 'reproduction sheep lead', 'influence trophoblast', 'resolution 22', 'pgf expression reported', 'prevalence 87', 'genetic effect chicken', 'pre horse variant', 'py genome', 'regulate dlg1 known', '433c allele', 'known titin cap', 'concluded novel', 'proof reliability increased', 'using goatsnp50', 'fat correspond', 'required heifer', 'gwas undertaken sample', 'indicating profitability animal', 'trait ssc10 60', 'threshold 2e 05', 'conception bf 30', 'suggests 2379t effect', 'genetic group beef', '166 son', 'screened marker associated', 'calpain capn3', 'lm bw cattle', 'breed polymorphic', 'promoter reporter', 'region trait', 'homology yeast', 'wide significance additional', 'pig region genetic', 'day age approach', 'qtl larger sample', 'daughter high low', 'sc dr srb', 'distributed 14', 'multimarker regression model', 'beta type receptor', 'change affect', 'nematode resistance conclusion', 'genome data angus', 'imf method genome', 'bft marbling score', 'variant myostatin allele', 'locus chromosome 16', 'clustered distinctly analysis', 'weight postnatal', 'cplx1 conclusion study', 'sampling variance', 'minolta color', 'pietrain family challenge', 'expensive measure', 'effect joint analysis', 'pattern snts', 'narrowed region', 'prevalence 10', 'possible incomplete exposure', 'using linkage disequilibrium', '35 cm 16963', 'oc pof', 'produced mating holstein', 'farm ireland united', 'total glycogen ssc1', 'identified pig marker', 'qtl region provide', 'formation xinghua chicken', 'maximum significance 58', 'thirteen original qtl', 'born later', 'concentration interleukin il2', 'cause disease', 'region 22g', 'reproductive research used', 'bovine taurus', '45 789 snp', 'statistical method', '10 south', 'data nelore population', 'association body weight', 'clear study', 'small portion phenotypic', 'snp bta 14', 'qtl 17', '955 marker weighted', 'simultaneously detected', 'rock rhode', 'size related skeletal', 'genomic breeding', 'pigmentation phenotype', 'using blupf90', 'vertebral number repeatedly', 'btb study', 'muscle drumsticks', 'wise value', '26 gene significant', 'line high line', 'ass potential', 'qtl defined mb', 'col4a6 candidate functional', 'fp bta', 'map abcg2 ovine', 'cc tt', 'quality including taste', 'transcript eqtls', 'vitamin rdhe2', 'permanent environment effect', 'marker fbn14', 'method herd 850', '46 1033', 'detected using iberian', 'cmp composition montbéliarde', 'month qinchuan', 'stress conclusion result', 'esr1 672c', 'result indicated individual', 'study conducted detect', 'acid concentration 100g', 'determination different', 'finding effective', 'bactericidal permeability increasing', 'duroc founder respectively', 'compared gca 01', 'locus evidenced study', 'resistance distributed', 'identified snp harboring', 'marker economically relevant', 'study association locus', 'trait rarely investigated', 'protein corrected milk', '245 holstein', 'ranged 27 hereford', 'identified gga12', 'haplotype displayed', 'locus additional', 'detect polymorphism target', 'mapping qtlmap genome', 'programme beef cattle', 'sub sample broodstock', 'pedigree likelihood putative', 'discovery compared', 'divergent chick', 'wide significant 05', 'significant association promoter', 'trait platelet trait', 'gpc6 gli1 associated', '05 snp caused', 'multiple comparison controlling', 'center production', 'qtl affected', 'identify potential single', 'targeted snp based', 'profile snp', 'milk production using', 'subjective classification', 'quality growth', 'variant moderate linkage', 'fragment candidate', 'serum starvation induced', 'genotype produced milk', 'season 001 flock', '370 number', 'region selected based', 'genotyped 373', '2007 2012', 'exploiting porcine', 'indel isu berkshire', 'phenotype chromosome', 'reproductive longevity trait', 'distinct animal', 'following contortus challenge', 'architecture lowly', 'useful strategy qtl', 'weight previous', 'suppression involved regulation', 'gender interaction analysed', 'load rainy', 'influenced genetic environmental', 'indicated polymorphism perilipin', 'response handling collected', 'scd gene encoding', 'trait australian', 'salting highly', 'interval ci post', 'association salmonella resistance', 'control salmonellosis demonstrated', 'function mutation flavin', 'population 238 gene', 'qtl study highlight', 'pco2 po2 base', 'ppara pik3r1 pla2g12a', '14 18 qtl', 'data granddaughter', 'total 239', 'including significant fdr', 'ketosis available dairy', 'affect bovine', 'fat development guide', 'investigated non synonymous', 'population chromosome', 'despite able', 'ubl5 am950288', 'scoring osteochondrosis', '443 snp', 'haplotype location overlapped', 'fatness region chromosome', 'ratio carcass cross', 'resistant 200 susceptible', 'qtls mt', 'located exon 19', 'sex limited trait', '22 751 039', 'bt bos indicus', 'association 05 remained', 'rdhe2 carotene 10', 'twinning rate low', 'rxfp1 fam198b tmem144', 'reduced growth rate', 'interval containing', 'mean platelet', 'ca serum', 'gamma enhance', 'segregating line selected', 'lrp1b somatic', 'echs1 protein single', 'variant fat tissue', 'role porcine reproductive', 'including transcription', 'breeding programme allows', 'study needed validate', 'density snp marker', 'level suggestive genome', 'protein milk', 'ssc7 merit', 'variant haplotype breed', 'heterosis previously', 'sample detected chromosome', 'polymorphism linked', 'allele bta14 summary', '15 using', 'day animal', 'locus genotyped large', 'current breeding effort', 'animal greater level', 'hen divergent', 'association lda nominal', 'hanwoo cattle study', 'bull estimated using', 'trait qtl associated', 'using approach', 'result hg lg', 'genotype 70 marker', '34 52', 'carcass fat related', 'genetic effect growth', 'snp rs107856757 rs107856818', 'sequencing synonymous', 'fprs increase statistical', 'comb mass whilst', 'framework integrating multiple', 'ibsp ocln pccb', 'different pc conclusion', '1171 animal genotyped', 'genotype related bl', 'window 20 adjacent', 'association postweaning growth', 'explains substantial proportion', 'impact protein structure', 'snp calpastatin gene', 'completion bovine', '1313 cattle seven', 'lpl key', '12 linkage', 'inbred line cross', 'muscle fat bone', '200 significant', 'role bta', 'spp1 isg20', 'bta20 key chromosome', 'achieve enhanced genetic', 'growth improved meat', 'diagnosed based clinical', 'haplotype characterized pronounced', 'declared significant', 'showed fixation', '05 growth', 'screening following criterion', '19 microsatellite', 'intramuscular fat', '182 microsatellite marker', 'associated chicken', 'factor binding', 'pool tail trait', 'fcr genome wide', 'module eigengenes confirming', 'pak prediction', 'fatness investigated', 'width number', 'growth region analysed', 'immotile short', 'trait measured end', '10893a statistical', 'demonstrated linkage mapping', 'trait khorasan', '83 80 72', 'pleiotropic closely linked', 'health score clinical', 'selected epidemiological', 'lastly assigned', 'linkage reveal genetic', 'distributed half sib', 'milk recording', 'previous study single', 'cm linkage', 'effect include zero', 'molecular technique chicken', 'trait specific qtl', 'region including taurine', 'containing 28', 'genome 60', 'genotyped presence l1', '16 chromosome significant', 'high low ebv', '23 telomeric end', 'suggested association', 'danish dairy', 'relevant structural', 'failure maternal behavior', 'rdw data analyzed', 'udder conformation', 'procedure used analyze', 'suggesting mutation', 'guanylate kinase domain', 'value 4e', 'snp close qtls', 'functional candidate related', 'study order', '488 individual available', 'ci 13 cm', 'association study muscle', 'tgc 241x tga', 'effect disease status', 'associated endoparasitic infection', 'haplotype bw', 'ayrshire jersey', 'qtl affect body', 'gene placental intestinal', 'fat trait qtl', '2012 snp', 'combined sire seven', 'food security income', 'virulent response', 'regulation porcine skeletal', 'difference somatic cell', 'using 39454 single', 'atpase genetic', 'tumor evidence', 'value using maximum', 'set 856', 'dock7 gene protein', 'c14 jb1', 'persistency peak result', 'reflecting effect', 'nitrogen phosphorus ratio', 'efficiency map qtl', 'male offspring data', 'large white sow', '1260 individual born', 'srebf1 pla2g7', 'chicken complex economically', '113kg marker', 'weight bw breast', 'glm gene', 'non additive', 'process enable bovine', 'bta somatic cell', 'antibody significant positive', 'taint compound 46', 'generation estimate remaining', 'chinese sutai', 'angus data', 'pleiotropic effect boar', 'enhance host', 'trophy status north', 'km time', 'boost gene identification', 'frequency genotype 413', 'columnaris infection', '79 deletion insertion', 'female fertility qtl', 'addition 49 snp', 'ability non yield', 'gg27 qtl', 'using fecal culture', 'main haplotype', 'building consensus', 'method used qtl', 'benefit implementation', 'affecting mdv', 'genome location gwas', 'size sow different', 'located position 62', 'pcr using', 'regulatory binding', 'value vrtn', 'combination information', 'ssc10 60', 'higher slaughter', 'c14 c14 content', 'similar large', 'dairy cattle indicating', 'response especially week', 'total fiber', 'selected genotyped using', 'chromosome multiple qtl', 'mc1r identified susceptibility', 'detected 21 chromosome', 'level gwas', 'little success', 'ssc6 qtl associated', 'trait 03 10', 'differentiation energy', 'provide solution', 'reference population', 'phkg1 dgkz sod2', 'composition trait cross', 'correlated reproduction trait', 'component linkage analysis', 'information 276', 'pce qtl', 'resolution map', '622c carrier haplotype', 'express based', 'investigate genetic', 'supported existence', 'rfi total 150', 'feather growth exist', 'identified snp located', 'ossification far important', '194 144 gene', 'associated effect located', 'snp located primary', '17 349 snp', 'deposited adipose tissue', 'analyzed 39 meat', 'gene including vrtn', 'approach single snp', 'determined independently', 'associated wool production', 'a4 hydrolase', 'mc4r taqi genotype', 'examine association', 'pig furthermore finding', 'rhesus monkey', 'consisting 100', 'gene fragment', 'identify locate qtl', 'bta6 close', 'color qtl polymorphism', 'horse breed fixed', 'muscularity shoulder', 'modify milk fatty', 'located matn1 cpvl', 'age collected', 'associated mir206 mir133b', 'tmem145 cic', 'gwas showed significant', 'similarity 73', 'based genome', 'candidate gene mainly', 'induces apoptosis', 'region identified worthy', 'sixteen known gene', 'parental population iberian', 'scan included 172', 'grade 25 cm', 'mutation underpin genomic', 'mean minor allele', 'multibreed gwas performed', 'genetic variance milk', 'study map', 'bone health addition', 'combination interval', 'statistical false positive', 'data dna animal', 'showing microtia', 'season age', 'family non inbred', 'ca genotype', 'haplotype frequency major', 'kidney small', 'trait multimarker', 'control fewer', 'gene avpr1a exploited', 'compared bos taurus', 'gene region slc22a18', 'intron 2834c 3533t', 'mastitis affecting trait', 'fa composition fat', 'observed animal inheriting', 'utility using', 'gene lipid metabolism', 'difference influencing expression', 'development functional', 'remodeling property associated', 'af qtl region', 'olkuska sheep', 'affect imf addition', 'analysis experimental pig', 'qtl trait beef', 'chip md imputed', 'gene result detected', 'result indicate combined', 'alive birth', 'review advancement quantitative', 'breed cluster', 'health disorder dairy', 'notably analysis', 'size metabolic trait', 'circumference withers height', 'gdf8 snp beneficial', 'analyze data approach', 'crossbreds meishan', '26 27', 'bta6 bta9 analysis', 'gene clinical subclinical', 'parent bird', 'porcinesnp60 genotyping', 'qtl female fertility', 'opposite homozygote affecting', 'slc17a4 linked', 'defect mapping', 'gene involved hematological', 'second farrowing reduced', 'value 26', 'family association', 'influence aforementioned snp', 'shedding marker', 'count mean', 'analyzed specific coagulase', 'famous large body', 'ih overall breed', 'change haemonchus contortus', 'population confirm', 'determine physical location', 'rs412986330 recombination', 'sire breed angus', 'suggest body', 'verified coimmunoprecipitation immunohistochemical', '0064 aimed confirm', 'increased ndv', 'chromosome 20 quantitative', 'adfi detected season', 'reflecting complex', 'qtl different trait', 'hpaii cast', 'smma known qtls', 'outbreak analysis second', 'luciferase reporter gene', 'mean genomic', 'type hs qtl', 'incidence notably', 'metabolic disorder affect', 'pecker active open', 'bw49 70', 'chemical trait', 'ionized sodium na', 'marker number posterior', 'software result identified', 'yorkshire berkshire', 'result revealed activity', 'qtl contrast 24', 'selection milk coagulation', 'consumption performed', '15 observed', 'pod effect', 'sscp used look', 'small preventing', 'age harboured', 'sck2 identified reported', 'analysis total 470', 'lameness bos taurus', 'model included random', 'gga5 gluc', 'elongase related novo', 'polymorphism provide valuable', 'performed pilot', 'score sc mapped', 'modified linear mixed', 'wfe detected', 'percentage tt transition', 'bilateral convergent strabismus', 'needed elucidate', 'detected 600', 'model leukemia', 'coa diacylglycerol acyltransferase1', 'mapping revealed main', 'structure analysed using', 'trait correlated sow', 'increasing litter', '05 snp cart', 'measured real', 'association analysis regressors', 'promoter region porcine', 'reproduction performance sow', '323 bull scored', 'draft sequence bovine', 'reported beneficial future', 'chip firstly genome', 'marker association analysis', 'belclare cambridge', 'asia loss entire', '18 bta18 present', 'c105331a snp2 g105521a', 'crucial candidate', 'g142a exon3 a11471g', 'genotyping offspring', 'wt 22 greater', 'ibdv marek disease', 'gelbvieh panel consisting', '39 significant', 'region harbour', 'chromosomal region study', 'enhanced association significance', 'enrich knowledge', 'red jx', 'adopted analyze', 'ssc18 laiwu pig', 'beta superfamily', 'associated social reproductive', 'association genomic', 'aim current', 'nominally significant', 'activity ratio', 'identified tissue including', 'underlying swine immune', 'head carcass weight', 'carcass weight dominant', 'tf binding', 'appear head', 'based result scope', '236 12', 'culled die clinical', 'main epistatic', 'imputed wgs', 'non coding snp', '622c furthermore snp', 'index line nil', 'ph ssc4', 'study using porcine', 'lean spectrum using', 'genetic architecture phenotypic', 'objective dairy', 'musculus longissimus muscle', 'gbrowser http', 'qtl chromosome possible', 'parameter essential characterization', 'shd adiposity gga4', 'important component', 'bacterial count caecum', 'marker sixteen', 'nucleus includes', 'associated harness racing', 'novo synthesized', 'association stearic', '10 25 strongest', 'candidate chromosomal region', 'phenotype relating glycolytic', 'affected cattle treatment', 'type mmtv', 'alternative feedstuffs', 'basis fatness', 'genotypic probability', 'occurrence osteochondrosis polish', 'gprc5a ddx47 tcf9', 'novel snp nc_007324', 'using alternative feedstuffs', 'rfi 05 genotype', 'allele display', 'fat 01 important', 'related salmonella resistance', 'interaction snp', 'fasn scd region', 'belonging charolais', 'method increasing overall', 'affect kosher status', 'analysis observed snp', '28 40 additive', 'bias based rna', 'marker density', 'breast meat yield', 'qtl 820 meat', 'diarrheal pig study', 'em female rt', 'polymorphism identified individual', 'loin colour redness', 'horse tested', 'quality poultry', 'region oar marker', 'marker possible pleiotropic', '98 purebred major', 'dominance deviation resulted', 'map sscrofa10 italian', 'furthermore feasible shear', 'expected progeny', 'ewe university', 'pig imported western', 'challenge laying', 'addition snp gene', 'mainly expressed liver', 'cross week age', 'portion trait', 'eca4q significantly associated', 'normal horned male', 'reducing incidence', '97 chimpanzee 97', 'associated thymus weight', 'determined 435gg 447aa', 'marker intergenic', 'bcs bta7', 'phenotype categorical trait', 'approximately 105 day', 'challenge month', 'erythrocyte meat spot', 'result identify genomic', 'effect limited', '1n value chromosome', 'behavior provide', 'weight commercial', '1217 non redundant', '94 82', 'marker bovine chromosome', '25 subclinical', 'sequence entire', 'sentrin specific protease', 'qtl polyunsaturated', 'study genetics cattle', 'genomic variation vertebra', 'respectively comparison', '1310 lamb', 'mechanism involved relationship', 'individually exceed', 'signal sheep', 'located dach1 gene', 'mixed effects', '1447 fish kg', 'correspondence location significant', 'egg black', 'important verify', 'pp fp rule', 'compared meishan duroc', 'gestation length birth', 'variance component estimate', 'study popular ghanaian', 'longevity sow', '13 genetic', 'cpvl hyal1 xirp2', 'essential success pig', 'obtained absence', 'ci qtl overlap', 'survival genotype challenged', 'igg production', 'protein ovarian function', 'different granddaughter', 'qtl different family', 'region scd gene', 'genomic scan identified', 'marbling score moisture', 'population gene', 'tissue remodeling involution', 'variation identified potential', 'revealed ghr polymorphism', 'allele 64 log', 'based genomic inflation', 'gga3 beard wattle', 'poultry result considerable', 'cosegregation genetic', 'information complement', 'productivity possible strategy', 'challenging interpret recent', 'trait furthermore lg', '144 kg se', 'chonbuk province korea', 'field disease data', 'mammal novel qtl', 'prospective fine', 'detected gelbvieh', 'quality control analysis', '170 male', 'duroc pig showed', 'extended homozygosity region', 'component btb susceptibility', 'production chinese indigenous', 'design unlike', 'yield 79', 'iv hypersensitive', 'located 44', 'kg milk fat', 'content intermuscular', 'large ear', 'phenotype useful genome', 'protein siva1 respectively', 'important trait marker', 'showed genetic', 'segregated early', 'prediction accuracy largest', 'allow distinguish', 'chromosomal region reported', 'month adg6', '10 12 gpat4', 'length chromosome', 'statistically indistinguishable', 'significant reproductive role', '2708 offspring', 'background cattle', 'trait chromosome result', 'number vertebra pig', 'region included', 'fe complex', 'tno 01', 'analysis pig utmost', 'inherited maternally apparently', 'f4ab f4ac vitro', 'major effect reveal', 'scheme quality', 'pooled genomic', 'chromosome egwas identified', 'storage disorder previous', 'depth area longissimus', 'strategy using', 'beadchip result total', 'postmortem lm', 'f2 cross 960', 'meat quality mutation', 'breeder association triplet', '86 cm ssc15', 'rfi validation study', 'gas identified', 'weight result', 'uncover genetic architecture', 'concentration mchc 10', 'swedish holstein grandsire', 'sire daughter calving', '29 viral load', 'significance tested hypothesis', 'susceptible developing', 'bonferroni correction based', 'sire evaluation experiment', 'compared effect', 'enzyme mainly', 'marker molecular breeding', 'composition recommendation use', 'hgd gene polymorphism', 'lm population', 'allows detection qtl', 'gain insight number', 'locus displayed', 'intercross population detect', 'rn 115 cm', 'reproduction population nellore', 'sire randomly sampled', 'trait analyzed qtl', 'bw gain kg', 'role demographic event', 'variant milk production', '008 04', 'orthopedics severity index', 'rate identified positional', 'association racing performance', 'present experiment extend', 'serum ige colubiformis', 'region subtraits', 'foal breed including', 'specie present quantitative', 'region associated meat', 'region number interleukin', 'associated white', 'frequent red junglefowl', 'time igg1', 'quality emphasized', 'permuted logistic regression', 'strategy prioritize genotype', 'infected population', 'gdf5 involved development', 'snp chip data', 'female genome', 'autosomal chromosome total', 'ruminant milk synthesized', 'grunniens bos', 'bmp af', 'pony association', 'response stress', 'fat tail commonly', 'involved activity calpastatin', 'intolerant 10', 'cm2 approximately cm', 'mesh library', 'large percentage', 'defined female estrus', 'lod 51 18', 'absence quantitative difference', 'breed data', 'study embryonic mortality', 'specific effect moderate', 'ff qtl', 'phenotype current', 'indicating genetic', '1101a 0006', 'permutation test conclusion', 'dermal shank pigmentation', 'collected generation', 'equine genotyping array', 'trait furthermore', 'genotyped 13', 'compare performance marker', 'population associated', 'economy breeding', 'trait undertook detection', 'viremia 21', 'able refine localization', 'depth european', 'grouped stallion', 'identified missense mutation', 'region located near', 'fp detrimental', 'western modern', 'fertility study involved', 'strongly associated bw70', 'ne 11', 'related skeletal qtl', 'single snp regression', 'swedish coldblooded trotter', 'affect internal parasite', 'putative qtl reproductive', 'significant marker 33', 'encoding heart', 'human animal', 'smaller subset', 'le 11', 'muscle performance', '577 animal white', 'test analyzed', '137 marker', '26 based', 'c10 pufa content', 'evoke enhance', 'strategy hypothesising', 'consumer meat', 'microrna target sequence', 'new qtl finding', 'inositol phosphatase hydrolyzes', 'associated appearance condition', 'pig selection program', 'female body weight', '173 snp 53', 'variation importance qtl', 'located position imprinting', 'related glycolysis increase', 'bf 150 210', 'animal partially inbred', 'haplotype constructed', 'dietary need', 'region bta04', 'brazil tropical country', 'fshr gene positional', 'finding strongly', 'tightly linked gene', 'variation abhd5 associated', 'mb sck2 identified', 'protein content ab', 'lower shear force', 'play role causing', 'reason genetic', 'weaning bta 29', 'area rea lower', 'chinese erhualian pmsg', 'variance compared', 'scan mastitis', 'opportunity exist', 'issue bovine veterinary', 'reveal genome wise', 'neutrophil neu', 'analysis model candidate', 'sensing regulating', 'map fmo1', 'novel indels untranslated', 'tibia length bw42', 'analyse dlk1 meg3', 'enabled detect 12', 'expression assay', 'association provide', 'near nln', 'respectively age', 'daughter analyzed quantitative', 'pig ultimately reducing', 'associated genetic estimate', 'locus qtl left', 'mutation segregated population', 'composition energy', '53 insertions', 'phenotypic low moderate', 'function mchr1', 'porcinesnp60k beadchip', '53 qtl test', 'china 19 significant', '98 conclusion result', 'tgfβ superfamily negative', 'weaned 10 suggests', 'white fat cell', 'estimated 52', '17 55 10', 'cattle using', 'stage identified', 'average curvature', 'fitting mixed random', 'affect trait result', 'implying existence common', 'oc estimate 29', 'fatty acid moderately', 'restricted gene enrichment', 'total 139', 'attachment chromosome', 'fat 172 prt', 'complex trait determined', 'fec chromosome 13', 'carefully result sensitive', 'showing sufficient linkage', 'different sample size', '105 weight backfat', 'white pig method', 'individual thought account', '1574a snp', 'mastitis common expensive', 'candidate calving performance', 'phenotypic variance control', 'line fsil elite', 'involves different cross', 'cnv12 adjacent significant', 'gwas cow resistance', 'model carried', 'month age second', 'trait addition', 'increased protein percentage', 'tc higher', '05 lr', 'lipid related gene', 'background unknown previous', 'brings big economic', 'previous cattle', 'yield decreased 305', 'assessing productivity', 'furthermore animal likely', 'total 10 gene', 'trait meta', 'observed em', 'demonstrated complete', '02 40', 'percentage chromosome', 'snp cart', 'unique opportunity decipher', 'fertility implemented', 'snp07 snp31 showed', 'genetically altering', 'roan locus kit', 'population fatty acid', 'targeted single', '591 988', 'bayesian approach implemented', 'bta14 91', 'lei0071 identified study', 'population qtl carcass', '12 qtl region', 'igf1 significantly', 'mouse gene predicted', 'mapped 126', 'steer korea', 'association result indicated', 'dna 12 unrelated', 'line association', 'weight afw', 'qtl ssc2', 'performed qtl bta', 'modifier locus subtly', 'exon significantly associated', '57k snp panel', 'management contemporary', 'encoding deduced', 'cortical bone density', 'fertility body conformation', 'variant classical fertility', 'finding contrast markedly', 'result putative', 'oar2 previously', 'design applied', 'animal representing 11', 'production semen boar', 'associated high h2', 'gene play', 'effective determine', 'suggests muscling', 'piglet born alive', 'favourable percentage', '17β estradiol', 'mrna structure stability', 'phenotype better understand', 'acaca stearic', 'g593a affected en', 'mouse strain addition', 'marker understand influence', 'trait mechanism', 'management country population', 'based score', 'performed identify association', 'indirect qtl', 'conclusion identified', 'showing consistent', 'associated decreasing', '33 quantitative', '48 cm', 'crispr cas9 crossbreeding', 'exceeding threshold', 'linkage group identified', 'biochemical activity protein', 'effector phenotypic', 'study 854 german', 'arq vrq susceptible', 'central injection', '40 436', 'snp association chromosome', 'trait angus brangus', 'weakness identified', 'confers higher conception', 'percentage 57 university', 'approach offered greater', 'enzyme cellular biosynthesis', '14 21', 'chosen daughter constructed', 'study determine physical', 'heritability variance partitioned', 'infected animal prnp', '16 month age', 'ssc5 spanned', 'variety animal', 'effect estimated qtl', 'identified region probably', 'performed boar population', 'region adipoq gene', 'condition ph', 'hub harbored individual', 'quality using', 'variant qtl bovine', 'analysis differing approach', 'snp annotation', 'weight hatch', 'snp panel day', 'boar large', 'chinese cattle', 'arranged distinct fabp5', 'qtls 05', 'pp milk somatic', 'underlie effect', 'genetic variation prrsv', 'zn 404 dh', 'oleic acid', 'snp leptin receptor', 'based elite', 'homeobox lbx1', 'count including', 'additionally genome', 'age immune', 'carrier frequency', 'needed using genetic', 'porcine cart gene', '20 lod affected', 'yielded result', 'substrate cbs', 'consequence missense', 'af previously', 'imputed animal', 'study determined', 'using regression', 'snp3 individual', 'broiler leghorn cross', 'liver muscle important', 'library hypothalamus', 'calving trait fdr', 'bin1 herc3 herc5', 'gushi anka chicken', 'implementation selection', 'number individual marker', 'implying multiple gene', 'fact agreement fourfold', 'neutrality reduced median', 'suggest bovine bmper', '17507a larger lma', 'validated genomic annotation', 'lyz non annotated', 'genetic control population', 'population sixteen', 'dgat1 primer introduced', 'saxon thuringian south', 'ssc8 rs81434499', 'calving ease service', 'identify associated genetic', 'including gestation length', 'help confirm finding', 'quality control data', 'identified linkage mapping', 'roan phenotype', 'insect bite', 'single locus regression', 'gc snai2', 'factor iif polypeptide', 'qtl allele putative', 'weight snp ssc6', 'assistance required', 'spata31e1 notch1 37453246g', 'breed world breed', 'hsp90aa1 map', 'heterogeneous effect trajectory', 'cnvrs covering 245', 'follow distribution poisson', 'mch mcv candidate', 'result association analysis', 'phenotyped 18 skeletal', 'gilt reproductive', 'regardless meat tenderness', '40 monitored', 'architecture underpinning', 'birthweight 002', 'model moderate information', 'boar taint compound', 'stage analysis', 'assembly secretion triglyceride', 'maximum likelihood analysis', '608 531', 'supplementary independent influential', 'development significantly enriched', 'daughter acop chromosome', '297 genotyped 356', 'population 1855', '33 fatty acid', 'content respectively conclusion', 'association analysis random', 'lactation lp2 lactation', 'deal best', 'sequencing technology increased', 'myh2 myh4 snp', 'pedigree based', 'associated juiciness', 'enteric septicemia', 'original ebv single', 'reduction boar', 'zfp90 50', 'differentiation adipocytes', 'randomly sampled', 'binding lp located', 'greater japanese', 'localise quantitative', 'milk fever important', 'shell weight detected', 'polled trait nelore', 'hypothesize predominant haplotype', 'identification susceptible', 'variation proportion casein', 'acid skeletal', 'total 30', 'locus qtl highlight', 'shank growth', '15 significant qtl', 'testing concordance test', 'family average 103', 'age study', 'development male', 'affecting lactose total', 'cattle examine', '0275 simmental 0224', 'research missense', '26 seven', 'change amino acid', 'extreme failed maternal', 'protein bmp5 gene', 'research aimed characterization', 'affect dairy', 'decreased 89 relative', 'muscle outer', 'ovum tno 01', '1e 05 1e', 'desired purpose study', 'set reflected disease', 'derived using f2', 'characteristic myofiber', 'improvement female reproduction', 'variance compelling candidate', 'included multivariate model', 'effect growth development', 'population result major', 'plateletcrit measured', 'mapping suggested foki', 'ovine 50k', 'result showed snp', 'capacity marbling score', 'carried using microsatellite', 'cmi cause intracellular', 'ability generate dam', 'association marker', 'snp bayes factor', 'gene 79 trait', 'using copy', 'approach addition new', 'associated bw ww', 'dataset 469', 'sequence ovine abcg2', 'bull international', 'intra specific', 'ph measured 24h', '2379tc association growth', 'putative signature selection', 'yielded different result', 'overcoming limitation developed', 'reported transversion', 'different meat quality', '10 locus suggestive', 'region 168', 'particularly female sexual', 'role resistance susceptibility', 'comparison result genome', 'trait square', 'porcine protein deduced', 'test implemented', 'chromosome 26 underlying', 'effect fp', 'content longissimus dorsi', 'born alive age', 'fabp psmc1 effect', 'derived population', 'effect snp random', 'experiment study added', 'fecal culture', '17 qtl region', 'gene present associated', 'backfat thickness landrace', 'ester fatty acid', 'intron alpha', '35 qtl chromosome', 'fine mapping total', 'cattle genetically improved', 'mapping lepr leprot', 'parasite tolerant breed', 'strength population substructure', 'female total 13', 'number phenotyped', 'quality marker assisted', 'ah haugh', '001 proportion total', 'bird response heat', '226 number', 'analyzed include', 'total finding', 'result strongly', '05 relative contribution', 'study lead better', 'higher pparγ allele', 'dissecting genetic architecture', 'polycerate ppp1r11 gabbr1', 'mirnas intriguingly', 'dual ray', 'polymorphism conservative suggests', 'production trait fat', 'underlie qtl position', 'supported lack', 'weight reached weight', 'analyzed sci bci', 'trait disease', 'nppc mthfr ephb2', '02 06 ww', 'study represents', 'bull mixed', 'laying rate', 'sire line association', 'ltl phult', 'developed breed analysis', '11 different', 'gene participate cell', 'understand eye pigmentation', 'transcript variant cd46', '0001 abdominal fat', 'candidate gene genomic', 'disease usually design', 'physiological relationship trait', 'ai ram', 'illness puerperal psychosis', 'meat quality iberian', 'difficult identify ketone', 'discovery population', 'identified prl', 'play role mastitis', 'reciprocal cross korean', 'thesis pig', 'structuring study population', 'py milk fat', 'current annotation bovine', 'respectively high correlation', '01 analysis', 'breeding scheme hanwoo', 'line brown', 'composition melting', 'evolutionary biology', 'resulted amino acid', 'influence polygenic inheritance', 'sd backfat', 'surrounding gene affecting', '15 16 opposite', 'associated fcr phase', 'polymorphism sanger sequencing', 'population displayed high', 'respectively ax 428357234', 'exon annexin', 'random environmental', 'level gwas revealed', 'substitution 42895 genotype', 'trait australian lamb', 'growth factor binding', 'missed approach', 'genetic analysis human', 'able suggest new', 'cyb5a gene', 'rao case analyzed', 'qtl region bovine', 'method 24 mb', 'ratio 0001 conclude', 'animal original', 'variance component methodology', 'androstenone regional', 'stallion effect', 'weight adjusted leg', 'protein 259 amino', '13 18', 'difference gene', '25 25 mb', 'qinchuan simmental luxi', 'majority significant snp', 'resulting phenotypic', 'beadchip previous analysis', 'higher intramuscular fat', '017 meishan allele', 'family fat percentage', 'noncortical bmd', 'r2 autosome', 'elovl6 scd', 'significance marker', 'prediction accuracy', 'grandparent white', 'responsible dilution eumelanin', 'resistance gwas result', 'landrace sire', 'snp chromosome 20', 'population evaluate', 'genotype brangus cattle', 'breed high quality', 'fecx fecx gr', 'similarity genetic', 'confidence bta1', 'index different', 'reaching suggestive', 'finding support', 'pmsg hcg', 'unacceptably tough', 'loc787057 service sire', 'breed oh', 'time suggestive', 'chromosome highly significant', 'verify influence selection', 'boundary bovine', 'result validated using', 'body index', 'detect pig', 'calving trait identified', 'significant increase', 'examined strong', 'rock rhode island', '417 bp', 'strain paternal', 'developed genotyping', 'pig performing qtl', 'effect 269', 'region identified region', '497 multivariate', 'confirmed carcass', 'revealed uterine ovarian', 'investigate meat', 'identified association snp', 'case reduce', 'known low', 'porcine muscle fatty', 'snp position nt', 'lay preliminary foundation', 'sheep breed clustered', 'candidate horn', 'romanov breed conformation', 'span 21 mb', 'analysis result revealed', 'allele frequency genotyped', 'genome present', 'type ii', 'kg 01 milk', 'locus mixed effect', 'marker used qtl', 'extremely significantly', 'chromosome bac physical', 'long term selection', 'variant showed significant', 'contribute litter', 'qtl general', 'quality trait examine', 'trait seven genome', 'jm strain', 'predisposition common', 'bw 49', 'study exmoor', '12 genomic region', 'identified 116 polymorphism', '0018 222 645', 'phenotype largely unknown', 'chromosomal recombination', 'bw carcass', 'important information', 'nr3c1 transcription', 'performed 96', 'response sge compared', 'average somatic', 'indicated ctnnal1', 'targeted intervention', 'condition additional improvement', 'measured loin smallest', 'tenderness ssc4 ssc14', 'coding region intron', 'result open new', 'suggested 73 signal', '001 exp 001', 'breed polish large', 'disturbance process', 'respectively deregressed', 'difference 12', 'population trait analyzed', 'analysis vca', 'qtl searching', 'animal raised exclusively', 'body pathogen', 'multitrait meta', 'region bta1 10', 'region promising', 'research identification', 'association sequencing gene', 'trait including semi', 'recombination coldspot segregation', 'allele decreasing adipocyte', 'friesian cattle old', 'genomic inflation factor', 'surrounding eye ambilateral', 'progressive degenerative', 'effecting milk production', 'annexin protein', 'day body', 'identified single multi', 'assay radiographic', '0001 carcass', 'rfis biological pathway', 'possibility available animal', 'vicinity snp gene', 'imi integrated', 'gwas map brd', 'effect result qtls', 'ram davisdale', 'tail weight', 'involved interaction locus', 'fy fat', 'newly discovered', 'annotated bovine gene', 'set analysis order', 'snp studied separately', 'strategy controlling gin', 'lower rfi higher', 'association inferred', 'empirical 026', 'breed order refine', 'snp marker indicate', 'pig second qtl', 'sheep population recent', 'shown significant effect', 'high test statistic', 'confidence interval trait', 'identified relation mutant', 'bft rib ssc11', 'marker analysis segregating', '416 microsatellite', 'reproduction conception rate', 'population structure certain', 'collecting milk', 'genotyped horse total', 'information agreement', 'similar genomic', 'result screen genetic', 'genotyped 20 microsatellite', 'genome information useful', '11 possible candidate', 'effect result indicated', 'vertebra economically', '11 45', '05 association', 'expressed est', 'allele israeli holstein', 'improving fertility', 'hormone th', 'candidate causative', 'ability bovinesnp50', 'testosterone estrone', 'pig different state', 'heritable polygenic', 'gga chromosome coincided', 'thickness fatty', 'effect identified pair', 'mechanism contributing significantly', 'abcc10 gene', 'inducer il8 expression', 'lr cross ib', 'mb segment extended', 'calf impaired', 'measure significant', 'report result qtl', 'polygenic sex linked', 'ibmap related animal', 'cattle using genome', 'mapped 55', 'family recently allowed', 'interaction exist random', 'phenotypic status average', '15 000 generation', 'equation significantly affected', 'snp3 snp43 carcass', 'cattle breed reared', 'identified inositol phosphatase', 'ssc6 minolta', 'model included regression', 'trait meishan', 'detected pleiotropic', 'result study indicate', 'respectively window', 'chromosome 19 21', 'level androstenone affecting', 'unique powerful framework', 'strategically remixed', 'test position close', 'irish government', 'fragmentation index', 'newton 002 subsequent', 'marker body', 'ilsts002 bms833 qtl', 'weight explained 53', 'cattle conducted focused', 'warner bratzler', 'snp region oar4', 'step aimed confirming', 'hg bird active', 'exceptionally high', 'behavioral phenotype nonselected', 'situation explain', 'anxa9 fatty acid', 'exon 3691g', '1457 conversely', 'small erect ear', 'highest peak linkage', 'receptor subfamily group', 'mapping total', 'collected sheep', 'study warner', 'maintenance efficiency efficiency', 'thermoneutral heat stress', 'profile family', 'adult parasite burden', 'approach identified promising', 'network using', 'relative mrna abundance', 'trait characterized', 'injection nesfatin', 'project group', 'la 63 significant', 'zinc finger terminal', 'gene disease', 'npd gene', 'characteristic animal fleckvieh', 'gallus gga', 'pietrain family', 'zebu composite beef', 'considering snp chromosome', 'value ebv race', '2807 farrowing record', 'accurate identification candidate', 'viral load dpi', 'perirenal fat injection', 'exceeded experiment wide', 'poultry stock subsequent', 'confirmed factor', '229 lamb', 'sample animal experimental', 'order identify genomic', 'friesian sire pertained', 'accuracy estimated heritabilities', 'genetic correlation level', 'led onset locomotors', 'compromise general', 'medium large', 'targeted region remained', 'analyzed population 578', 'excluded candidate region', 'acid report detection', 'weight belly bacon', 'design trait result', 'close afabp', '05 incidence', 'phenotype massive structuring', 'element supported vrtn', 'milk yield sc', 'pparc1a variant investigated', 'result agreement gene', 'lei0101 used genotyping', 'horse horse', 'animal cross iberian', 'gallus gallus gga', 'qtl bta 18', 'trait mixed', 'population identify qtl', 'fertility fundamental', '62 mb', 'lameness record year', 'receptor alpha', 'associated trait scan', '75 phenotypic', 'test regardless post', 'wrinkle evolutionary selection', 'gwas 20 genomic', 'reared herd natural', 'churra sheep identified', 'affect milk fatty', 'rule possibility', '29 snp mutation', 'investigate possible use', 'help overall understanding', 'limousin bull novel', '45 candidate', 'genome characterized genome', 'age animal', '12 month respectively', 'ssc5 ssc6 bf', 'western origin using', 'examined atp1a1 gene', 'population polymorphism analysis', 'meat quality important', 'summer milk', '10 experiment', 'analyzed included pigmentation', 'gga4 151 160', 'productivity economy growth', 'acaca fatty acid', 'enhance direct', '159 76 significant', 'fmo3 known', 'effect sfd', 'old 01 05', 'known mutation fecbb', 'associated 31 dairy', 'unambiguously reveal', 'sequenom assay', 'bull heritability', 'respectively intercross', 'size allow', 'obtained database', 'sample association agreement', 'domain map underlies', 'ensbtag00000037306 ensbtag00000040351', 'gilt experimentally', 'value 27 trait', 'content chromosome 19', 'identified contained previously', 'uoi joint', 'fat thickness buttock', 'phenotype gene', 'variability lipid', 'heat measurement 01', 'kg dmi kg', 'senepol carora', 'analysis gwa', 'distal marker', '1_86 cm', 'determinant growth', 'parasite specie', 'swiss white', 'bta01 bta02 nrr90', 'acid receptor related', 'differential association incidence', 'term individual', 'gga3 associated', 'rs110125325 rs41652818', 'md imputed', 'susceptibility bacterial', 'sire 41 dam', 'stallion fertility locus', 'snp c16 bta25', 'immune related qtl', 'using f2 backcross', 'using 46 652', 'information physiological', 'variant bmprib bmp15', 'data approach revealed', 'contained qtl milk', 'snp representing qtl', 'powerful canine', 'growth production record', 'genetic analysis workshop', 'role chicken', 'large color', 'piglet avoid', 'plot calculated compare', '10 study identify', 'similar result obtained', 'act binding', 'qtl nominal level', 'higher marbling cd', 'antibody response klh', 'post slaughter processing', 'panel marker', 'rs17664565 oxtr distributed', 'host factor provide', 'hock oc result', 'obtained shadow correction', '10 10 position', 'additional region significant', 'analysis various', 'gga18 ggaz data', 'tt prrsv vaccine', 'number quantitative', 'finding consistent breed', 'protein prt 305', 'dna marker pork', 'rs41919986 c10 c12', 'tiny snp', '29 harbored highest', 'qtl provides new', 'detected 716', 'salami lard', 'considered study', 'factor environmental', 'routinely castrated eliminate', 'later lactation', 'cross genotyped fshr', '12 additional', 'mapped somatic', 'shank refine id', 'allele systematically favorable', 'generation offspring implemented', 'susceptibility association', 'time observed different', 'length pelvis', 'metatarsus circumference 10', 'showed lascs significantly', 'includes transcription', 'value technological property', 'ratio association analysis', 'rt pcr performed', 'rear leg hunter', 'inferred haplotype significantly', 'additional molecular', 'sample cattle variability', 'follicle qtl', 'qtl detected pig', 'region intron gene', 'conclude qtl', 'trait different biological', 'influence backfat', 'observed significant snp', 'variance uc', 'point genome scan', 'positive effect milk', 'tissue weight genetic', 'associated phu false', 'weight pbw', 'seven snp 62e', '05 e3', 'expression level glucocorticoid', 'taste meat', '306 polymorphic microsatellites', 'investigated candidate gene', 'thickness weight trimmed', 'result bovine chromosome', '17 respectively frequency', 'en age', 'sheep junken', 'transcription stat6 gene', 'identify number new', 'fit fewer', 'synthesis catabolism', 'tunel assay', 'indicated change amino', 'marker available', 'effect stallion fertility', 'enterica serovar', 'narrow head', 'region gga', 'identified snp 1326t', 'using marker assisted', 'gene causal mutation', 'leg health', 'ssc17 snp overlapping', 'potential epistatic', 'marker indicate', 'ovary weight total', 'assisted selection hold', 'shown significantly', 'selection improve milk', 'dna sequencing 423', 'transmission risk conducted', 'disequilibrium 90 animal', 'assuming unrelated', 'trait motility', 'market size gene', 'intake rfi defined', 'summary snp', 'suggested 10', 'analysis concluded sscp', 'rtn 19', 'value 89', 'breeding female', 'imi relevant', 'chromosome inra133', 'multiple testing famt', 'previously american holstein', 'ejaculation time ejaculation', 'protein transport process', 'scan included 157', 'including gene ontology', 'vartnb highly', 'behavior performed genome', 'stillborn sb number', 'eqtls trans', 'mechanism regulating rfi', 'bone biomechanical', 'gene 160bp', 'significant qtl parity', 'related fe', 'disease day 14', 'score sc herd', 'gwas approach detected', 'related trait sexually', 'dataset 05 conclusion', 'analysis contributed unique', 'genotype future study', 'identifying 46 single', 'selection covering', 'etec growth', 'underpinning production horn', 'subsequently showed', 'heterozygous smaller', 'loin muscle compared', 'identified chromosomal', 'architecture gwas confirms', 'role tight', 'separated underlying subtraits', 'castrated male', 'population identify', 'genotyped 400 progeny', 'study role', 'suggestive significance level', 'involved broiler', 'good phenotype', 'recombination coldspot', 'variation observed cross', 'cm aim', 'kb shared bearing', 'located near putative', 'specific difference meat', 'family consist 883', 'scd dgat1', 'adaptability finding candidate', 'size nos3', 'increasing country worldwide', 'tissue result obtained', 'population population comprising', 'separately founder', 'porcine autosome single', 'haplotype single', 'aimed investigate genetic', '02 00 17', 'epr qtl', 'significant association influencing', '247 snp associated', 'impact dairy industry', 'model cmlm total', 'technique iii', 'androstenone skatole aim', '15 diverse', 'strain association', 'tc 05 significant', 'genotyping detected snp', 'taint androstenone skatole', 'performance behaviour', 'growth economically', 'frequency higher significant', 'myod1 gene mapped', 'steer bull', 'explain reduced', 'white cross', 'docosapentaenoic acid 22', '16 466 134', 'ssc14 54 mb', 'bp region 34', 'described pigqtl database', 'dfi bf snp', 'kitlg cadm2 considered', 'fat content respectively', 'carcinoma boscc', 'selected reduced', 'horse validated snp', 'distance 17', 'muscle injury pathological', 'cattle genetic resource', 'gg chromosome', 'metabolic disorder', 'hpa axis activity', 'qtl 31', 'wg vl', 'width weight', 'yield genome', 'identify association fcr', 'potential qtl ldrm', 'identified qtl consistent', 'kleiber ratio kr', 'firstly identified promising', '12 30 phenotypic', 'eqtls showed trans', 'rna regulatory', 'set joint design', 'located paternally', 'value derived meat', 'lesion pleurisy', 'mapping sib pair', 'protein complex subunit', 'quality trait validated', 'selection breeding pig', 'composition swine', 'exon psmc1 identified', 'pig implementation', 'control detected 5971', 's0008 influence number', 'determining genetic', 'retained significance', 'protease serine', 'different hsp90aa1 genotype', 'xirp2 gene', 'significance 05 level', '33 03 016', 'artificial selection', 'event descendant', 'effect 18 protein', 'used identified', 'thickness steer', 'gene srebf1', '19 22 25', 'charolais crossbred', 'qtl nominal', 'quality trait suggestive', 'polymorphic site segregate', 'population known q204x', 'workshop 18 data', '1166 correlated phenotype', 'damage associated pneumonic', 'qtl region recombination', 'value estimation', 'white leghorn chicken', 'result gwass performed', 'using 122', 'gene finally result', 'mll area measured', 'genome control', 'industry maintain', 'program commercial', 'investigated stage modelling', '123 candidate gene', 'peipho approach', 'morphologically variant', 'lepr mc4r phkg1', 'finally prominent putative', 'sib family german', 'high snp', 'obtained present', 'kb upstream respectively', 'flock jordan', 'gene csrp3 porcine', 'onset development oc', 'melanoma sinclair swine', '32 60', 'basis degree', 'scan using microsatellite', 'low ebv sc', 'data multiple tissue', 'brody model presented', 'tpte2 epha5', 'respiratory syndrome', 'detect common qtl', 'disequilibrium analysis conducted', 'activity measured dna', 'slaughtered 160', 'showed additional', 'according birth date', 'population phenotypic', 'originated obese', 'result snp c2789a', '12 kr0', 'egg layer factor', 'selection force', 'compare abomasal', 'cattle population association', 'conditional selected', 'analysis sscx', 'recent publication indicate', 'study carcass meat', 'offspring survival map', 'component related', 'exhibited strong linkage', 'pasture based production', 'rising prevalence rate', 'greater carrier compared', 'recombination qtl mapping', 'compared animal genotype', 'mrna controlling poly', 'regarding conformation', 'lpl gene', 'variant effect', 'gene p2x3r play', 'group rsnps nce4', '190g sc milk', '22 studied fatty', 'gene resistance', 'map using cri', 'flanked marker bms483', 'array detect genomic', 'activated myod', 'depends genetic', 'snp used study', 'core sequence', 'function contribute better', 'paper report', 'corresponded approximately', 'tested 131', 'color naturally artificially', 'mb genomic', 'f12 highly divergent', '311a locus prkag3', '24 true effect', 'clrn1 gene', 'commercial line chromosome', 'adg determined', 'srd5a2 loc100518755 cyp21a2', 'hd 465 seq', 'number effect', 'abdominal fat used', 'revealed 31', 'used highly', 'respectively sire marker', 'test included', 'using mean', 'i199v thr30asn t30n', '10 rapid', 'phenotype form', 'technique detect potential', 'female reproductive performance', 'trait future', 'protein fabp4 gene', 'model general', 'furthermore genomic region', 'multiple trait derivative', 'bms833 middle', 'free energy value', '490 cm', 'detected genetic', 'array behavioural developmental', '35 novel', '200 purebred duroc', 'recfat recprotein', 'ssc12 ssc13', 'catfish interspecific', 'polymorphism snp candidate', 'ssc14 ssc17', 'slc30a2 alb', 'highest snf protein', 'obtaining information', 'gene quantitative', 'magnitude direction previously', 'pig heterozygote', 'bta6 replicated chromosome', 'establishment animal model', 'resistance variation', 'large genetic', 'analyzed line', 'bird numerous candidate', 'scale association single', 'muscle tissue rna', 'miescheriana specific plasma', 'pm resistance', 'alter fatty', 'interval cm sire', 'contribute form genetic', 'breed charolais simmental', 'phylogeographic structure balancing', 'sbno2 polycerate ppp1r11', 'study 27 reported', 'bta6 identified', 'increased loin yield', 'intake fi irish', 'important role mediating', 'predictability genetic merit', 'qtl affecting susceptibility', '16 week', 'cm lean', 'gene 83', 'muscularity tm qtl', 'selective dna pool', 'genetic variance trait', 'identified swine', 'influenced fat', 'form encoded', 'gene remain', 'improving trait pig', 'compactness significantly', 'genotyped mapping', 'dairy ruminant', 'difficulty difficulty calving', '18 21', 'composition health', 'conclusion despite parasite', '15 20 26', 'cattle despite', 'marbling yield', 'rxfp2 support new', 'ex1 allele', 'complex quantitative trait', 'consistent qtls', 'located exon significantly', 'population studied conclusion', 'validated sf5', '001 miescheriana specific', 'btb chinese', '01 cecum content', 'genetic architecture innate', 'result required attempting', 'pedigreed rainbow', 'carried using', 'using sequence', 'effect scs', 'finding improves', 'region associated elovl6', 'total 67 genome', 'ewe lifetime kilogram', 'using large scale', 'loin meat 005', 'vicinity gene', 'study included 22', 'yearling weight', 'ligand ldl', 'wisconsin herd repository', 'indicated high carrier', '12 e47w24 e22c19w28', 'total 803', 'cm apart fine', 'furthermore polymorphism gh', 'agpat3 chuk', 'belonging pure', 'cellular structure', 'led gain loss', 'located finally', 'analysis emmax', 'fat trait result', 'level correlated phenotypic', 'additive association', 'phenotyped 68 growth', 'mutation cd36', 'presence underlying', 'caecal core', '18q21 9q22 9q31', 'strain reverse happened', 'sheep chromosome 10', 'step identification candidate', 'infection dpi high', 'correlation variance', 'sow population measured', 'region chl_fat chl_milk', 'related family', 'address question', 'equilibrium 05 genotypic', 'underlying economically important', 'gene smad3 smad6', 'family program used', 'appeared novel', 'approach combining information', 'polymorphism neuroendocrine parameter', 'synonymous mutation a455g', 'evaluate effect identified', 'effect 07 score', 'milk trait studied', 'breed resistance', 'measured number', 'japan result', 'human pinpoint', 'chromosome region include', 'minipig melim', 'observation indicate', 'simultaneous search epistatic', 'fec collected weekly', '70 spanish purebred', 'depth loin', 'disequilibrium test method', 'fine scale qtl', 'preceding subsequent growth', 'tenderness ssc4', 'sheep available', 'polymorphism present', 'genotyped sequencing', '1029 individual', 'perfectly correlated favorable', 'ujumqin sheep', 'dik4482 identified chromosome', 'bioactive gdf9 protein', 'snp bta14 dgat1', 'gwas identify', 'stable generation', 'subunit fatty', 'develop examine', 'number insemination 56', 'ssc10 favourable', 'animal contributed', 'behaviour phenotype', 'localized 660', 'common fattening', 'rate cattle previously', 'substitution v150i', 'identify segregating', 'cross resequencing', 'breed genome wide', 'chromosome 13 19', '01 average daily', 'weight identified genome', '21 23 26', '370 715', 'variance mutation', 'bovine acsl1 gene', 'impaired growth', 'heritability plumage', 'disease dominant specie', 'dh dj revealed', 'breed best known', 'qtl line', 'acid level porcine', 'analysed using genome', 'aa genotype', 'insemination ai service', 'significant family analysis', 'qtl commercial', 'tested male', 'carcass lean fat', 'bodied chicken identification', 'validated candidate', 'snp1 missense', 'german coldblood horse', 'ipn known acute', 'small design', 'vein endothelial cell', 'use original', 'context genome wide', 'incorporation dna marker', 'acid trait detected', 'associated greater', 'analysis used study', 'evaluation file entire', 'immune capacity increase', 'acid level qtl', 'candidate gene sequenced', 'indicus breed sahiwal', 'pig scd', 'performed presence', 'currarino townes', 'high density genotyped', 'pituitary ovary detected', 'factor critical embryo', 'identified 14', 'genotype ct 24', 'higher identity', 'result showed male', 'cdh8 igsf21', 'measured individually bwg', 'analysis revealed combinatory', 'breed gene present', 'factor 100 ssc2', 'axis reduced', 'signaling pathway conclusion', 'low egg', 'using reference population', 'model imprinting', 'identified eca3 requires', '433c resulting', 'area africa', 'multiple snp analysis', 'lp lta antigen', 'prediction ability', 'region associated vl', 'sequence containing length', 'blup approach individual', 'polymorphism snp discovered', 'information haplotype improved', '104 eqtl coinciding', 'conclusion conclusion study', 'phu gga4', 'associated significantly', 'crosses jointly experiment', 'additional seven marker', 'finding suggest scd', 'genetic architecture help', 'objective subjective', 'change alanine threonine', 'confirmed qtls reported', 'breed 660', 'identifying predisposing genetic', 'continue develop small', 'significant global economic', 'line hg bird', 'profiling integrated', 'family member akrs', 'snp bovine melatonin', 'susceptibility carcass quality', 'promoted candidate gene', 'destruction antigen', 'trait signifies', 'corrected bw9', 'fish ncccwa tlum', 'pork flavour odour', 'lean fat', 'pedigree using dairy', 'event chinese', 'mutation remain undetected', 'growth stature skeletal', 'skin lesion reliable', 'study reveals', 'level glucocorticoid receptor', 'region chromosome 15', 'risk false positive', 'fitted single', 'different breeding company', 'localization genomic sequence', 'ovine abcg2', 'candidate gene identify', 'commercial female', 'conducted spanish churra', 'congenital entropion mammalian', 'interval estimated posterior', 'production rate epr', 'variation chinese', 'feather total 1252', 'sheep selectively', 'mitf gene 40', 'bta29 confirmed result', 'linkage disequilibrium surrounding', 'factor study present', 'cholera pm', 'breed contributed', 'variance analysis', 'chromosome trait significant', 'qtl located chromosome', 'using chicken', 'gwas analysis genomic', 'harboring casein', 'chromosome haplotype m3', 'revealed haplotype', 'fto showed', 'strongest associated snp', 'respectively overall', 'population related backfat', 'cow milk similar', 'efficiency 37 40', 'ham phu combining', 'lactation trait', 'prevent birth', 'influence intramuscular', 'f2 animal 240', 'window calculated', 'asp pcr', '58 82 square', 'chick early feathering', 'terminal sire', 'gdf9 post translation', 'level autosome', 'slaughtered approximately 127', 'location refined qtl', 'repository cddr granddaughter', 'rate predicted transmitting', 'percentage eye muscle', 'snp effect animal', 'expression muc4', 'sperm density fresh', 'effect associated boar', 'genetic background pleuropneumoniae', 'elovl5 elovl6 elovl7', 'significant qtls carcass', 'detection carried french', 'detection main effect', 'region putative', 'repeated twice effect', 'serum concentration vivo', 'intense labor requirement', 'include feed', 'mutant allele', 'correlated transcript', '04 total', 'qtl located ssc5', 'rib number', 'carcass weight increased', 'individual hap9', 'adg validation', 'decreasing cbg', 'ratio backfat conclusion', 'run dna', 'sired progeny determined', 'chicken 60k high', 'daughter production', 'fabp gene 156', 'lactation order identify', '672c androstenone indole', 'fcr beef cattle', 'mapped linoleic', 'weight absent', 'castration young male', '186 progeny', 'advanced phase', 'led detection 59', 'feasibility targeting', 'determined 42 day', 'high pp', 'cl2 rib', 'located binding', 'quality defect', 'slaughtered approximately', 'sw1336 sw512', 'snp chicken leptin', '83 carcass marbling', 'splicing mechanism caused', 'vca using marker', 'candidate gene bac', 'animal detected altogether', 'difference beneficial', 'analyzing f2', 'breed western commercial', 'tmem68 transmembrane protein', 'database investigated', 'hen yellow', 'individual animal genetic', 'medial suspensory ligament', 'dmi 12', 'german holstein total', 'association 01 direct', '1111a allele originate', 'purpose higher marker', 'advantage fl', 'qtl associated birth', 'phosphatase skip identified', '23 percent', 'qtl economically important', 'methodology result using', 'solution issue', 'played bmp15', 'acid formed posttranslational', 'indel identified', 'based carcass', 'genotyped cau', 'furthermore strong', 'study routinely', 'disease cd emerging', 'fi fcr 05', 'gastrointestinal nematode molecular', 'marker sw2409', 'peak economically important', 'cattle occurring response', 'lpin1 stat1', 'shown reliable mean', '005 marker', 'r2 09 conclusion', 'scale information analyse', 'thickness human', 'heterozygous texel', 'study test contribution', 'meat respectively', 'affected female', 'long studied', 'slick breed', 'different result significantly', 'microrna qpcr result', 'study generated f2', 'finding marbling', '05 ssc13 01', 'confirm presence', 'developed broiler layer', 'pig breeding future', 'rigorously tested', 'abundance mineral sugar', 'network analysis using', 'juiciness fitm2 linked', 'respectively permutation test', 'appetite pig', 'nhi inbred line', 'positive negative qtl', '16 qtl identified', 'cow implies', 'greater carrier', 'data used localize', 'qtl determined permutation', 'gwas reanalysed', 'expression complex trait', 'genetic gain fertility', 'pp fp located', '36000 single', 'acceptance homozygous', 'rate ndv', '20 microsatellite marker', 'cattle dna sequencing', 'qtl including qtl', 'model specie', 'identify porcine', 'cassette sub', 'transduction immune', 'pvrl2_c 392g association', 'china genotype', 'model constructed', 'effect detected oar3', 'program study qtl', '09 22 finally', 'intrinsic limitation gwas', 'thickness rib dly', 'captured using', 'dh na se', 'meishan population', 'generation intercross berkshire', 'investigate chromosomal region', 'mutation body', 'percentage showed', 'investigate porcine', 'pig genetic', '503 bird interval', 'receptor gene f4acr', '190g showed', 'efficiency major', 'analysis combined', 'record related', 'model herd production', 'qtl consistent trait', 'identified synonymous snp', 'challenge revealed significant', 'disease breed', 'increased rapidly marker', '70k snp', 'circulating vaccenic acid', 'mechanism calcium homeostasis', 'mutation conclusion candidate', 'qtl unexpectedly ram', 'unique snp comb', 'type provide', 'family consistent ultrasound', 'including detection qtl', 'study showed parity', 'blood component measured', 'utilized study', 'alternative strategy needed', 'il 10', 'comparison epistasis', 'remaining snp', 'tissue specific hydroxysteroid', 'qtl region milk', 'joint population analysis', 'frequent cn', 'commercial population spanish', 'factor regulate response', 'nematode result study', '31 polymorphism', 'weight saleable', 'yield fgf8 005', 'problem human animal', 'rambouillet single', 'female breast', 'polymorphism horn morphology', 'density fresh sperm', 'future study', 'montbéliarde dairy', 'gxe interaction', 'fat μg matched', 'sequence porcine cart', 'region isolated', 'ruminant research result', 'localized ssc1', 'measurement addition mode', 'improvement targeted breeding', 'daily feed', 'piglet ability', 'million record', 'independent commercial breeding', 'interspecific hybrid suggesting', 'fiber trait result', 'mb mapped result', 'adrb1 adrb3 adrb1', 'model additive qtl', 'picture identifiable qtl', 'confirmed significant', 'pig population respectively', 'protein level cow', '617 kb', 'data estimated parameter', 'response lipid', 'snp significant effect', 'total 315', 'bovinesnp50 beadchip tm', 'snp64 significantly associated', 'mating carrier animal', 'oncogene meq', 'study confirms resistance', 'effect joint', 'qtls affecting bone', 'weight muscle fat', 'cross f1 lamb', 'correction values seven', 'trout oncorhynchus mykiss', 'identified gga2 comparison', 'mapping target', 'allele significantly', 'breeding program following', 'adrb3 mutation', '2013 perform', 'aggressive pecking', 'white black spotting', 'revealed novel', 'boar 240 day', 'effect explained', 'crest trait', 'height chest circumference', 'insr 589c 70', 'transcription identify', 'generation offspring f2', 'corepressor ncor1 addition', 'affected muscle development', 'test multiple', 'testing used', 'different qtl trait', 'type 562g 3112c', 'genetic control knowledge', 'mummified pig qtl', 'mir candidate gene', 'association known polymorphism', 'using marker trace', 'investigated parameter total', 'using partial correlation', 'strongest signal', 'function result indicate', 'copy number change', 'selection resistance mastitis', 'line single', 'showed allele frequency', 'snp caused amino', '88 mb', 'human cnvr', 'healthy condition', 'identified small insertion', 'variant upstream region', 'derived regulator', 'sexually precocious animal', 'heat shock transcription', 'carcass length pig', 'cause female', 'dr total 19', 'scale herd subset', 'relatively common congenital', 'animal declining', 'age 300 462', 'evaluated putative', 'perspective result meaningful', 'weight cohort 1540', 'cow selected based', 'identified contain quantitative', 'tlum nucleus', 'milk somatic', 'variation genetic study', 'cheese recently', 'hd bovine', 'using polymerase chain', 'similar magnitude', 'relationship genotype individual', 'intake unit', 'blup applied disease', 'chicken strain revealed', 'mass statistically', 'gene identified close', 'qtl modeled', 'contains mutation', 'affected commercial egg', 'carrier compared', 'observed snp haplotype', 'case ibk', 'population selectively bred', 'industry term', 'confirm genetic effect', 'bp sequence intron', '34 snp significantly', 'sib family arq', '82 square analysis', 'expression level pcr', 'selected proportion', 'bta1 10 11', 'mrna expression detected', 'feed efficiency measured', '96 sheep', 'data analyzed include', 'fat ph24h shear', 'holstein intragenic haplo', 'polymorphism closely', 'regression approach suggested', 'total 41 151', 'feasible way revealing', '18 13', 'variance explained hmga2', 'resistance negative effect', 'evaluated effect meat', 'linked early', 'locus mb region', 'imprinting mendelian', 'gene environmental factor', 'intercept effect close', 'maturity immune', 'tissue ray attenuation', '550 controls', 'using 1207 snp', 'trait remaining trait', 'gene affecting fatty', 'palmar plantar osseous', 'discovery sheep susceptibility', 'jacob sheep navajo', 'based relationship', 'largest chromosome', 'understand functional', 'gene panel unrelated', 'suitable candidate gene', 'gain average', 'snp tex11', 'development disease mouse', 'experimental animal', 'lack power', 'type relative', 'performed egwas identified', 'gene previous study', 'snp snp ghrl', 'effect calf mortality', 'em qtl detected', 'taurus snp', 'expectation maximization lasso', 'gwas gblup', '90 hspcb hsp90', 'aqp11 cooking loss', 'ocd intermediate', 'quantify strength', 'secretion triglyceride rich', 'fit time', 'using japanese black', 'qtl associated carcass', '17g 114g caused', 'pig experimental procedure', 'subunit fosl2', 'daily gain daily', 'min ltl', 'trait including sperm', 'analysed 322', 'transcript expressed mammary', 'breed covering wide', 'qtl underlying complex', 'exceeded genomewise significance', 'confirm relevance igf2', 'controlled condition 170', 'count indicator trait', '18 detected', 'parental population qtl', 'sib daughter family', 'evaluated small', 'genetic variance percentage', 'study using 57k', 'diameter 25', 'effect improved lasso', 'cattle saa2', 'gene addition', 'bovine population provides', 'snp middle sliding', 'result hg', 'md gene', 'used improve performance', 'indicated slc45a2', 'adult sheep used', 'ssc8 c16', 'linkage test', 'german fleckvieh cattle', 'insufficient detect common', 'result used 38', 'prl gene screened', 'protein structure validated', 'highly desirable', '305 lactation', 'gene expression milk', 'identified strong association', 'responsible salmonella', 'consisted gas', 'coli finally qtl', 'formed posttranslational', 'gh gene evaluated', 'haplotype haplotype chromosome', 'acop performed', 'genotyped 182', 'snp zebu breed', 'causal variant study', 'future work', 'formation described', 'chicken breed ctsd', 'identified m1', '42 result', 'association small effect', 'lm quantitative', '23 microsatellite marker', 'ketosis lactation sck1', 'region trib1 untranslated', '290 620 snp', 'age raspf7', 'following fo', 'sutai laiwu', '23 926', '866 712', 'dairy production solution', 'pig exhibit', 'zo microrna', 'local shandong', 'purebred merinoland ml', 'general model', '636a substitution widely', 'em blasso analysis', 'genetic data recorded', 'weight qtl addition', 'previous qtls study', 'silverside percentage cattle', 'including marker located', 'using variance component', 'chicken linkage group', 'variance snp', 'trait broad', 'sample total 194', 'goatsnp50 beadchip illumina', 'respectively current usda', 'snp marker hmga2', 'structural soundness trait', 'studied important', 'bp lowest', 'polymorphism milk protein', 'parity crossbreds', 'lm cross', 'qinchuan beef', 'region 12', 'estimate detection pleiotropic', 'extensively used', 'eu pig used', 'understanding regulatory mechanism', 'map sex specific', 'program animal', 'sudden accumulation', 'difference age onset', 'genotype disease salmonella', 'gene differentially distributed', 'apoptotic pathway intracellular', 'limitation developed random', '447a snp duroc', 'result quantitative trait', 'sperm concentration', 'study outbreak fowl', 'candidate nucleotide metabolism', '68 mb', 'make candidate gene', 'gradient respiratory', 'weaning weight wwt', 'difficult clearly link', 'estimated searching maximum', 'using linkage', 'standard association test', 'animal data', 'domestic line selected', 'fitted random', 'industry effective', '87 genetic', 'depth mammary rnaseq', 'lod 04 respectively', 'additional half', 'production ovulation', 'response mastitis', 'cryptic allele expression', 'significantly larger loin', 'trait present result', 'indicating gene control', 'identified effect growth', 'individual association', 'variance explained detected', 'individual paternal', 'regressed breeding value', 'thawing cooking', 'igf1 association', 'td respectively', 'cluster novel snp', '1180 progeny based', 'basis seven gene', 'mcw0106 marker chicken', 'qtl effect production', 'challenge analysis', 'snp genotyping panel', 'total 25 haplotype', 'backcross family rainbow', 'sequence analysis kit', 'ulceration cornea perforation', 'fkbp6 associated iar', 'site serve', 'previous chromosomal assignment', 'equivalent cc 600', 'expression information used', 'measured analyzed adjustment', 'tissue restricted gene', '28 study explore', 'associated twinning', 'meishan breed showing', 'peak ultrasound', 'higher score genotype', 'identified trait significantly', 'semen trait crucial', '20 genome wide', 'concordant candidate', 'allow additional application', 'biological control aggression', 'compared 50', 'ddx47 tcf9', '100 kbp abca12', 'improve understanding biology', 'dd compared', 'gene product regulates', 'protect heterologous challenge', 'mb 37 38', 'kg se 056', 'association protein composition', 'polymorphism causal', 'given coat', 'effect chicken pnpla3', 'stress neuroendocrine', 'kb retrogene copy', 'fertility involved steroidogenesis', 'different based', '527 imputed snp', 'detected f2 experimental', 'pig commercial', 'additional 495 individual', 'time involve', 'gh gene gh1', 'trait ci 20', 'array necessary', 'weight qtl gga1', 'lg bb associated', 'trait disease resistance', 'subtypes accurately reveal', 'milk fa component', 'prkag3 gg genotype', 'gene good', 'future marker assisted', 'deviation haplotype kg', 'qinchuan cattle used', 'rs107856757 rs107856818 rs107856856', 'signaling significant', 'suggesting interpretation based', 'polymorphism polymorphism', 'male 24 landrace', 'net feed efficiency', 'background result demonstrate', 'confirmed nordic red', 'affect level sex', 'footrot status performed', 'estimate genomic heritability', 'rump width', 'pig fto influence', 'candidate used', 'total 18 qtl', 'increasing cwt ema', '10 cm 00', 'majority 86', 'f2 resource', 'official performance', 'allele 51', 'antitumor mechanism suggesting', 'qtlr include', 'cascade gene', 'population additional', 'susceptibility btb provides', 'control approach', 'performed variety logistic', '17 19 24', 'general effect', 'specifically map quantitative', 'healing activity', 'enabled conduct genome', 'comprehensive genome', 'puberty onset', '29 autosome', 'reasonable number marker', 'mg chl', 'included nonsynonymous snp', 'including functional', 'chromosome identified potentially', 'associated lma ssc18', 'bridging breakpoint present', 'consisting 15', 'background improving pork', 'region mediterranean', 'higher adg italian', 'expenditure divergent artiodactyl', 'sampling variance estimated', 'influencing muscle weight', 'parity trend', 'population average curve', 'expected qtl', 'histocompatibility complex region', 'semispinalis lean', 'single fatty acid', 'genetic selection immunocompetence', '17 paternal half', 'h1 98 20', 'xxiv alpha identified', 'frequent cause lameness', 'belonging 112', 'apoptosis response mycobacterial', 'kg reduced fat', 'gene expression independently', 'mortality homozygous state', 'mb 46', '30 observed', 'cell mediated cytotoxicity', 'snp 50k', 'trait hoxa', 'chemokine involved neutrophil', 'fecal culture elisa', 'panel used', 'measured cross bird', '7192 significant', 'high statistical', 'landrace hampshire', 'trait effect', 'scanning muscle', '07 kg', 'segregating united', 'underlying subtraits uterine', 'ph15 gga1', 'dif bayes', 'gwas 600', 'revealed snp position', 'pthlh expressed', 'gallbladder weight lgw', 'superovulation response mutation', '360 progeny broiler', 'association 2836 ear', 'holstein bull interval', 'stratification mapping', 'cg genotype heterosis', 'linked common', 'analysis showed seven', 'increase live', 'island hirta st', 'maturity rate 23', 'meat quality characteristic', 'structure growth', 'fabp excluded', 'genome key ancestor', 'pietrain family sample', 'previously genotyped marker', 'distributed horse', 'confirmed favorable', 'sheep multiple', 'acid content duroc', 'energy obtained', 'animal year period', 'pig pig', 'kinship matrix estimated', 'adjusted postweaning', 'causal factor region', 'affect dairy cattle', 'en egg laying', 'population prior', 'objective trait addition', 'gnas domain associated', 'increasing type', 'understand akr1c gene', 'age seven 167', 'incidence mastitis', 'sequencing testis danish', 'total score', 'covering 135 cm', 'abundance detected small', 'data split consider', '07 lumbar fat', 'qtls come missing', 'verify qtl', 'white leghorn survivor', 'relevant trait collected', 'superfamily play', 'muscle fiber ssc2', 'matrix simulation', 'synthesis polyamines', 'carcass quality', 'castrated boar genotyped', '132 haplotype', 'condition viral subtypes', 'disagreement particularly', 'addition antibody', 'described genetic', 'plink version 07', 'chromosome 24', 'gene fatness', 'variation antibody', 'qtl regulating erythroid', 'pure line population', 'percentage motile spermatozoon', 'factor inhibin', 'relationship egg trait', 'alternative strategy', 'ovis_aries_v3 released', 'hypothetical ibd', 'involved heredity bcse', 'analysis wool trait', 'percentage bmcpc bone', 'detected gnaq gene', 'association informative qtl', 'map infection objective', 'measured cross', 'septicemia catfish', 'associated milk fa', 'genotype body', 'interval analysis animap', 'south west', 'contrast 21 additional', 'shank length chest', 'sheep data consistent', 'various marker', 'intron 12', 'observed array', 'critical piglet', 'proteolysis analysis total', 'affecting mineral', 'qtl result showed', 'array 600 estimate', 'genetic selection improved', 'nd global', 'association ph1', 'analysis mmra total', 'consumption high', 'potentially contribute', 'qtl available 814', 'study detected genetic', 'attained genome wide', 'm4 model', 'selected overlap', '226 novel mutation', 'significantly associated pleurisy', 'hct haemoglobin', 'set analyzed classical', 'wl77 additional highly', '34 dam', 'cestode parasitism', 'phenotypic md variation', 'empirical data analysis', 'locus regression ldrm', 'va desaturase d9d', '10 common expression', 'cluster significant snp', 'identified chromosome genomic', 'genotyped using polymerase', 'gland change', 'increase lean', 'yellower milk', 'line permutation sliding', 'rate ccr', 'ssc13q41 marker sw207', '1of ugdh significantly', 'homozygous genotype', 'list significant snp', 'report detect snp', 'detected blood chimera', 'carriers 49', 'created phenotypic difference', 'downstream candidate gene', 'pallister hall syndrome', 'empirical 05 snp', 'survival problem heterozygote', 'total 41 427', 'association previously', 'versus pleiotropic', '130 163', 'breed crossbreed', 'vaccine adjusting multiple', 'marker rs268273468 capra', 'duroc derived pig', 'values obtained', 'horse absent panel', 'evident symptom dwarfism', 'lld individual', 'cattle comparison', 'associated various', 'genetic variance linear', 'bfgl ngs 104610', '14 36 located', 'imf 23 04', 'difficulty direct maternal', 'length tail width', 'addition qtl', 'percentage marker dik2291', 'qtl effect data', 'identifying causative variant', 'distribution shanxi', 'trait recorded 292', 'gene responsible qtls', 'locus eosinophil', 'qtl allelic variant', '2708 offspring linear', 'effect cyp11b1', 'fcr reported', 'evaluation study 12', 'gain adg body', 'influencing protein', 'lead better tasting', 'predict characteristic', 'hox gene family', 'nematodirus spp', 'application correlation genome', 'gene year', 'collected bw gain', 'growth factor encoding', 'level prlr', 'cow kept 58', 'effect boar taint', 'pathway serum concentration', 'similar magnitude 11', 'subset 19', 'platform high', 'reduce carcass fat', 'associated numerous alteration', 'centromere 13', 'performance trait resulting', 'line consistently', 'fiber diameter shear', 'performed explore genetic', 'eth10 dik5248 silv', 'defect study required', 'trait analysed', 'le rib', 'family 291', 'rumen intestine', 'behaviour inactivity novel', 'led high statistical', 'trait low moderate', 'quality trait economically', '11 22 antral', 'cg snp', 'comparing multi', 'highly significant nominal', 'negative compared individual', 'chromosome selected informativeness', 'associated post weaning', 'negative effect prolificacy', 'snp equidistantly', '11 horse order', 'coloration hematocrit plasma', 'using multiple trait', 'cie cie cie', 'age body', 'change meat color', 'containing 1622', 'grouped control epl', 'tcf9 tpte2 epha5', 'taint main reason', 'selected based proximity', '09 genetic', 'pin nipple detected', 'qtl express software', 'ttn ltn rtn', 'lifetime total', 'animal model association', 'content genotyped fish', 'region present', 'htt kcnh7', 'proximity mapped linoleic', 'breed analysis indicated', 'trait incidence', 'representing sire seven', 'compared ct 92', 'heritability 12 04', 'boar taint potential', 'body frame size', 'hap1 hap2 resolved', 'subset population result', 'backfat thickness detected', '17122a 17507a 17575a', 'hspcb hsp90', 'gwas approach 10', 'growth stage revealed', 'identified ssc7 region', 'shank color domestic', 'fat significantly greater', 'snp influence', 'population causing', 'boar intercross', 'lab loin', 'eqtl region', 'interacting locus identified', 'appropriate approach', 'measure breeding', 'csn1s1 screened polymorphism', 'pattern observed chromosome', 'body weight age', 'site mirna', 'test performed determine', 'candidate gene disease', 'crimp 05 snp4', 'interval based', 'sequencing allowed identification', '87 physical', 'physiological underpinnings', 'recombination rate', 'scan f2', 'trait varied 03', 'rm188 implemented', 'called bayesb', 'advancement quantitative', 'hormone gene play', 'information enhance', 'followed sequencing allele', 'new qtl associated', 'selective pressure demonstrating', 'chicken addition', 'cie ssc16 carcass', 'cow test association', 'ppargc1a subsequently', 'significance threshold suffolk', 'transcription regulation metal', 'calpastatin cac', 'work constructed high', 'detected birth weight', 'snp wise association', 'understanding porcine skin', 'significant difference cc', 'exhaustive catalogue polymorphic', 'spp1c 1301g affected', 'heritabilities qtl', '10 igf2 snp', 'influencing fertility calving', 's0073 s0214', 'association validated single', 'economically favorable allele', 'routine sire evaluation', 'pcr rflp polymorphism', 'phenotypic genotypic difference', 'showed higher slaughter', 'lm 38', 'wide error probability', 'concentration highly significant', 'chicken causing neurological', 'snp int9 snp', 'oxidation considered', 'improve selective', '001 c19orf42 tmem38a', 'brown grade', 'different horse', 'cdna abomasal lymph', 'contained 17', 'electropherograms quality control', 'mb 119 mb', 'carrier ewe', 'genome level snp', 'qtl mapping conducted', 'function represent molecular', '322 lw', 'identified growth carcass', 'significance level chromosome', 'cortisol level pig', 'improve genetic mastitis', 'quality control 36', 'qtl affecting palatability', 'disease selectively', 'genotype capns', 'rs80971725 ssc14 appeared', 'depth bde', 'compared hbt', 'association fastmremma integrative', 'statistical analysis based', 'gene dock7 trait', 'val younger', 'fabp psmc1', 'qtl influencing meat', 'femur weight tibia', 'gene edn3', 'detected explaining genetic', 'trait influence mothering', 'vitro adhesion test', 'case su 152', 'soundness trait total', 'tg ssc11', 'lower concentration beta', 'rs41694656 located exon', 'quantitative trait eqtl', 'titer binding lta', 'used charolais holstein', 'architecture affected multiple', 'characterized blue shelled', 'pecking laying', 'sire haplotype', 'size norwegian', 'mb harbored cluster', 'individual scottish', 'gpihbp1 protein', 'bta3 annexin protein', 'ucp3 core', 'genotype animal seven', 'rt 17 24', 'sire analysis', 'clinical mastitis included', 'grazing condition', 'gene pcgs associated', 'analyze detected', 'unsaturated medium chain', 'coding snp 785', 'cm distance csn1s1', 'weight sexual', 'psi tt model', 'sheep conclusive', 'immunoglobulins serum ammonium', 'gene structured exon', 'appearance trait chicken', 'version used', 'population consisting holstein', 'gene tef1', '162 106 conclusion', 'trait closer pathological', 'insemination required', '105 day gestation', 'previous study mapped', 'based animal', 'poultry directly relevant', 'abundance msc', 'power behavioral', 'proviral concentration', 'understand genetic control', 'suggest dominant', 'common gene', 'cm ssc1', 'score snp17 associated', 'parametric linkage analysis', 'rs132699547 rs135423283 rs135576599', 'approach genomic', 'lactation confirm common', 'content drip loss', 'desire functionally relevant', 'variety analysis', 'conducted total 675', 'mouse human evidence', 'rfi based', 'analysis raw weight', 'background host', 'breed charollais ile', 'intake pig identified', 'trait detecting association', 'meat chicken', 'region molecular marker', 'regression analysis showed', 'gene qtl analyzed', 'identified exon', 'contained previously', 'reproduction comparison ongoing', 'susceptibility porcine pleuropneumonia', 'qtl 10 reproductive', 'belgian draft horse', 'mentioned pathogenic', 'marker including novel', 'rate dpr identified', 'ability 705', 'significance 24 week', 'data commercial founder', 'incubation period sheep', 'lesion pleurisy score', 'process estimate', 'define boundary', 'association objective', 'qtl using', 'ratio muscle backfat', 'ssc6 ssc8', 'architecture utr affect', 'correlation ranged', 'production trait mycoplasmal', 'osteochondrosis sport horse', 'duplication include au', '13 indicates relationship', 'encoding phosphodiesterase 1b', 'staple strength', 'gene v6a v33a', 'wide level identified', 'sub saharan', 'variance clinical mastitis', 'equine snp50 beadchip', 'minimum false positive', 'ssc2 ssc10 favourable', 'support new model', 'ncapg ile442met', '0003 cast', 'variance explained individual', 'genomic blup procedure', 'autosome bta 12', 'scan comprised 251', 'respectively frequency minor', 'enormous economic', 'porcine chori', 'anchored high density', 'large animal', 'broad scale', 'weight modeled', 'marker added', 'multigenerational resource population', 'level riboflavin 93mg', 'study based known', 'accuracy genomic prediction', 'convincingly associated trait', '60 mbp candidate', 'data establishment', 'bull scored', 'injection nesfatin food', 'animal tested', 'csn3 highest fat', 'ssc3 ssc4', 'respond infection', 'presence pleiotropic qtl', 'nucleotide polymorphism chromosome', 'background lymphocyte', '250 f2 progeny', 'causative mutation underlying', '10 comparing', 'detected seven different', 'coatomer protein', 'effect antagonistic', 'provided consistent result', 'favorable allele', 'pigmentation shank', 'frame exon skipping', 'dc dd', 'snp60 genotype data', 'accounted additive genetic', 'maoa grin1', 'yield adjusted', 'scanning qtl trait', 'bacterial load quantified', 'grandparent genotyped 24', 'f4acr mapped', 'moderate small effect', 'coding variant', 'sire performing', 'mc4r meat quality', 'numerous quantitative', 'variance explained 10', 'region evidenced', 'ipn respectively suggesting', '446 slaughtered', 'model analysis employed', 'effect bft observed', 'affect draft', 'result using bonferroni', '33 119', 'provide specific', 'straightforward aim', 'follow study', 'analysis using total', 'population 288 revealed', 'useful investigation key', 'pig testis', 'variance revealed', 'relevant annotated', 'generation nucleus herd', 'study identify candidate', 'generation using', 'vertebra potential applied', 'trait nsb1 nsb2', 'increase resolution qtl', '576 informative', 'morphologically variant rbc', 'design genetic', 'haplotype lp1', 'gdf9 promoter variant', 'analysis total 867', 'family qtl', 'antibody mapped ssc7', 'phenotype fine mapping', 'cattle wald', 'dominance variance locus', 'infection variant', 'pc measure level', 'female used calculate', 'new distributed horse', 'qtl dominant finding', 'selected 918 daughter', 'mastitis jersey holstein', 'ability related milk', 'involved complex genetic', 'expression muscle reduce', 'considered qtl', 'american jurisdiction individual', 'respectively observed heterozygosity', 'muscular development', 'known fp qtl', 'immune response region', 'gg homozygous', 'conceive maintain pregnancy', 'major qtl ssc7', 'ai 56', 'analyzed using square', 'encodes transcript muc13a', 'expressional correlation', 'family size 70', 'texel commercial', 'region capable explaining', 'expression prlr late', 'important factor assessing', 'marker genotype reported', 'basis early', 'different mendelian model', 'snp porcine gpihbp1', 'ubl5 retn', 'responsible economically important', 'chl_milk respectively', 'chicken gaining attention', 'iia ssc2 minolta', 'significance encode', 'investment determining genetic', 'adg ag pig', 'kbp body', 'cidec gene analyze', 'detected oar3 result', 'age lyw', 'design total 155', '45 kg identified', 'duroc berlin miniature', 'involvement domestication', 'trait respectively different', 'simple interval mapping', 'linear model', 'algorithm statistical significance', 'associated cyp1a2', 'refined using 53', 'difficult multifactorial', 'qtl explain', 'ssc12 ssc16', 'located distal end', 'overlapped linkage', 'population inconsistent', 'purpose serum', 'benefit improve understanding', 'snp vstm1', 'try reduce', 'nutrient energy recovery', 'value tnb nba', 'lifetime parity', 'association beef quality', 'gr gene nr3c1', 'iii evaluate power', 'marker bracket', 'trait measured total', 'complex trait estimated', 'information sufficient genetic', 'pig purpose', 'efficiently improve', 'carotene biochemistry fundamental', 'growth qtl reported', 'similar bw yw', '08 kg dmi', 'chromosome closely linked', 'cw present', 'decreasing dmi', 'genetic factor', 'resolution genetic chromosome', 'breed developed', 'genotyped 50 single', 'result demonstrated', 'nutrition technological property', 'persistency quantitative', 'used marker improve', 'phult ph 45', 'chromosome possible candidate', 'hypothesis duplicated functional', 'map2k5 kctd3', 'snp 1142c exhibited', 'adipose tissue regulated', 'taken average', 'infection represent class', 'alberta applying', 'functionally plausible candidate', 'effect c18 c14', 'association polymorphism body', 'equine chromosome 18', 'rate limiting enzyme', 'approximately equal', 'blv causative', 'ma objective', 'difference homozygote 65', 'hm site', 'result numerous significant', 'cast c7h19orf60', 'method modified version', 'intake fi feed', 'genetic variance polymorphism', 'heritabilities genomic region', 'validated shrinkage', 'result varied according', 'csn1s1 marker', 'french holstein normande', 'improved detection', 'location tnb', 'association rvtv', 'marker available phenotypic', 'fly widespread', 'bta7 20 quantitative', 'leghorn trait', 'remaining block', 'locus analyzed piétrain', 'present study helpful', 'indicated previous', 'heart girth utr', 'color rcn1 high', 'pig report suggested', 'af trait observed', '62 sd', 'cast high', 'hide qtl', 'average age 140', 'putative microrna target', 'bird slaughtered', 'fat chl_fat 100', 'associated included protein', 'case control located', 'negative overall genetic', 'status western', 'pig line selected', 'high polymorphism', 'environment effect', 'new meat quality', 'lamb snp', 'suggestive chromosome wide', 'glp1r gene', 'isoform showed good', 'ability estimated different', 'wide microsatellite marker', 'effect 68 sd', 'mb androstenone', 'trait dependent differential', 'network result', 'estimated heritability', 'treatment qtl', 'porcine fat deposition', 'set corrected', '13 homeologous chromosome', 'discovery value', 'effect test based', 'statistical analysis single', 'redness texture', 'strongest associated', 'association scd gene', '45 2002', 'additively associated', 'foremost agricultural', 'type iv hypersensitive', 'lbt cab', 'gsk 3α hin1i', 'lamb unacceptably', 'strategy gwas useful', 'numerous important', 'dna 000', 'previously identified cw', 'altered predicted second', 'color variation varies', 'nol4 meat', 'investigation molecular marker', 'feed cost', 'functional annotation gene', 'synthesis metabolism androgen', 'chimpanzee chicken form', 'pl plw duroc', '224deltcgtcttc eca3', 'dissecting complex', 'pig containing ancestry', 'disease caused pathogen', '23 effect significant', 'broiler heat susceptible', 'relevant pathway', 'attribute priority aquaculture', 'revealed harbour', '26 26 mb', 'explained qtl suggests', 'pi german landrace', 'utr analyzed avai', 'chinese jinhua', '120 140 kg', 'immunocompetence heterophil lymphocyte', 'selection spawn', 'association chromosome analysis', 'associated marbling', 'boar performance tested', 'linked lgb1', 'interacting host', 'pig ucp3 gene', 'associated disease', 'length wither', 'goal study screen', 'measure pig', 'member inhibits transcriptional', 'significant association marker', 'type breed charollais', 'uterine environment increase', 'finger cluster', 'partial linkage', 'based diagnostic test', 'single gene closest', 'different snp', 'dpi wg21', 'population rt pcr', 'quality measured live', 'swine genome wide', 'pig genotyped using', 'trait identified 12', 'spotting trait association', 'significant region ranged', 'snp remarkably fewer', 'successive generation', 'affected 37 snp', 'detected 5239c 5240a', 'allele 49 52', 'analysis gwas feather', 'qtls affecting pigmentation', 'acid hgd protein', 'sigma marbling 28', 'thirteen snp identified', 'αs2 cn whey', 'age keel length', 'sfd wagyu', 'gene apart prnp', 'snp43_g fixed', 'metatarsus claw weight', 'tissue single', 'intramuscular composition variability', 'suggested presence 61', 'significant portion', 'search position candidate', 'qtl architecture', 'state estimated', 'percentage distal chromosomal', 'mechanism related', 'pattern 27', 'width carcass', 'novel insight', 'site level', '06 fecx', 'adolescent particular', 'genetic architecture broiler', 'mapping approach joint', 'descent analysis', 'activated protein', '305 protein yield', '800 animal', 'basis fitness', '30 mb', 'size region', 'thoracis tissue metabolite', 'determine locus', 'weight uw', 'initiator locus', 'sow fertility uncover', 'genotype gave statistically', 'widely studied great', 'qtls reached chromosome', 'sequencing gdf9', 'associated reproduction trait', 'disequilibrium analysis resulted', 'suggested author', 'gamma coactivator', 'reproduction category conclusion', 'content pic estimated', 'variance explained qtls', 'identified significant additive', 'trait influenced', 'cell score associated', 'anti inflammatory response', 'fcr calculated', 'gebvs converted snp', 'level androstenone', 'response attraction lymphocyte', 'snp60 beadchips normalized', 'total 803 producing', 'region mechanism', 'rs320439526 implying snp', 'spite economic environmental', 'yolk weight yw', 'muscle significantly', 'characterized evaluated effect', 'costly disease', 'count including frmd4a', 'mutated allele', 'sex determining', 'variance suggesting', 'snp array applied', 'affected bone', 'factor evident', '47 58 47', 'efficiency offspring survival', '29 autosomal', 'involved development neural', 'original family', 'exchanged coded', 'treatment maternal', 'growth peg', 'inheritance wild boar', 'qtls considering', 'gwas study density', 'basis sexually selected', 'snp discovery', 'source characterization', 'disease controlling', 'mapped ssc17', 'composed 325 japanese', 'suggest commercial', 'japanese nagoya breed', 'identified using similar', 'trait examined 729', 'cow result provide', 'ttn teat number', '31 qtl chromosome', 'proportion feed', 'td binary survival', 'metabolism fat', 'model implemented perform', 'resource important', 'facilitate search', 'interaction milk production', 'acsl1 necessary synthesis', 'density chicken feather', 'mapping rh', 'c12 0001 0257', 'highest record litter', 'minimum 46 57', '258 ewe purebred', 'using logistic model', 'nellore cattle', 'sensory panel assessed', 'region validated using', 'desire genetic selection', 'suggesting locus missed', 'using half sibling', 'infected pasture', 'reproductive function 68', 'rs42670351 validated', 'highest cooking', 'cattle breed finnish', 'resistance genomic region', 'utt relative female', 'component highly correlated', 'important porcine economic', 'improvement resolution location', 'large white pietrain', 'evidence allele ay487830', 'post infection wg', '50k 777k', '36 qtl', 'experiment conducted', 'ssc10 using', 'protein cholesterol', 'region unfavorable pleiotropic', 'conductivity 24', '17707c identified', 'bp mitf gene', 'paving way marker', 'operating intra specific', 'selected analysis qtl', 'regulate reproductive seasonality', 'prolificacy model', 'set snp', 'production enables', 'hock stifle rayed', 'locus segregating', 'qtl trait associated', 'boar taint danish', 'case definition', 'reduction boar taint', 'qtl effect time', '29 chest girth', 'phenotype provided', 'cm3 qtl', 'rao 05', 'gga 26 suggestive', 'plasma remained low', 'linkage group result', 'survival measured precipitating', 'postnatal development', 'syndrome resequencing positional', 'analysis estimate effect', 'identified using single', 'mutation agc', 'trait bw', 'mammary gland tissue', 'dairy record management', 'mechanism resistance', 'allele individual heterozygous', 'lda nominal', 'area thinner', 'computing vienna austria', 'sheep revealed oar3', 'cause extreme', 'luteal activity overlapping', 'chromosome harbouring', 'tough meat', 'snp identified pig', 'identified qtl', 'associated breeding', 'cyp7a1 gene confirmed', 'trait causal reported', 'underlying studied trait', 'considerably compared previous', 'deposition skin furthermore', 'steer variation', 'trait 6e rs312463697', 'pathway form mbl', 'related abnormal sperm', 'cystathionine beta', 'treatment maternal calf', 'lean line appeared', 'analysis extended', 'sire line large', 'effect single canonical', 'recorded different', 'vaccinated attenuated european', 'lod drop', 'rtn validated fine', 'sd entire', 'marker gwas', 'hormone alter', 'intestinal nematode study', 'gene meta analysis', 'genome wide significance', 'genotype classified', 'fundamental basis biological', 'tt model', 'rela elf3', 'typed 29', 'variables association analysis', '192 ewe selected', '70 cm 70', 'chip slaughtering animal', 'group related total', '100 fat chl_fat', 'accumulation indicating feather', 'provide new insight', 'flock animal', 'report genetics', 'tolerance susceptibility', 'associated fcr offer', 'cost increase possibility', 'lda motility', 'igf2 corticotrophin releasing', 'snp feed', 'fprs detection failure', 'g593a t824c', 'map essential genetic', 'individually significant snp', '49 13', 'induced interferon', 'research needed explore', 'rs20917091 slc6a4 rs17196799', 'production trait genetic', 'genotyped using equine', 'releasing hormone gnrh', 'qtl reach', 'depth validation', 'candidate gene relevant', 'analysis pairwise linkage', 'great economic relevance', '18 affecting daughter', 'colouration chicken', 'biochemical reaction', 'feed intake trajectory', 'residual quantitative', 'ai industry', 'testing concordance', 'negatively related quality', '21 tibetan', 'production trait centromeric', '55 estimate heritability', 'boar widely used', 'behaviour chicken', 'breed rjf', 'data mastitis pathogen', '59 difference', 'conclusion significance', 'excessive heat', 'type variant', '16 phenotypic', 'complicate identification', 'snp sscx snp', 'size important trait', 'small large small', 'variation hardy', 'acid substitution responsible', 'pce associated', 'ag gg genotype', 'change heat treatment', 'effect explained major', 'chromosome 162 microsatellite', 'colubiformis specific', 'haplotype haplotype consisting', 'normal rbc increase', 'polymorphism luciferase', 'independent signal', 'role controlling egg', '10p15 contains', 'used study nba', 'degree genetic', 'total sfa highly', 'histidine respectively', 'regardless genotyping', 'high risk detected', 'composite single', 'acaca fatty', 'study assessed genetic', 'allele arginine', 'antibody level', 'marker approach regression', 'total analyzed', 'model improve milk', '10 maternally expressed', 'ca 72 zn', 'linkage analysis meat', 'individually bwg fcr', 'intron single nucleotide', 'linkage gwas', 'cla va ratio', 'chromosome bta6', '20 000 permutation', 'acyl coa', 'ghr polymorphism nellore', 'included pigmentation', 'layer posse', 'carefully result', 'growth fillet', 'igg end', '2x10 16 eqtls', 'elongation cycle', 'association number', 'snp fdr central', 'region genome suggests', 'regulation mrna', 'based deviance posterior', 'approach implemented perform', 'diversity showed significant', 'agreement previous study', 'pneumonia body condition', 'population comparative', 'genotype 37455302g', '760 239 752', 'r2 predict vivo', 'region largest effect', 'qtls associated variation', 'family nested 46', 'genetic cause diabetes', 'gene sucla2 dnajc15', 'qtl affected muscle', 'conclusion study contributes', 'fld cattle', '23 fluorescent microsatellite', 'cast capn1', 'pb heritability', 'polymorphism intron point', 'hybridisation liver', 'lm bayesian variable', 'variant affect milk', 'confinement fed', 'single gene closely', '72 cm respectively', 'identify qtl associated', 'mutation putative', 'month weight', 'snp lactation', 'muc4 gene evaluated', 'effect detected correlated', '001 supported', 'offspring allowed lamb', 'threshold chromosome contained', 'exhibit pathogen specific', 'qtl 13 10', 'snp genotype binary', 'episode vs', 'c16 bta25', 'chromosome oar2 quantitative', 'study new', '4850a analyzed', 'bovine cheese breeding', 'exhibit pathogen', '190 genotyping additional', 'muscle fully', 'percentage palmitoleic stearic', 'associated feed conversion', 'important class genomic', 'fgf8 polymorphism result', 'impact quality attribute', 'rate fearfulness', '50 year', 'affect wide range', 'proteolysis pathway suggesting', 'studying difference', 'thermo tolerance', 'improve predictability', 'ovinesnp50 beadchip provided', 'influencing expression micrornas', 'concentration 190', 'f2 half', 'acid catabolism transcriptional', 'using 2900', 'insulin epidermal growth', '62 163', '2012 snp 14', 'applying variance component', 'cb included lc', 'associated phu color', 'disequilibrium approach', 'intercross high', 'association spot14alpha gene', '964 sheep rambouillet', 'gallus gallus using', 'marker allele frequency', 'concentration pig', 'occasionally differing', 'gria1 family sequence', 'bta 18 19', 'western country improve', 'ssc11 locus improve', 'aries oar', 'maml3 snp setd7', 'charolais ch', 'genotype negatively', 'cattle determine ripk2', 'piglet castrated', 'breed particularly', 'dominated holstein', 'cebpa retinoid receptor', 'detected 57', 'population 503 bird', '208 792', 'centromere confirmed', 'locus preliminary', 'mir 27a', '73 36', 'clear parent', 'association wbsf putatively', '2379cc associated increase', 'incidence multiple pathogenic', 'length bw42 89', 'gh1 pou1f1', 'describing aseasonal', 'protein trak1', 'refined position qtl', 'skatole nominal significance', 'systematic view genetic', 'milk content anxa9', 'intercross ibmap especially', 'level vitamin stress', 'different pietrain sire', 'mutation contribute', 'animal breed identified', 'xirp2 tetratricopeptide', 'calpastatin cast calpain', 'cart gene candidate', 'simangus hereford', 'effective genomic selection', 'adjacent marker 56', 'holstein cattle respectively', 'kg reduced', 'locus qtl fertility', 'yield 23', 'identified need', 'porcine mtpap gene', 'german sire evaluation', 'effect ssc13 trait', 'nrr90 estimated', 'respectively btb control', 'lower spp1', 'metabolic process wish', 'nellore finished', 'bovine udder', 'randomly selected', 'similar strategy', 'ratio longissimus', 'vartnb highly desirable', 'elevated drip', 'rfi1 rfi2', 'variant 37455302g', 'gwas mixed model', 'genotype inferred', 'represented biochemical', 'gene protein content', 'trait result demonstrated', 'involved degradation', 'development canales', 'a59v af536174 321c', 'sf5 omega pufa', 'udder health qtl', 'fcr offer valuable', 'opportunity study genetic', 'underlying body', 'allele maternal', 'response scrapie sheep', '16 18 23', 'multiple sequence alignment', '390 microsatellites 11', 'prevalence 87 including', 'analysis pleurisy', 'snp suggestive', 'categorisation ibk score', 'acid likely explaining', 'semimembranosus drip loss', 'chromosome region pinpoint', '26 milk fa', 'young boar similar', 'qtl boar flavour', 'snp affected fat', 'conformation promising', 'percentage rt', '16 035', 'trait including loin', 'source positive impact', 'approach proposed improve', 'snp located fabp4', 'year line', 'custom praying longevity', 'iodothyronine thyroxine', 'content using reverse', 'explore genetic effect', 'region analysis', 'serum essential diagnostic', 'sex interaction range', 'marker individual used', 'resistance virus strain', 'good animal model', 'yield protein percentage', 'trait locus slc52a3', 'associated em male', 'mutation mainly', 'descending lean', 'region snp genotyped', 'potential genetic variant', 'quality research', 'study bioinformatics analysis', 'snp significantly enhanced', 'family average marker', 'involving genotype fixed', 'locus affecting mammalian', '40 variation end', 'selection application commercial', 'snp vwf', 'program difficult include', 'onset mapped ssc7', 'holstein heifer', 'significant effect lipid', 'measured wk average', 'affecting cm2', 'element promoter', 'htr2c drd1 gabra6', 'october 2012 snp', 'conducted comprehensive genome', 'farm investigated', 'causative gene variation', 'unknown case', 'mass index human', 'related muscularity obesity', 'bw shl shd', 'effect serum lipid', 'primal cut total', 'population founded nil', 'dorsi rna', 'acid potent', 'assessed 513', 'gene 93', 'includes animal pigment', 'increase facial', 'reduced qtl likely', 'gene performance', 'including frmd4a', 'useful genome', 'using radiation hybrid', 'highest number significant', 'desaturase scd gene', 'mineral danish holstein', 'position quantitative trait', '17122 thicker bft', '02 85', 'model total qtl', 'pig different population', 'reactivity reactivity human', 'autosome spanning', 'close vicinity', 'correlation 77 00', 'exon untranslated region', 'antibody titre cestode', 'related phenotype', 'result association', 'dairy type', 'polymorphism nc_007324', 'acid group related', 'combined datasets', 'sheep cattle provided', 'qtl syntenic hsa', 'performed independent', 'heritable h2', 'eighteen grandsires 716', 'σ2p phosphorus', 'accuracy time saving', 'inhaled stable dust', 'shank length pectoral', 'nagoya breed white', 'balance gene', 'suggest evidence differential', 'maternal chromosome', 'population used', 'enhancement host resistance', 'known gene responsible', 'using advanced imaging', 'dcd contrast 259', 'flight distance', 'length measured second', 'region microsatellites analysis', 'skatole heritabilities reproduction', 'metabolic pathway phosphate', 'crossing affected', 'organism lacking extensive', 'contained 504 bp', 'biological process birth', 'important improve', 'rbc difference indicative', 'macrophage tropic cause', 'values ranging 99', 'extreme phenotypic spectrum', 'site intron resulting', 'chromosome 10 significantly', 'eca upstream', 'significance study earliest', 'expected individual descended', 'individual available analysis', 'approximately 30 000', 'snp qtl single', 'complex showed', 'ld genetic variant', 'improved power detection', 'variant cnvs', 'pregnancy status', 'bf trait possible', 'trans eqtl modulating', 'eca 24', 'level performance', 'intensively artificial', 'cwt backfat', '85 mortality', 'snp identified genotyped', '38017 34240', 'population brahman', 'population including grandparent', 'foot trait cm', 'hap3 associated', '12 tcf12 catenin', 'approximately genetic', 'backcross individual', 'evaluation breeding animal', 'data enabled', 'remaining steer', 'avian influenza antibody', 'used study used', 'haemonchus contortus tertiary', 'gwas 22 milk', 'revealed 17', 'white duroc shanxi', 'ube3b ube3b', 'unrelated ram', 'effect model additive', 'average interval covering', 'observed considerable', 'replicated significant', 'improving muscle', 'amp activated gamma', 'apoptosis protein kinase', 'fixed texel segregating', 'breed pietrain breed', 'cross commercial population', 'performed cnvs', 'produced milk 30', 'age slaughter fitted', 'reflects female reproductive', 'marker located previously', 'test positive', 'locus age', 'domestic animal study', 'locus dairy cattle', 'pat high', 'protein fat water', 'genotype diverse lipid', 'friesian animal high', 'growth trait used', 'map potentially unique', 'length bl', 'sd kg', 'lipase lpl considered', 'variance 19 51', 'genetic covariance trait', 'host genome useful', 'consecutive year egg', 'reml snp', 'tested data single', 'factor critical', 'observed cross multiple', 'potential genomic', 'variant 1194', 'hgd gene demonstrated', 'hybridization analysis', 'presence mutation mainly', 'variation identified associated', 'polymorphism snp study', 'point research', 'score multitrait mixed', 'test plink performed', 'pcr genotype', 'associated allele increased', 'factor 100', 'snrpd3 khdrbs2 sdccag3', 'associated resistance previous', 'finally 734', 'protein yield peak', 'using monte carlo', 'centric approach', 'suggests genetic heterogeneity', 'bta14 dgat1 nibp', 'old dsn', 'hypoxia defense intensifying', 'result considerable', 'lma hcw', 'metritis metr', 'power high', 'level skeletal', 'lg gene structure', 'method handle', 'snp rump', 'significant region 001', 'quality trait beef', 'additional case', 'effect lm', 'gwas confirms teat', 'western diet', 'reconvalescence chronic disease', 'aim study comprehensively', 'pleiotropy order characterize', 'identification qtl provides', 'generation large', 'address hypothesis association', 'nr6a1 gene pcr', 'finding support result', 'used simulation test', 'disease resistance detected', 'class gene', 'consumption increasing country', 'combining increase imf', 'comparison hybrid', 'sutai pig meta', 'fat inter intramuscular', 'hcr genomic', 'maturity cortical', 'suggest snp dgat1', 'backfat depth fat', 'tertiary haematological', 'locus involvement domestication', 'human embryonic', 'bf bf ssc1', 'cause breed', 'eca13 eca15', 'related f2 population', 'sheep population respectively', 'represented gene combined', 'result revealed total', 'assessed 513 new', 'load pathogen', 'utr utr edg1', 'c14 intramuscular fat', 'dairy trait cv', 'pathway analysis used', 'af549499 502', 'produced crossing japanese', 'imfl gp influenced', 'duodenum ileum jejunum', 'acid composition measurement', 'help selection increased', 'detection small design', 'cow described', 'protein lacking', 'imbalances strategically', 'model band', 'multiple line', 'bodyweight specific', 'skin homeostasis cartilage', 'accounted breed', 'statistical model multi', 'identified 222 highly', 'day generation commercial', 'intragenic region neurl1', 'locus respectively snp', 'coefficient parametric', 'process transport localization', 'adjusted birth', 'ank1 gene', 'ssc2 sscx', 'hereditary cutaneous', 'energy partitioning potential', 'npl seven candidate', 'c896t influenced afe', 'igf1r gene crucial', 'polymorphism snp predictive', 'study provided evidence', 'study group', 'primary antibody response', 'von willebrand', 'second shearing result', 'achieved industry', 'added build 50k', 'locate mb', '13 major', 'provided distribution', 'trout breeding program', '18 porcine', '19 genetic variance', 'deviation ebv pat', 'gebv udder health', 'concentration total animal', 'simultaneously removing', '144 microsatellite marker', 'qtls fatty', 'eqtl genotype furthermore', 'gene custom genotyping', 'relationship biological process', '23 qtls', 'phenotype time', 'analysis study revealed', 'fertilization ability', 'significant allele frequency', 'indicine composite', '6a1 lsy npd', 'ngs 4939', 'subcutaneous visceral fat', 'chain dehydrogenase', 'snp formed', 'taurus qtl', '547 piedmontese angus', 'lgb1 lgb2 gene', 'case genotyped', 'expression empirical', 'showed nominally significant', 'vaccine genome', 'porcine snp60v1 beadchip', 'disease bovine', 'genetic marker body', 'ranged 37 04', 'analyzed streptococcus', 'cm shank', 'cow lower number', 'notably muscle mass', 'progress using genomic', 'role positional information', 'integrity rate', 'ma requires', 'line brown commercial', 'analysis sma method', 'hco3 tco2', 'restricted rearing', 'breeder help avoid', 'snp bta13 intergenic', 'parasite resistance immune', 'cortisol response crowding', 'heterozygous different broad', 'trait carcass value', '798 sequence', 'qtl analysis trait', 'response infection resolution', 'associated lactogenesis', 'genotype significantly higher', 'sensory assessment performed', 'silv 64a causative', 'variation gene influence', 'g75a exon identified', 'mortem ph1 carcass', 'qtl exhibiting large', 'significant lower', '14 trait fine', 'detected major qtl', 'aimed analyze identify', 'genome scan study', '261 italian holstein', 'haplotype trait association', 'substitution effect ew', 'substitution effect individual', 'million single nucleotide', 'pcr based amplification', 'underlying gene eye', 'mir 204 expression', 'increase protein yield', 'evaluated allele frequency', 'association study undertaken', 'chromosome 05 chromosome', 'female 402', 'located marker locus', 'locus close promoted', 'mitf gene associated', 'different variant', 'gene 0005634', 'disequilibrium implemented', 'chromosome leaving', 'distal kit close', 'based selection strategy', 'previously detected porcine', 'homeostasis skeletal', 'overlapped qtl previous', 'odds lod score', 'mbl mediates', 'cis eqtl', 'record 692', '15 0418', 'marker bm415 chromosome', 'qtls pathologic change', 'tool detection fine', 'cow allocated testing', 'analyzed genomic organization', 'ssc6 showing moderate', '20 561', 'performance dairy beef', 'ca metabolism gene', 'marginal evidence pair', 'puberty genetic basis', 'set 1255 snp', 'located region fasn', 'insight mechanism underlying', 'fsh target fsh', 'promoter major', 'bacterial level', 'function increasing', 'quantitative transmission disequilibrium', 'effect validate commercial', 'planned milk yield', 'area musculus', 'association used', 'contribution c3 polymorphism', 'trait identify causal', 'multiple marker', 'strategically remixed new', 'bamaxiang tibetan identified', 'corrected fixed environmental', '23 28', 'tissue polish landrace', '01 qtls raspf7', 'duroc boar snp', 'experiment performed french', 'adam12 conclusion using', 'gwas using high', 'ld analysed factor', 'doping based genetic', 'qtl observed', 'peak chromosome located', 'discovery qtl facilitates', 'determinism prolificacy', 'important welfare', 'effect different genetic', 'variance method computationally', 'tumor cell', 'variation finnish yorkshire', 'haplotype marbling', 'strategy refine', 'validation prediction expression', 'bta 32', 'farm trait', 'individual resistance', 'microsatellite marker fertility', 'spacing 14', 'test significant snp', 'significance using alpha', 'variation backfat', 'select japanese black', 'strongly related bw70', 'tissue highest expression', 'mapping panel consisted', 'causal variation future', 'notably cdkal1', 'mcm130 affecting muscle', '101 34 30', '278a gu253337', 'strongest signal region', 'missense mutation located', 'ascites advance', '100 qtl', 'associated performance', 'expression involved', 'tg gene specific', 'window used', '18 sow', 'bull sequenced identify', 'virus induced interferon', 'sequencing lonrf1 uncovered', 'marker lra1 mapped', 'identified ppargc1a', 'canine result used', 'taint testis trait', 'region chromosome omy9', 'approach phenotype 486', 'ar gene scrotal', 'panel carry muc13b', 'ct gt', 'rs13684613 rs13684615 rs13684616', 'dry cured ham', 'shearing test broad', '70 cm maximum', 'averaged estimated', 'capability identify', 'composition method high', 'mtpap promoter reporter', 'glycolysis increase post', 'qtls chromosome segregating', 'yield ebv hap21', '40 cattle', 'ppn0 90', 'mediated decay', 'rna aldbsscg0000001928 identified', 'dly pig', 'proof probability', 'study compare mapping', 'test isolation', 'family revealed locus', 'semimembranosus commercial pig', 'camp signaling finding', 'result depended data', 'infection identified', 'mass candling reveals', 'aries oar chromosome', 'association gastrointestinal nematode', 'selection association ghr', 'associated gene underlying', 'associated age calving', 'marker regression', 'hen welfare', '01 carcass weight', 'cow bb', 'vrtn positional candidate', 'background somatic cell', 'afe g593a', 'ebv unraveling', 'age en300', 'effect phenotype current', 'external factor', 'mir 532 expression', 'nitrogen content', 'horse quarter horse', 'exterior meat quality', 'fsil elite commercial', 'level axis', 'female progeny furthermore', 'candidate nba', 'ph value study', 'cattle identified potential', '10 fat', 'kg wide range', 'abdominal fat percentage', 'look single nucleotide', 'larger different breed', 'response driven change', 'snp bta', 'qtldb database investigated', 'regulation actin cytoskeleton', 'added total 315', 'region bta 18', 'consumer improved', 'candidate future', 'associated growth stature', 'mm 23', 'horse pre different', 'cc 05', 'marker protein', 'mutation gon4l', 'genotype backcross', 'cross large', '49 cm 20', 'marker set extended', 'interline cross', 'rna seq based', '27 44 female', 'prrs host genetics', 'selection management beef', 'association contrast single', 'parturition lead', 'polymorphism 492 bp', 'snp bos taurus', '526 bp square', 'cn associated', 'consisting average', 'racing horse successful', 'cyp11b1 effect', '12 668', 'detect interaction', 'single variant', 'protein cofactor atgl', 'revealed 30 significant', 'change contour structure', 'egg layer blood', 'different breed combined', 'bta21 putatively underlying', 'frequency tender allele', 'effect associated androstenone', 'hypothesis cw analogous', 'carcass trait applicable', 'pig divergent', 'vitro vivo furthermore', 'variance trait dairy', 'association qtl', 'resulted significantly worse', 'drip loss bves', 'snp individually', 'snp rs81358375', 'creates difficulty', 'associated psychiatric neurological', 'indicator sexual maturation', 'cnv12 overlap obesity', 'milk riboflavin', 'dominance effect bullock', 'management raleigh nc', 'economic present', 'wildtype fn298674', 'originating cross', 'narrow heritabilities ranged', 'prdm16 allele', 'nature trait threshold', 'coding variant mutation', 'horn test', 'offspring inheriting hereford', 'intake identify region', 'suggest xkr4 play', 'genome level', 'recent availability', 'thought crucial candidate', 'including chinese', 'wild population soay', 'abhd16b play role', 'enhancing monounsaturated fatty', 'increased prolificacy fecx', '27 highly polymorphic', 'region population pig', 'qtls important trait', 'contributor boar', 'intestine pig country', 'completely linked exhibited', 'phenotype genotype available', 'important selection', 'identified experimentally infected', 'breeding production', 'substitution carcass', 'md lymphoproliferative', 'adjusted 0972 myod1', 'trait holstein cattle', 'showed region major', 'protein sosondowah', 'estimate limited availability', 'marchigiana breed assessed', 'gene previously related', 'carcass 05 backfat', 'profile important', 'identification snp associated', 'ssc major', 'genetic basis body', 'daily gain nanyang', 'small intestinal epithelium', 'region development', 'gene esr', 'overlap greatly implied', 'ld extends region', 'calving afc', '300 measured 347', 'qtl avfec avpcv', 'phenotypically diverse', 'marker form final', 'eca2 associated rac', 'selection cow', 'acid metabolism', 'qtl study humoral', 'uncovered thirty genomic', 'region significant suggestive', 'rs81465339 rs81394585', 'allele derived parental', 'bf fat case', 'gga2 10 intestine', 'independently mapped square', 'sire number horse', 'cattle sire marbling', '65 cm 48', 'pig productive trait', 'mouse homozygous animal', 'analysis genetic differentiation', 'wide chromosomal area', 'gene snp rs41694646', 'quality mutation', 'tender weight abdominal', 'effect seemingly exist', 'wld 117', 'mutant genotype validation', 'white reference family', 'regulation 63', 'intake 200 pig', '03 08 03', 'mongolia ewe', 'potential act', 'region identified novel', 'insertion prlr', 'birth weight aa', 'target network conducted', 'grandsires experimental diallels', 'haplotype association fcr', 'carcass closely linked', 'deposition detected', 'lcorl gene', 'founder population', 'pool control herd', '23 site', 'gene resolved aa', 'rfi component', 'thirty snp', 'sow reproduction efficiency', 'cla cla', 'il16 plin1', 'result suggest anxa9', 'presented single multi', 'cattle linkage', 'hic1 drive', 'mass chromosome', 'effective vaccination', 'informative snp cross', 'body weight total', 'development prolactin receptor', 'intake fi 05', 'metabolism differential', 'located chromosome number', 'mammary tissue', 'adolescent particular poor', 'em used', 'mapping number', '18 prl', 'difficulty calving size', 'showed association dmi', 'gilt reproductive tract', 'intron bovine', 'qtl muscle hypertrophy', 'exhibited heterozygous genotype', 'ii plus non', 'breeding value backcross', 'regression ldrm', 'analysis facilitated exploration', 'array facilitated discovery', 'backfat significant difference', 'network based genotypic', 'subcellular lipid', 'expectation maximization bayesian', 'load b1 cross', 'composition specifically', 'present day', '300 ssc1', 'broad avenue', 'fyb gcnt3', 'chromosome qtls', 'collection holstein bull', 'diversity selection resistant', 'general transcription', '12 imf located', 'included snp', 'lei0079 mcw145', 'level dtd curve', 'identified transcription factor', 'hanoverian dutch', 'cm allele', 'etec f41 using', 'appear genetic control', 'correlated ttn conclusion', 'ancestor yield', 'disequilibrium true', '52 danish holstein', 'recovered level', 'molecule intricately', 'progeny brother genome', 'score mg meat', 'mutation ryanodine', 'validation sample', 'performed reproductive', 'standard dimensional', 'heritable 67', 'alb glo glm', 'phenotype gwas', 'nonsense variant', 'regulator bmper inhibitor', 'leading death absence', 'expressed profile large', 'statistical environment', 'qtscore function genabel', 'fn424076 96c promoter', 'bivariate conditional', 'qtl rt 24', 'fabp5 haplotype qtl', 'bta14 72', 'trait validation result', '770 holstein friesian', 'motif promoter muscle', 'ibd matrix applied', 'design analyze', 'used phenotypic data', 'division differentiation apoptosis', 'size world genetic', 'process pathway rfi', 'region 43 47', 'reported time', 'facilitated discovery genetic', 'array restriction', '1839 amino acid', 'showed 815', 'exon nucleotide', 'slaughtered 85 kg', 'piglet born sequenced', 'population size including', 'associated maternal infanticide', 'heterozygote advantage btb', 'social behavior bird', 'association snp marker', 'set step', 'cg nucleotide cpg', 'indicator resistance', 'feeder day nvd', 'region perform', 'significant chromosome level', 'quality trait result', 'improved qtl resolution', '80 cm 12', 'fatty acid level', 'influence crucial aspect', 'selected low high', 'effect dominance', 'candidate region', 'adrenocorticotrophin hormone hypothalamic', 'snp cart mc4r', 'observed cross', 'used artificial insemination', 'crossbred sire genotyped', 'exist arm ssc2', 'fat trait chicken', 'sample hanoverian', 'trait stepwise conditional', 'qtl snp substitution', 'association study rectal', 'remains economically important', 'located bta14 867', 'qtl feed consumption', 'burden bta14 confirmed', 'origin time comprehensive', 'immunoglobulin igg response', 'best linear', 'snp explained greater', '40a single nucleotide', 'genotypic value suggesting', 'located significant', 'qtl multiple trait', 'sertoli cell', 'aquaculture affect', 'deposition metabolism', '10 putative region', 'bone quality genotype', 'breed comparison epistasis', 'expensive measure sex', 'scs sd significantly', 'iga lamb associated', 'mean difference genotype', '68 cm bft', 'equation offer new', 'day hatch wog', 'disease commonly observed', 'high low', 'human 12q21', 'associated stress response', 'level 11 qtl', 'line current marker', 'region linked melanoma', 'bovine milk identify', 'protein yield 0001', 'weight haematocrit percentage', 'region 18', 'study performed large', 'population genetic analysis', 'effect breeding value', 'texel breed', 'size observed', 'lung lesion score', 'genotype fcr', 'texel suffolk lamb', 'modified fatty acid', 'respectively genetic variability', 'sc parameter', 'terminal sire breeder', '61 177', 'account various acronym', 'intercross line birds', 'averaging 229 kg', 'average correlation', 'bta2 surrounding mstn', 'bta02 prim', 'deduced nucleotide', 'especially qtl', 'height bta', 'heterozygous genotype', 'ranged 13 analysis', 'positive effect pig', 'located lg1 lg3', 'score lei0071 lei0101', 'used predictor bayesian', 'using truly multibreed', 'pit polymorphism', 'genotype average gene', 'pedigree genomic', 'salmonid compared', '003 trait', 'csn3 polymorphic', 'trait examined 94', 'trait holstein dairy', 'snp created additional', '1800 bull german', 'initial finding snp', 'region ssc17', 'compared white', 'trait representing', 'sheep behavioral response', 'taint treatment undesirable', 'based analysis performed', 'central snp', 'nineteen region harboured', 'reduced fearfulness seen', 'respectively univariate analysis', 'parameter growth', 'composition variability', 'driploss phusm association', 'structure independent', 'trait qtl region', 'development belgian', 'common sire cow', 'org qtldb', 'adenosine monophosphate activated', 'important physiological cellular', 'haplotype mutation', 'bone circumference ssc4', 'breed serological', 'wise significant qtls', 'lo sh rib', 'tex11 ar gene', 'set candidate gene', 'novel unique selection', 'ghrl2 ldlrad3', 'polymorphism snp effect', 'small conformation scoring', 'population stratification', 'variation sow', 'region genome', 'gene variant rw070', 'ca ratio 455', 'leucine rich repeat', 'relatively higher proportion', 'test significant suggestive', 'approach pathway meta', 'deviation selective neutrality', 'sub saharan africa', 'significantly higher cc', 'detect sequence', 'snp 176 suggestive', 'time dependent relationship', 'anti teladorsagia', 'breed finnish', 'previously described ovine', 'chicken inherent expression', 'muscling 12', 'cla polyunsaturated fatty', 'term dbwavg', 'pair design refined', 'parameter dna', 'study replicates', 'suffolk breed', 'growth period', '293 pig', 'color tenderness', 'result indicated fshr', 'fold cross', 'locus dairy', 'holstein bull sperm', '278 male', 'identified region genome', 'weight loin', 'qtl phu', 'teat trait affected', 'participatory animal', 'expression gene detected', 'identified 11 kb', 'nve 78 rib', 'estimate 141', 'present study association', 'prme pre', '11 qtl association', 'steer evidence suggest', 'teat udder', 'pde4b anoctamin', 'qtlrs contain polymorphic', 'imf qtl region', 'standardbred sb', 'structure balancing', 'background study genotyped', '540 lamb', 'high heritability postulated', 'snp sperm', 'led conclude', 'ssc17 qtl', 'multiple trait multiple', 'weight younger age', 'cross half', 'chromosome 13 17', 'kb region harboring', 'region nh', 'negligible frequency taurine', 'selection toolbox livestock', 'rate used', 'affecting rfi', 'trait detected combining', 'random sire fixed', 'carcass compactness significantly', 'affecting mean', 'female lamb allocated', 'am950287 306c located', 'showed 12 known', 'female died implantation', 'specific transcription', 'improvement bovine qtl', 'tcap gene', 'core qtls', 'trait nelore', 'calf size birth', 'gene feed', '01 05 year', 'dam local', 'effect interaction', 'bovine milk play', 'degenerative alteration equine', '36 microsatellite', 'mycoplasmal pneumonia swine', 'related heart girth', 'snp length lepr', 'tef1 association', 'trait german', 'diversity association analysis', '37 12 82', 'polymorphism sterol regulatory', 'understanding underlying', '08 13', 'expert equine orthopedics', 'study gwas second', 'attributed ryr1 mutation', 'measured end', 'chromosome significantly associated', 'economy meat', 'pig chromosome genotyped', 'wise multiple milk', 'trait provide direct', 'host genetic component', '07 0e 05', 'significant snp previous', 'effect dam maternal', 'erythrocyte altered', 'f₂ pig', 'fat percentage afp', 'study interestingly rs80805264', 'little attention breeding', 'caused fungal', 'hct haemoglobin hb', 'previously identified primer', 'value beef marbling', 'scrofa chromosome ssc10', 'combination design', 'c10 c12', 'located myostatin', 'drd4 significantly', 'pig imf especially', 'dna extracted genotyping', 'web based', '12 linkage map', '05 prioritization', 'pup anxa10 female', 'access raw', 'variant complex', 'family 903', 'val27ala different', 'conducted experimental line', 'growth chicken', 'responsible marbling study', 'distinct qtl located', 'feed consumption measured', 'eye muscle depth', 'lead accurate selection', 'suggested separate qtl', 'identified 9657c 10718g', 'dam maternal', 'duplicated functional', 'panel qtl', 'specific mineral', 'bta replicated significant', 'cbat approach revealed', 'animal 16 half', 'variant promoter', 'density collectively 21', 'larger population consisting', 'stronger association', 'porcine growth carcass', 'analysis performed estimated', 'applied detect qtl', 'effect somatic', 'role mediating lipid', 'inhibitor diverse effect', 'calving trait chromosome', 'qtl importance', 'reduce genetic', 'association particularly incidence', 'gabrb3 hsf1', 'resistance significant snp', 'pqtl peaked snp', 'cattle population identify', 'component approach test', 'expression quantitative trait', 'fatness mainly', 'saturated monounsaturated polyunsaturated', 'animal method', 'snp ccl2 il8', 'ae bc respectively', 'gene ontology', 'study confirm refine', 'gene map close', 'qtl explained', 'equine recurrent', 'beadchip 50k assay', 'gene previous', 'meishan european wild', '336 animal extreme', 'case normal prolific', 'compact shorter thicker', 'gene transcriptional', '10 ap 05', 'pepsinogen concentration measured', 'secret milk protein', 'breeder perspective', 'factor determining phenotypic', 'tentative association milk', 'cohort used study', 'identified 01 additional', 'ab effective regarding', 'gene contain', 'low heritability trait', 'future study result', 'muscle fa', 'birth sow ab', 'uw cddr', 'insr am950289', 'spleen bacterial load', 'sox9 myc', 'level differed tt', 'discovery rate significant', 'trait prolificacy great', 'adjusted main systematic', 'american lean', 'marker adl328 qtl', 'polymorphic coding', 'selective sweep effect', 'aimed investigate correlation', 'individual rdhe2', 'genotype generally', 'early day', '24 month 01', '1326t potential cause', 'oligochip mrna level', 'candidate analysis', 'population total 12', 'biological process fat', 'coloration rectal temperature', 'leghorn breed using', 'association fabp4 haplotype', 'explaining highest', 'le phenotypic', 'nucleus population additionally', 'testing chromosome wise', 'carcass trait dressing', 'association muc4 8227c', 'differentiated locus group', 'coding variant genotyped', 'locus allele', 'polymorphism snp age', 'rate feed', '92 identity', 'puberty nipple number', 'regardless genotyping platform', 'polymorphism bw 49', 'design 10', 'genome sequencing data', 'understanding architecture gin', 'chicken gushi anka', 'genetically uncorrelated', 'study examining economic', 'displayed distinct', 'generated illumina', 'adult tissue', 'pair wise interaction', 'study reproductive', 'infection related', 'dongxiang reciprocal cross', 'sow homozygous', '139 genome wide', 'gga5 controlling trait', 'female birth weight', 'location gave', 'survival study utilized', 'furthermore individual aa', 'provides preliminary framework', '118 chinese', 'muscle area animal', 'imbalance associated important', 'role lipid metabolism', 'live weight breeding', 'dl gga1 bco', 'prolificacy contrast numerous', 'baluchi sheep identify', 'animal varied 694', 'region explaining largest', 'width area', 'eaat2 drd1 showed', 'clinical data', 'homozygous boar eliminated', 'bonferroni correction multiple', 'wide linkage analysis', '042 bf 27', 'study showed lactoglobulin', 'yield marbling', '1187 progeny', 'trait variation denmark', 'gilt ssc17', 'interval sw1302', 'study revealed single', 'temperature gga1', 'identified targeted region', 'trait ssc8', 'compound skatole affected', 'tibial breaking strength', 'valuing pig', '450 animal investigated', 'in2 primer result', '18 22 significant', 'sw1355 sw1823', 'daily weight', 'reproductive gene', 'carrier lamb weight', 'cwt eye muscle', 'diverse breed resistant', 'pectoralis leg muscle', 'ibd haplotype marbling', 'identified qtls', 'gene 118', 'ssc3 based data', 'possible opportunity', 'using snp based', 'biology lp help', 'drai genotype showed', '05 percentage fat', 'prl play', 'haplotype chromosome position', 'second shearing analysis', '18 kg', '586 cow', 'chicken comparison', 'applied adjust significance', 'nan china', 'infection cost effective', 'gene determine', 'economic benefit cattle', 'region genome effect', '100 kg', 'breed european lean', 'significantly associated bwg', 'performance evidence', 'analyzed 60k snp', 'associated wb', 'protein associated meat', 'ability act reservoir', 'infanticide behavior evaluated', 'trait including ph', 'data mastitis', 'performance infected', 'duroc pig total', 'count head', 'fat moisture make', 'trait 848', '300 ssc16 suggestive', 'fdmv peptide genetic', 'genetic progress slow', '86 genetic', 'area rea canchim', 'canchim breed', 'health data', 'olp revealed mean', 'different 01', 'detection power false', 'finding using', 'involving genotype', 'porcine whipworm', 'revealed causal', 'collected muscle', 'using generation family', 'located close region', 'association pit', 'large panel', 'increase depth mll', 'data 928', '15 trait studied', 'background gene previously', 'significant association published', 'fdr central snp', 'map available', 'accounted random polygenic', 'golga4 coq9', 'significantly associated chest', 'acsm5 classified', '620 fish representing', 'case favourable qtl', 'recognizable psti', 'fat trait complex', 'breed pl tested', 'identified associated sc', 'snp mapped previously', '11 immune capacity', '292 315', 'farm namwon', 'feature melim tumor', 'family genotype considered', 'result classified functional', 'dmi 236', 'segment amplified pool', 'snp including snp31', 'linkage map chromosome', 'fat carcass weight', 'availability complete genome', 'footrot phenotyped texel', 'haplotype test established', 'heritable improved', 'effect evidenced overlapping', 'mqr panel', 'zero conducted genome', 'suggests allele', '29 se', 'gwas single marker', 'polymorphism snp 14', 'lp significant snp', 'additionally individual snp', 'condition developmentally', '41 mb chromosome', 'snp used dna', 'iridis defect recorded', 'rs13997809 rs13997811 rs13997812', 'effect epistasis family', 'animal different cross', 'coefficient ranged 01', '45 min', '437g silent', 'multiple phenotypic', 'estimated pure', 'population dupi', 'smma new method', '604 largest', 'platelet count mean', 'trait proc', 'chicken suggestive qtl', 'exon site level', 'shoulder sh weight', 'development reproductive', 'swine heat', 'cast gene meat', 'present putative promoter', 'study performed independent', 'method eighteen', '39 72', 'study described region', 'play role membrane', 'bird intercrossed produce', 'e12 result', 'produced crossing ipn', 'iloperidone treatment schizophrenia', 'indicated low fec', '05 fat cent', 'extract muscle heart', 'identified purebred texel', 'compared 23', 'snp weight bft', 'study gwas body', 'cytotoxicity osteoclast differentiation', 'valuable information investigation', 'performed targeted', 'harbor gene known', 'power total number', 'phenotypic record 1447', 'analysis identified 29', 'bacteria poorly understood', 'plan fresh', 'bta 106779 strongly', 'conclusion qtls', 'population respiratory', 's0008 tenthrib', '60 porcinesnp60 beadchip', 'detected bos taurus', 'filip1 wadi', 'factor observed', 'interpreted measure level', 'marbling tenderness identified', 'respectively meat quality', 'rs339939442 aryl hydrocarbon', 'analysis identified kyoto', 'conducted snp', 'sire marker association', 'used indirect measure', 'dock7 trait', 'human hypobetalipoproteinemia', 'performed hek293', 'sire fixed qtl', 'population qtls', 'increased resistance', 'respectively qtl abdominal', 'purebred crossbred pig', '140 mb', 'related resistance', 'previous study mammalian', 'presence opn milk', 'based model functional', 'positional cloning resistance', 'reason involuntary', 'bull dairy', 'weight genetic architecture', 'gene novel potential', 'morphometric trait', 'percentage fa composition', 'polymorphism region', 'qtl single sire', 'ability pta daughter', 'lie conserved', 'ssc3 peak', 'measure animal', 'detection study pig', 'result step understanding', 'square mean behaviour', 'bta14 dh', 'qtl analysis using', 'population 723', 'total 529', 'mean new', 'service variance component', 'sheep significant', 'multiple gene identified', 'firstly genome', 'regression ldrm eighty', 'pig fullsib pair', 'alternative aim', 'cd36 showed strongest', 'transcriptome resistant susceptible', 'weaning bw gain', 'validated internally', 'ovis aries_v4', 'animal genotyped 70k', 'kinase gene', 'population additional molecular', 'ufa 0204', 'average fat 07', 'thickness steer family', 'confinement fed concentrate', 'basis sheep', 'analysed data previous', '16 eqtls value', 'polish landrace 05', 'fat cattle bos', 'role disease resistance', 'sequence variant performed', 'size economically', 'pork eating', 'fertility excluded remained', 'significant snp ovine', 'eno3 eprs', 'replacement heifer canadian', 'rs81109601 gh1', 'trait prompted achievement', 'association study warner', '218 newton', 'equation derived population', '73 signal', 'composition impact', '47 mb', 'f1 418', '78 rib', 'infanticide 05 quantitative', 'welfare profitability concern', 'holstein bull 338', 'addition based significant', 'pig chromosome 7q1', 'monoamine oxidase', 'involved disease', 'cm 0002 dmi', 'gwa regional heritability', 'spontaneous disease valuable', 'following chicken interline', 'involved cell cycle', 'included 431', 'chromosome contained rfi', 'increased ndv resistance', 'identify map qtl', 'suggest snp51_bta', 'qtl suggest host', 'dorsi saturated', 'reproduction trait pig', 'modulating complex heterogeneous', 'count trait', 'genotyping parental', 'result different', 'identified transcription', 'density swine snp', 'parity total number', 'ssc15 detected', 'difference qtl identified', 'trait qtls pleiotropic', 'use antimicrobial agent', 'located similar', 'affected meat', 'fibre diameter second', 'approach line provide', 'cow total', 'population pig examined', 'dairy breed result', 'raspf7 measured elisa', 'containing fixed', 'igf2 gene individual', 'btb domain', 'measured trait analyzed', 'report step identification', 'boar 25', 'conformational polymorphism', 'suggestive carcass', 'cent fatty acid', 'initiated body', 'prediction 02 ema', 'project meat animal', '481 cm suggested', 'family snp genotyped', 'remained independent contribution', 'human chromosome comparative', 'result improve knowledge', '280 snp', 'female somatic investment', 'breed approximately 550', 'effect significant examined', 'imposing way validation', '112 qtls fa', 'tyrosine protein', 'provided 13 region', 'cooking centrifuge', 'progeny test', 'concordant candidate sequence', 'higher quality', 'condition wasting', '1a 43722547a', 'underlying disease', '633 569', 'paratuberculosis infection', 'proportion overall genetic', 'muscle lipid oxidation', 'selected genome scan', 'yield milk milk', 'cm prnp', 'periparturient hypocalcemia association', 'located 26 autosome', 'range host', 'gene provide evidence', '125 yorkshire 173', 'qtl af bm', 'unrelated pig pig', 'sternal length body', 'experimental intercrosses', 'polygenic effect maternal', 'proactive coping strategy', 'utt accounting variance', 'haematocrit percentage feed', 'percentage total solid', 'birth reduce risk', '18 flanking region', 'rs107857156 tph2 rs20917091', 'area fat percent', 'qtl affecting muscling', '07 respectively snp', 'high boar', 'ndv heat', 'significant test', 'claim confirmed', 'experiment extend finding', 'trait potential deliver', 'variance 18 14', 'causative variant improve', 'clustering analysis', 'grandsire svm2 generally', 'stress complex trait', 'joint examined genotyped', 'clear sign', 'allele rjf', 'mepe particular', 'respectively prediction putative', 'reveal associated variation', 'cdna characterized 23', 'intron flanking', 'pig represent', 'calpain regulatory subunit', 'expression gr', 'significant bonferroni', 'gene insulin like', 'accurate small', 'adjustment litter size', 'direction implies', 'lightweight japanese', 'genomic selection proposed', 'ovinesnp50 chip multilocus', 'study founder', 'background previous', 'fi variant', 'targeted chromosomal', 'length carcass reduced', 'harboring relevant gene', 'rfi1 fcr1', 'sampling variation', 'uterine infection', 'trait identified recent', '270t 156a', '500 kbp', 'gpt female', 'effect assayed', 'case confirmed using', 'homozygous 1111a allele', 'mutation mln', 'birth time', 'haplotype linked', 'longissimus muscle greatest', 'analysis 47 897', 'region bta19 c14', '75 revealed', 'associated nonsense variant', 'lnba removal', 'ovulation rate suspected', 'provided far', 'animal duroc meishan', 'mttp identified', 'effective ma', 'cost meat', '4α member hepatocyte', 'yorkshire meishan resource', 'fy pp', 'body weight day', 'pdz domain protein', 'conducted genome wide', 'breed male fertility', 'chinese breed bird', 'qtl horse', 'fertility qtl detected', 'effect fertility', '10 grandsire', 'association mapping followed', 'qtl interval mapping', 'md resistance identified', 'population direct detection', 'trait category claw', 'strain develops', 'diplotypes significantly', 'pi affected calf', 'imf juiciness', 'snp sc ebv', 'analysis map qtls', 'high low adjusted', 'cost genomic', 'summary finding provide', 'disease trait', 'detected snp fn396538', 'liv iga level', 'genetic effect previously', 'gene snp variation', 'qtl testicular weight', 'vaccine design gene', 'variation fertility', 'architecture phenotypic', 'effect retinal', 'population mean', 'trait association suggests', 'blood value calcium', 'previous study candidate', 'weight different age', 'position multiple marker', 'qtl region reached', 'set 856 527', 'best associated snp', 'additional ssc1 qtl', 'genotype diverse panel', 'transcriptome profiling', 'mean ultrasound backfat', 'pig containing approximately', 'disease commonly', 'horn phenotype', 'associated increased body', 'scan confirmed chromosome', 'scan 221', 'known associated fishy', 'likelihood odds score', 'glucose dependent', 'operating snp locus', 'body weight apex2', 'activity process development', 'lightness redness ultimate', 'percentage breast', 'nba litter', 'silky fowl', 'herd test', 'line result total', 'binding cassette', 'additionally genomic', '63 solely detected', 'hypertrophy accumulation', 'overlapped 12 quantitative', 'study 10 affected', 'continuous challenge cattle', 'marbling bta6 10', 'number teat estimated', 'locus involved low', 'able adequately fit', 'number following colubriformis', 'confirmation qtl detection', 'certain animal', 'important aquaculture', 'level expression', 'adult homeostasis skeletal', 'qtl sex specific', 'polymorphism informative', 'especially week', 'western chinese breed', 'trace inheritance qtl', '13 result', 'decrease onset', 'imprinting cluster including', 'total 79', 'bull station', '90 catfish genome', 'flanking region apovldl', 'comprehensive gene', 'ssc8 36', 'represent true', 'additive model', 'reported observation', 'substitution stop', 'carcass trait haplotype', 'genotyping lei0258 microsatellite', 'using standard genetic', 'transcriptome data', 'motility observed square', 'uterine ovarian hypoplasia', 'incidence notably region', 'coupling phase', 'current annotation', 'modulate resistance', 'region exploited improve', 'confirmed pleiotropic effect', 'furthermore 40', '78 sire', 'segregation qtl confirmed', 'qtl cryptic allele', 'gene key', 'potentially influenced', 'dry matter intake', 'regulation protein lipid', '53 qtl detected', 'ssc4 ssc5', 'c14 c14 c18', 'lysosomal proteinase obesity', 'animal using genotype', 'line help uncover', 'suggesting affect', 'rs109146371 rs109234250 rs109421300', 'transcription factor play', 'ewe available data', 'kb downstream mstn', 'weight observed value', 'role uptake', 'improved growth rate', 'swine facial', 'ldl ratio imprinted', '2449g 2379c', 'infestation body', 'bw 35', 'aforementioned snp slaughter', '03 05 peak', 'cpsa pleura 16', 'genetic evaluation teat', 'qtl recent', 'cross showed significant', 'refine genomic', 'secondary infection', 'selection resistance gastrointestinal', '247 79 kg', 'protein fkbp6 associated', 'bovine milk chl', 'optimal way enhance', 'studied oar3 qtl', 'heterogeneity presence pseudoautosomal', '12 duroc', 'comprising 2333 animal', 'infectious disease vertebrate', 'bsri newly 24507g', 'population respectively imputed', 'probability computed', 'different trait analyzed', 'test chi2 190', 'classify gene expression', 'architecture complex', 'infects quarter sheep', 'outbreak 100 resistant', 'sow white', 'mothering ability sow', 'test total 18', 'neuropeptides receptor', 'animal seven hematological', 'achieved region moderate', '05 estimate genetic', 'applied qtl', 'finding genome wide', 'genetic basis feed', 'smaller additive effect', 'hgd pvuii genotype', 'potential functional role', 'result work shed', 'mutation mstn gene', 'gene avpr1a certain', 'analysis feed intake', 'rhm gwas detected', 'dik2741 50', 'strength future', 'bone fbmd genome', '05 shank length', 'yorkshire cross iowa', 'given qtl', 'association v371m', 'suggestive association verified', 'capn1 followed', 'event associated', 'pork mature', 'validate previous', 'gdf8 region oar2', 'respectively intercross high', 'ile 442 met', 'candidate locus linked', 'important livestock', 'old addition pig', 'average skatole level', 'challenged 30', 'control digestive efficiency', 'percentage milk yield', 'interval s0001', 'intake pituitary', 'approach second analysis', '32 affected', 'strikingly underweight', 'spink5 slc26a2 laminitis', 'chromosome 10 examine', 'rib reside haplotype', 'affected pig fullsib', 'conclusion pleiotropic qtl', 'location lei0071', 'rbm42 sesn2', 'trait possibly', 'early development study', 'identified significant association', 'important conformation', 'comprised 200', 'snp located genomic', '480 sheep', 'qtlmap software linkage', 'potentially altered gene', '058 001', 'clearly explained difference', 'gene cluster', 'reproduction location swine', '5a kdm5a gene', 'investigated single nucleotide', 'size italian brown', 'established chosen', 'thickness width', 'composition trait detected', 'association genotype lumbar', 'capacity depends', '5305c exon', 'low adjusted linear', 'addition identified multiple', 'analyzed data', 'feed cost methane', 'intermediate non', 'lamb approximately mo', 'snp genotype year', 'composition melting point', 'chromosome sharper leading', 'manage tick primary', 'intake dmi body', 'fat content 1557t', 'rflp pcr', 'detection new', 'piglet characterised progressive', 'importantly meat', 'condition additional', 'tnfα nfκ', 'second sample constituted', 'showed deletion induces', 'analysis potential', 'study soay', 'value fatty acid', 'foetal bovine tissue', '125 ng 1206', 'strong positional functional', 'recorded association', 'chromosome chromosome identified', 'born 2013', 'nr6a1 gene number', '17 04 transformed', 'fewer heterozygote rs43032684', 'gga3 associated cw', 'difference adg adfi', 'c3c haptoglobin', 'formed linkage disequilibrium', 'database snpdb including', 'pig qtls hematological', 'gene identified selected', 'determining primary sex', 'diego ca estimating', 'phenotypic level detected', 'study revealed qtl', 'based squares method', 'region capable', 'polymorphism influencing cholesterol', 'weak correlation', 'muscle mass present', 'pattern qtl time', 'haemonchus contortus breed', 'human depression', 'region list quantitative', 'yw eggshell', 'malformation occurs 5000', 'ssc5 ssc7', 'gestation length sire', 'colouration quantitative', '120 md', 'cwt increased', 'large effect', 'breed followed', 'designed amplify', 'common complex disease', 'response regulated', 'rs107856856 rs107857156 strong', 'rs81434489 ssc 12', 'ccaat enhancer binding', 'significant level association', 'functional element', 'daughter 11', 'carotene major', 'known genetic basis', 'genomic region rhm', 'welfare economic', 'respectively outside', 'response good positional', 'estimated frequency', 'present research', 'scanned using', 'binding motif multiple', 'population effective', 'effect commonly attributed', 'associated mastitis incidence', 'polymorphism serve important', 'parity 12', 'myostatin gdf8 region', 'test combined linkage', 'efficiency increase', 'parameter estimate mature', 'size sheep', 'interval rxrg', 'bird identification major', '61 cm 10', 'pool genotyped 181', 'gene candidate locus', 'variance group omega', 'predisposition develop', 'qtl seventeen genomic', 'study demonstrated qtl', 'cattle danish', 'number born tnb', 'polymorphism potential tool', 'ew eggshell', 'record 15', 'promoter mutation molecular', 'visual assessment', 'selected scan', 'carrier bull', 'different growth stage', 'qtl shell trait', 'shank length affect', 'performed mean variance', 'large comb', '423 bull genotyped', 'md hd seq', 'simultaneously change', '25 addition previously', 'associated metabolic disorder', 'individual selected', 'multiple milk', 'chromosome 11 13', 'mapping qdg', 'density refined', 'gene proximal promoter', 'puberty genetic', 'weight tender weight', 'snp chinese holstein', 'meat ham', 'linkage analysis study', 'wise level trait', 'ibd probability quantitative', 'load dpi important', 'lactation sck1', 'recorded ultrasound', 'wide efficient mixed', 'population 383 result', 'second weight animal', 'phenotypic pure breed', 'variant coding', 'identified increase', 'identifying time', 'composition beef age', 'metabolism acetyl', 'adfi population', 'group related', 'pair ancestral', 'alive iberian meishan', 'resulted little', 'oc lesion', 'population strong', 'length week shank', 'variation applied', 'according linear model', 'combination pedigree', 'encoding nudix', 'analysis enhanced', 'ldla analysis detected', '15 cm distal', 'aberration malnutrition', 'feed intake control', 'day birth', 'snp 13 major', 'study detected genomic', 'combination different mechanism', 'involved linkage disequilibrium', 'research centre brandon', 'locus coccidiosis', 'understand role', 'qtl detection strategy', 'factor ppard lxr', 'gabrb2 gabrb3', 'level corticosterone plasma', 'study muscle', 'jersey deregressed', 'sheep significantly higher', 'qtl analysis confirm', 'test snp achieved', 'utilized generation resource', 'dq494488 dq494490', 'high twinning rate', 'expressed lower', 'thoracic vertebra', '84 cm 05', 'polymorphism responsible genetic', 'tool validating', 'german chosen', 'pig involvement', 'analysis including italian', 'fact localize suggesting', 'meishan significant', 'immunological function', 'abcf1 abcc10 scd5', 'listed based', 'susceptibility parasite', 'effect total 447', 'ex fmo1', 'type homozygote result', '32386957a clearly different', 'polypay dorset selected', 'identified kb', 'largest proportion variance', 'reserve utilisation', 'genetic characteristic', 'month animal', 'trait 54', 'prediction bias based', 'disease vertebrate genetic', 'role numerous', 'scrofa chromosome', 'profiling integrated qtl', 'protein function integration', '253 bp', 'strain association revealed', 'numerous mutation', 'population usually unknown', 'phenotype segregating', 'marker located known', 'mastitis qtl highly', 'region associated pork', 'mon normande', 'combined single multivariate', 'polymorphism chip md', 'breed brahman', 'bri3bp scd', 'lastly evaluated amp', 'tissue lung thirty', 'associated backfat depth', '001 level additional', 'gwa analysis marbling', '7907 7637', 'increase incidence', 'fatty acid thirty', 'seasonality lamb', 'cattle significantly associated', 'property haplotype', 'action amino', 'calving performance common', 'foreleg length hindleg', 'population revealed animal', 'smaller ww', 'agc 113g', 'bmpr1 snp cox', 'professor soller et', 'vertebrate skeletal biology', 'sahiwal 102 karan', 'quality trait chromosome', 'overlap obesity', 'breed specific association', 'bta02 bta04', 'carried detect quantitative', 'based gene', 'model overfitted', '2012 caused', 'includes frequent', 'predicted transmitting', 'polymorphism holstein', 'reproduction phenotypic', 'genotyping data 45', 'selected related population', 'genotyped 40', 'bull phenotyped', 'dyd major', 'qtl general population', 'distributed equine autosome', 'welfare economic loss', 'broiler breeding', 'chicken progeny derived', 'protein ligase', 'used establish genome', '42 qtl', 'downregulation gene containing', 'used analyze', 'age mapped chicken', 'sheep presence', '72 week', 'associated expression obtained', 'variation tight junction', 'promoter region lalba', 'diagnosed treated', '05 linkage disequilibrium', 'basis meat', 'bayesb bayesc', 'undergo puberty', 'unknown copy', 'body pathogen excessive', 'dairy cattle investigate', 'genotypic heritability', 'gga14 gga15 gga18', 'market size', '1093 purebred', 'attack piglet', 'sh weight', 'associated following trait', 'acvr2a transcript', 'axiom affymetrix genome', 'qtl improvement', 'control overall', 'greater mapping precision', 'snp 419', 'disturbed development functional', 'association mhc', 'friesian bull batch', 'genotype snp3 individual', 'hamper fixation', 'age laying afe', 'lamb birth vs', 'tract weight', 'tissue consistent effect', 'context expression regulation', 'affecting rear foot', 'kb window support', 'human aim study', 'chuk osbpl8 prlr', 'improving meat', 'gwas likely', 'pig defines quality', 'performed 49', 'wov embryo', 'state way', 'sire objective study', 'family phenotyped serum', 'gene minor', 'variation feed efficiency', '15 31', 'analysis statistical', 'genetic control fatty', 'omega omega', 'panel pig', 'time genome sequence', 'difference absolute distance', 'molecular variation region', 'marker mapping identified', 'measure trait including', '49 52', 'trait nucleotide cw', 'overlap confidence', 'analyzed tassel', 'pedigree containing', '9367 pmga', 'bta additional marker', 'intron intron', 'deviation deregressed proof', 'grass concentrate concentrate', 'breeding quantitative', 'separately cross', 'associated map', 'chromosome indicating trait', 'action responsible', 'effect fi', 'enriched functional category', 'qtls significant', 'trait progeny family', 'al use', 'pig population selectively', 'animal originating', 'hypothalamic function hypothesized', 'improved tenderness associated', 'mutation affected', 'negative logarithm value', 'residue lipid transfer', 'contrasting prevalence', 'pedigree marker', 'scoring visualization', 'association total 423', 'region impact', 'revealed key', 'tnb vartnb snp', 'weight cattle large', 'chromosome total 51', 'low level positional', 'family chromosome', 'economic loss decreased', 'heavyweight broiler female', '15 gene', 'submitted genbank', 'radiographic ultrasonographic', 'mutation g1406a', 'effect large justify', 'transcript eqtls overlapping', 'zebu taurine', 'trait value imf', 'trait qtl length', 'hereford bh', 'a59v associated rump', 'dependency graph', 'swiss pig population', 'result considerable phenotypic', 'conclusion identification heterozygous', 'day age additive', 'specie usually', 'laying chicken addition', 'fbat nonparametric', 'effect resistance developing', 'line appeared fixed', 'ema ms wgblup', 'biological process identified', 'marker detected ca', 'measured longissimus dorsi', 'verify effect independent', 'trait studied genetic', 'intermuscular fat 62', 'response ndv', 'qtl region utilization', 'sire cow', 'time primarily chromosome', 'pleuropneumonia increased', 'pasture based', 'sheep potentially', 'lcorl genotype', 'predicated heavily glycosylated', 'identified mutation insulin', '19 chromosome wide', 'multitrait animal model', 'producing dairy', 'mirnas lncrnas potentially', 'ahr gene normal', 'granddaughter design analyze', 'exhibit lightening', 'shape segment', 'despite gap knowledge', 'previously identified blackface', 'time milking meim', 'correlation estimated', 'lean growth reduced', 'result consistent', 'yield somatic', 'kinase cd27 binding', 'wise level dhx38', 'zn 57', '20 confirmed jersey', 'spotted pig 12', 'defect condition characterized', 'bta7 15 23', 'daughter design consisting', 'focused exclusively', 'indication region sus', 'lethal haplotype haplotype', '8308 1692 8774', 'threshold carcass grading', 'cm result suggest', 'high damaging', 'identify effect tm', 'scheme aimed', '547 large white', '38 424', 'genotype adipoq', 'gene major causal', 'reported fcr quantitative', 'elite egg', 'grazing endophyte', '280 snp phenotype', 'area pig', 'gh structural peptide', 'snp ars bfgl', 'se challenge', 'likelihood test', '46 001', 'imf qtl linkage', 'imf large', '0001 0257', 'total 57', 'pre mir 1606', 'late feathering locus', 'sd study combine', 'tibetan identified 50', '18 fat moisture', 'implying growth', 'component provide important', 'snp changing ile', 'body size growth', 'developmentally linked', 'granddaughter design family', 'scale sce detected', 'test flight feeder', 'variation muscularity sheep', 'trimmed ham', 'available 53 644', 'based gwas lean', 'snp discovered major', 'study infectious disease', 'abcg2 igf1', 'accounted principal', 'rad snps detected', 'grazing ruminant major', '1a ryr ecf18r', 'semi quantitative', '27 44', 'animal genetic basis', 'confirm qtl detected', '12 birth', 'cattle heritable improved', 'associated imfl gp', 'quality validate', 'epas1 mrpl48 hcr', 'related growth carcass', 'size gene', 'number genotype', 'chest circumference body', '24 post', 'accordingly animal', 'kb near', 'based result', 'thermoresistance motility sperm', 'serum ammonium', 'study demonstrate', 'analysis probesets', 'genetic architecture long', 'identified assumption qtl', 'reached bonferroni genome', 'evidence previous gwas', 'primarily post', 'ssc1 snp', 'centimeter fn', 'used model putative', 'density marker allowed', 'controlled different gene', 'microrna sequence', 'f10 generation quarter', 'specific cdna', 'tc 05', 'comprised 251 marker', 'identified sheep chromosome', 'larger effect', 'anonymous gene', 'searched additional genomic', 'prediction expression', 'winter milk sample', 'value parameter', 'rate excluding', 'bone quality effect', 'unraveling key gene', 'data experiment gave', 'associated interval qtl', 'available f4ab', 'responsive gene', 'applied genome', 'qtl hdl ldl', 'snp 314 suggestive', 'qtl mapping feed', 'analyzed individually', 'vertnin vrtn lysine', 'characterized 23 polymorphism', 'convenient strategy', 'cow infected', 'function development brain', 'cell remain oocyte', 'individual case control', '49 anatomy related', 'rate trait', 'signal clinical mastitis', 'variant utr region', 'identified parameter', 'qtl detected different', 'locus major', 'expression ugdh partly', 'major qtl detected', 'iia muscle fiber', 'chromosome 19', 'domestication animal regardless', 'glycogen ssc3 genome', 'influenced number igm', 'analysis dgat1', 'chromosome ssc8 iberian', 'probably play key', 'skeletal muscle tissue', 'cattle occur result', 'sympathetic nervous', 'identified chromosome apart', 'random source', 'rate semen', 'bf imf em', 'gga4 27', 'need fine', 'alive parity 05', 'genome scan 219', 'using 63 bp', 'researcher effect multiple', '45 bb type', 'genotype approach identified', 'serotonergic pathway', '137 mb additional', 'involved function', 'qtl segregating bos', 'highly expressed porcine', 'genotype allele ebv', 'finnish landrace imported', 'gene involved human', 'collected used', 'characterised bovine', 'explained additive variance', 'multiple phenotypic measurement', 'color warner', 'dairy industry', 'marker used illumina', 'underlie ibh genotype', 'weight validation required', 'bovine guanine nucleotide', 'dna 92 sheep', 'marker covering 135', 'residual considered response', 'transmembrane protein 117', 'compared fetal bull', 'teat defect time', 'estimate unlikely', 'collectively observation demonstrate', 'present study perform', 'number 05 additionally', 'bone proportion estimated', 'closest gene potential', 'pathway integral called', 'hco lead metabolic', 'program aimed', 'qtl search gene', 'genotype fp', 'q12 q13 study', '190 microsatellite', 'association lg', '18 hematological', 'miniature male', 'trait locus qtls', 'composition chicken linkage', 'jersey cow', 'pig 15 diverse', 'analysis trait', 'ab bb genotype', 'local linkage', 'diversity different', 'confidence interval ssc1', 'significant association 16', 'result considered', 'represent significant', 'experiment association protein', 'fat longissimus', 'family map', 'genome suggests mutation', 'rate somatic', 'allele allele display', 'concentration duroc purebred', 'likelihood method', 'vrindavani composite cross', 'better understand knowledge', '695 individual', 'required enveloped virus', 'knowledge skin', 'study gwas approach', 'phase qtl significant', 'litter size sheep', 'widely used breed', '966 depending', 'trait relatively small', 'pattern identified', 'ay487830 2228t promoter', 'ptm influence technological', 'oarx 50977717t nc_019484', 'mhc allele body', 'differentiation sphingolipid', 'population linkage association', 'multiple tests statistically', 'homozygous genotype strong', 'dicer1 progression phenotype', 'milk naturally', 'nature purpose study', 'regulated eqtl participated', 'sheep provide support', 'determined pig', 'validation including minimization', 'positionally phasing snp', 'gblup methodology', 'region water holding', 'age 10', 'cnvs associated', 'affecting nba', 'mastitis resistance majority', 'rock line 290', 'chinese simmental cattle', 'cross generated commercial', 'direct genomic value', 'decarboxylase gene 20', 'fdmv peptide', 'correction 15 235', 'growth trait 2004', 'disease detrimental impact', 'fcr bta', 'spawning date female', 'dna pool created', 'survey haplotype', 'year recognized', 'ai cnv harbor', 'scan quantitative', 'total egg production', 'hsf1 malonyl coa', 'phenotype iii ii', 'fat short term', 'phenotype multiple gene', 'miescheriana genome wide', 'carlo markov chain', 'absolute fat', 'respectively grm1', 'age conducted', 'region suggests', 'mapping chromosome confirmed', 'multiple trait analysis', 'numerous breed', 'pig 226 538', 'female pig', 'percentage finding indicate', 'population 300', 'lifetime reproductive', 'parameter hematological', 'nba nm trait', 'involved elongation process', 'onset puberty', 'aid future breeding', '660k snp', 'based comparison', 'bull kept', 'detection qtl directly', 'thickness bft1', 'variance usually', 'variation es regulating', 'family member tox3', 'located region investigated', '586 nguni', 'large 50', 'carcass composition important', 'search functional polymorphism', 'count fec costly', 'bta16 significant effect', 'homozygote sibling', 'dmi rfi feed', 'qinchuan cattle sequencing', 'low estimated', 'effect 68', 'threshold 05 01', 'source nutrient', 'advanced study capitalizing', 'nicl demonstrating', 'birth age parity', 'pheromone produced', 'genotype used', '06 qtl', 'scan genotyped 444', 'investigation required confirm', 'piglet born litter', 'density leg', 'transcript associated', 'play numerous important', 'phenotypic genetic variability', 'study candidate imprinted', 'trait result suggest', 'affecting feed', 'gga9 gga18', 'effect 047', 'service conception fewer', 'analysis human mouse', '919g associated cortisol', 'software using standard', 'factor e4b', 'purchasing attitude copy', 'color sc', 'difficulty cd', 'association period', 'ssc 11', 'technology possible generate', 'akt1 siva1', 'evenly spaced gga5', 'entire genome program', 'genotype litter size', 'parity negative', 'environmental effect joint', '100 snp significantly', 'parameter snp polymorphism', 'consecutive generation muscle', 'use secondary', 'isu berkshire yorkshire', 'addition 53', 'total 214 highly', 'aspect meat color', 'sequencing primer', '29 located linkage', 'carried fatness carcass', 'gain fixed', 'significance 12', 'leghorn chicken wild', 'imprinting effect small', 'hmga2 closest gene', 'maintain milk secretion', 'fitting animal', 'pathological threshold', 'effect trait f2', 'rainbow trout breeding', 'wide screen suggested', '33 4mb', 'trans acting', '001 increased age', 'mapped 426 human', 'dependency genetic', 'ocd intermediate ridge', 'prolific pig', 'yield associated', 'effect 01', 'marker regression mapping', 'mutation cd36 showed', 'disequilibria expected individual', 'extracellular integrin binding', 'knowledge help', 'gwas approach result', 'healing larger sample', 'fayoumi heat resistant', 'association suggest biological', 'herd erhualian', 'association npc1 gene', 'day age 60', 'iar cause', 'lw skatole heritabilities', 'highlighted ankyrins positional', '106 snp', 'functional variation', 'combining information', 'density following fine', 'influenced leg', 'associated opn', 'accounted mb sliding', 'ability mutated', 'mnb208 identified family', 'variance strong linkage', 'effect data available', 'designed investigate genetic', 'trait regarding', 'soluble vitamin elderly', 'conclusion drawn regarding', 'expression experiment', 'incidence osteochondral', 'composed mutation segregated', '615 539 3691g', 'stronger association litter', 'heritable value', '19 danish', 'qtl gene snp', 'prominent level pgf', 'cbg capacity 70', 'boar heterozygous favourable', 'based contribution', 'analysis correct', 'association study enrichment', '194 microsatellite marker', 'study genetic architecture', '31 21', 'distance 13', 'stillbirth calving difficulty', 'population simulation', 'subjected repeated serum', 'piglet born dead', 'farmer ketosis symptom', 'porcine gene', 'fork length fl', 'component analysis multitrait', 'significance association snp', 'cpd 917', 'lipoprotein validate genetic', 'gene regulating acsm5', 'bmd uncovered study', 'significant daily bw', 'underlying genetic architecture', 'polygenic architecture', 'family 18 additional', 'deposition investigation necessary', 'genotyped f2', 'swine snp', '72 week analysis', 'jersey limousin backcross', 'evaluated indicator region', 'peak function postcalving', 'bos taurus haplotype', 'ebpβ transcription', 'sire line dam', 'study snp bovine', 'hardy weinberg disequilibrium', 'searched quantitative trait', 'lcorl assigned', 'cellular hypoxia', 'heat resistant cross', 'indicine cattle', 'stage functional study', 'covered exon segregated', 'research university', 'verification sequencing', 'qtl result confirm', 'effect chicken', '209 genome', 'characteristic different', 'specific study', 'fam135b significant', 'fat yield bta', 'growth differentiation', 'study supported', 'architecture meat', 'metabolic rate', 'analyzed classical linkage', 'information chicken genomic', 'ovulation rate responsible', 'snps 06 04', 'lgals9 crude lipid', 'respectively 103 association', 'snp esr1 672c', 'allelic frequency compared', 'large white identified', 'producer identify', 'selection chicken resistant', 'disequilibrium mapping method', 'informative association analysis', 'eye defect', 'qtl dmi qtl', 'parameter total number', 'pig objective', 'detected chromosome 37', '54 tentatively identified', 'interaction network contained', '785 replacement', '334 duroc piétrain', 'total worm', 'modified live csf', 'insulin pathway controlling', 'uk irish government', 'grade dressing', 'calculated thirteen', 'confirm segregation previously', 'genotyped 129', 'related obesity', 'assigned accession', 'codon w80x seven', 'rfi2 major', 'beneficial welfare productivity', 'study lastly assigned', 'new cft parameter', 'emotional reaction', 'composition excretion', 'multifactorial disease oc', 'illumina 60 porcinesnp60', 'effect course lactation', 'analysis ci', '16 identified', 'assayed associated performance', 'lambing heterozygous', 'muscle yield variance', 'model marker', 'approach single trait', 'duroc erhualian', 'study investigate quantitative', 'region attained chromosome', 'threshold animal model', 'trait u6 spliceosomal', 'fecxh fecxi fecxl', 'duroc snp', 'carcass composition distal', 'model including', 'gene mutation transversion', 'improved meat quality', '22 significant', 'dlk1 meg3', 'vertebra using image', 'chromosome area qtl', '44 29 viral', 'combination polymorphism', 'effect milk fatty', 'sheep invading', 'fam198b tmem144 cxxc4', 'close fasn', 'elovl6 elovl7 fads2', 'snp complex showed', 'design cooperative', '493 bp', 'correlated clinical', 'host response experimental', 'gip acetyl', 'milk detect', '100 ssc2 ssc7', 'color ssc4 confirmed', 'affected brown swiss', 'described snp dq124298', 'herd gender genome', 'region 149 85', 'bw weaning', 'higher average milk', '592 579', 'index fst', 'regulated feeding', 'snp chip conducted', 'differentiate factor', 'genomic evaluation program', 'mapping perform', 'homozygous 1111a produce', 'eca15 contributing', 'ranged 47 phenotypic', 'genotyped cattle', 'time represent general', 'difference suggest marker', 'interesting region', 'effect particular fatty', 'tibia norwegian', 'conducted fitting animal', 'limited coverage', 'candidate gene growth', 'ssc major known', 'atresia occurs', 'chance support conclusion', '12 week fitting', 'score marb genotype', '58 cgi 58', 'effect scs qtl', 'variant 42', '531 randomly', 'grow finish pig', 'significant snp explained', 'wide level 22', 'aid selection simultaneous', 'containing 38', 'activity highly expressed', 'r25c significant effect', 'charollais breed', 'health issue cow', 'sp3 activates', 'lm ssc6', 'locus potential used', 'locus showed', 'association publication describes', 'phenotype assessed analysing', 'tympany gpt hereditary', 'detected according', 'conditional qtl effect', 'gene apoh', 'map susceptibility cohort', 'pathogen sarcocystis', 'contributes sustainability', 'enhance understanding molecular', 'underpinning relationship advance', 'pig body play', 'fatty acid deposition', 'population lohmann tierzucht', 'important physical chemical', 'meat bos taurus', 'mh tetanus toxoid', 'melanoma development', 'trait ph', 'locus significantly 001', 'revealed locus', 'cmya1 closely', 'dependent diabetes', 'test family analysis', 'report novel marker', 'contribute qtl effect', '15118756c great effect', 'accurately map', '21 19', 'fcr partial', 'expressed cell', 'longitudinal live', 'program recombination', 'mapping positional comparative', 'analysis ldla using', 'cell milk considered', 'annotation subsequent', 'estimated genomic', 'ssc1 ssc7 white', 'located 28 genomic', 'profile cow', 'affected birth', 'previously finding', 'impact equine industry', 'involved antitumor regulation', 'smaller sample size', 'erhualian population result', 'overlapped trait multiple', 'synonymous snvs tsnax', 'cow dairy control', 'genotyping approach italian', 'population different', 'significant fish', 'associated odds', 'macrophage h1 h4', 'infectious pancreatic necrosis', 'study included', 'wool crimp', 'mouse indicates', 'phosphatidylcholine pc diacylglycerol', 'region plag1 chchd7', 'bw qtl', 'length loin muscle', 'similar study cattle', 'chicken using chicken', '349 snp distributed', 'milk production somatic', '161 snp', 'change exhibited', 'crossed generate', 'imputed genotype based', 'concordance test revealed', 'c18 105', 'height loin', 'subunit inhibitor hif1an', 'herd italian autochtonous', 'varied 12', 'specie demonstrated importance', '01 false discovery', 'acute chronic mastitis', 'jejunum ileum ratio', 'pcr rflp tested', 'marbling standard number', 'marker improving reproduction', 'second analysis showed', 'group hook', 'percentage chromosome sw2155', '15 qtl rib', 'associated mch mcv', 'weight egg egg', 'rm188 ld', 'mapped single', 'combination melanin', 'cie filtering', 'ignores important class', 'kg 47', 'ocd confirmation', 'affect body wfe', 'human rs4121165', 'applied model', 'breed additive dominance', 'cm meat redness', 'detected ssc2 ssc10', '74 snp chromosome', 'beadchip hd', 'suggestive qtl affected', '42 61 cm', 'carried firstly', 'panel 54', 'association aa genotype', 'animal allelic', 'threshold given genome', 'affecting spawning', 'gene expression obese', 'ninety microsatellite', 'trait 2061 5043', 'percentage bta2 bta16', 'substitution valuable', 'novel qtls identified', 'annotated gene closest', 'undergo puberty yr', 'provide unique opportunity', 'complex phenotype like', 'correlated comb', 'snp 1751a', 'second objective study', 'breed gwas performed', 'pedigree population study', 'weight tew tew', 'gene associated increased', 'trait relaxed threshold', 'change codon glycine', 'estimation separated fat', 'end phenotypic', 'resistance md gene', 'carcass proportion feed', 'generation following sib', 'bw result allowed', 'vaccine based', 'added information', 'affect initiation protein', 'polymorphic snp porcine', 'help expand', 'schleswig draft', 'cattle weighed', 'ppn0 932 ldl', 'potential pathway', 'selection ma', 'breed brahman belmont', 'study linkage', 'associated osteochondrosis hanoverian', 'gblup improved accuracy', 'cell line result', 'impact reproductive prrs', 'limited present', 'gdf9 bone', 'insig1 hexim1 sd', 'regression analysis bayesian', 'scan selected', 'total teat', 'particular studied', 'particular phase lactation', 'particular identified cluster', 'marker model taking', 'ph associated trait', '630 kb', 'affect functionality protein', 'breed suggests', 'casein percentage', '98535683a btau7 snp', 'evaluated american', 'existing half sib', 'marb genotype data', '42 important', 'length base', 'slc22a18 ssc2 ltnb', 'identified transcription sorf2', 'attachment teat', 'region shown', 'snp genotyped 834', 'mineral content longissimus', 'significant suggestive qtls', 'select individual', 'process gap junction', 'behavioural developmental', 'selection dam prolificacy', '18 qtl associated', 'rbm19 adam12 conclusion', 'software qtl', 'genome coverage provided', '10 119 cm', 'maml2 cdh13', 'significant comparison', 'identity 4986', 'purebred major haplotype', 'supporting familial', 'used control', 'sow recording tumor', 'whiteness addition resistance', 'analysis revealed coding', 'severe emaciation despite', '36 unique significant', 'afe bioinformatics', 'cebpa showed low', '20 test significant', 'black beef', 'cross increased', 'trait chromosome cattle', '708 offspring', 'fpdmeta seven', 'promoter region revealed', 'genotyped 416 microsatellite', 'involved 32 pathway', 'pattern social emotional', 'region chromosome explain', 'aoah gene eca4q', 'acaca plin4 plin5', 'trait result identified', 'heterochromia iridum', 'turn induced', 'day white', 'evidence initiator locus', '10 il10', 'associated 56 body', 'associated weight', 'osteochondrosis polish', 'domestic horse', 'bamaxiang pig', 'meat proportion', 'low rfi feed', 'qtl effect gene', 'effecting milk', 'necessary correlate', 'defined population simulation', 'specific qtl fact', 'scoring mainly', '80 92 mb', 'respectively snp coding', '990 160', 'content genotyped', 'strongest positional', 'physiological behavioral', 'fabp4snp2774c fabp4_μsat3237', 'csrp2 csrp3 mrna', 'dairy beef breed', 'elisa statistical', 'important breeding objective', 'level including', 'magi1 znf770 identified', 'use genetic marker', 'respectively snp strong', 'predictive general', 'number causative variant', 'lipid using elisa', 'polygenic basis', 'mapped region gga1', 'variance 70', 'permutation test used', 'variance respectively qtl', '13 19 20', 'breed perform association', '10 year period', 'gene conclusion significance', 'identifying quantitative', 'rs109136815 ghr polymorphic', 'incorporating allelic', 'bayesr applied 50', 'sequence identity', 'snp regression approach', 'significant qtl trait', 'total 52 snp', 'animal model daughter', 'complex subunit ncapg', 'sum significant suggestive', 'egfr associated meat', 'increased reliability pta', 'test detect association', 'snp associated chicken', 'allele absent suffolk', 'myog mef2 myotubes', 'mycobacterium bovis', 'holstein hol nordic', 'm4 model assuming', 'associated fatness 1750', 'kg dmi 05', 'cervical vertebra', 'male 733 female', 'npc1 gene important', 'igf2 pik3c2a', 'su bta13', 'used multi facetted', 'f0 f1 f2', 'architecture gin resistance', 'cm sire', 'lh greater 01', 'duplication locus', 'jinhua pig', 'ranged 06 mean', 'qtl possible', 'hampered high', 'targeted selection', 'candidate improve', 'identified assumption', 'study 360', 'immune identify', 'bull phenotyped ejaculated', 'expression scrapie', 'new candidate region', 'conclusion investigation', 'characterize genetic', 'ujumqin economic trait', 'f1 cow', 'expression identify', 'additive dominant effect', 'bf qtl varied', 'thought play', 'additive effect heterozygous', 'investigated polymorphism gene', 'genomic region explained', 'cause niemann', '1629 animal', 'clinical non', 'model qtl detected', 'extremely significantly associated', 'homozygous muc13a', 'fat population pig', 'imf content play', 'involved tick resistance', 'analysis male offspring', 'beadchip phenotyped intramuscular', 'studied porcine', 'haplotype covering', 'research quantitative trait', 'important role novo', 'fatty acid 0001', 'linked maternal infanticide', 'dgat1 gene', 'mastitis dairy cattle', 'unweighted gwas using', '76 cm ros0005', '18 summary', 'picture genetic regulation', 'total 1425x19179 7x107', 'region porcine', 'influence fat', 'variety chromosome', 'genotyped individual using', 'increased loin', 'canadian angus cow', 'procedure selected', '21 breed specific', 'probable location', '37 40 week', 'enzyme transcription factor', '638a 465c', 'involved reproductive', '23 associated', 'lamb slaughter', 'slc9a3r1 result', 'tdt mixed', 'alive total weight', 'improved identification predictive', 'fiber decreasing', 'marchigiana breed', 'snp 888g', 'model gene', 'thbs2 shh ptprt', 'abdominal fat deposition', 'allele broiler', 'haplotype genomic region', 'compared previous', 'centromere near gene', 'association heterozygosity btb', 'wide scan revealed', 'aa animal', 'related mastitis mb', 'reproductive physiology', 'tissue implying potential', 'genetically uncorrelated feature', 'quality trait cattle', 'associated fatness estimated', 'fine mapping gene', 'gain pre', 'sheep genotyped illumina', 'gene evaluate extent', 'ncccwa population window', 'region chromosome 28', 'pleurisy lamb', 'region involved resistance', 'walking horse twh', 'laminitis fgf12 endometritis', '20 performed trait', 'association performed chinese', 'qtl region region', 'nature feed', 'chromosome bta4 21', 'acid accession fj515744', 'ii positive', 'qtls located lei0079', 'ednrb candidate', 'gene chromosome 16', 'length femoral', 'inside evolutionary', 'qtl calving trait', 'strong linked lay', '20 cm confidence', 'response criterion', 't32742468c sh3gl2', 'acid trait 81', 'domesticated white leghorn', 'located nucleotide position', 'day 240 pig', 'large normal horn', 'mcat pc able', 'level addition 53', 'zebu taurine cattle', 'autosome total 27', 'art snp', 'lung antibody', 'precise mechanism', 'significance 184 11', 'danbred durocs 11', 'ugdh suggested potential', 'gene grm4', 'strategy beef cattle', 'trait dairy', 'sex dependent', 'depot controlled pig', 'stress highly', 'trait rfi', 'program genetic diversity', 'threshold putative', 'eliminate boar taint', 'content fat', 'additive effect case', 'gm specific result', 'associated 17', 'confirmed using variance', 'candidate genomic', '21k transcribed', 'pedigreed population 1343', 'association snp phenotype', 'effect reciprocal', 'welfare reason genetic', '05 62 mb', 'porcine prkag3', 'cm gm redness', 'individual parent purebred', 'gwas meta analysis', 'bw feed', '273 bp exon', 'number litter sow', 'near slaii complex', 'variance components', 'genomic relationship taken', 'analysis variable', 'variant associated rfi', 'identified potential regulator', 'control genotyped 600', '60k beadchip genome', 'effect odc', 'level 20 sensory', 'available thousand', 'line based', 'lamb logarithm', 'useful index', '50 standard', 'causal variation', 'length human', 'development related', 'effect prkag3', '456 ip 1049', 'datasets trait control', 'marker 18 autosomal', 'gga1 gga3 qtl', 'snp fit', 'nutritional value', 'finding showed', 'sc provides', 'male mediated', '01 snp ucp2', 'ww lyw data', 'wg21 42', 'conclusion study report', 'ca multitrait animal', 'status genetics', 'identified conclusion efficient', 'marginal epistatic', '19 26', 'ugdh gene involved', '10 calculated using', 'breast bone', '5476th bp', 'showed 255g', 'weakness pig', 'control genome wide', 'eye area meat', 'dermatitis cpd', 'model various', 'improve pig', 'marker studied', 'gene mtpn hydin', 'genotyped 109 horse', 'abnormal development canales', 'cattle reported affect', 'industry recommended', 'age 36', 'assaf sheep', 'ketosis north', 'knc resource population', 'record nba', 'genotyping test developed', 'mg milk', 'mixed inheritance', 'qtl protein percentage', 'relationship evaluated', 'cattle china pcr', 'conserved hect', 'fv animal', 'le human', 'value dopamine', '248 cm', 'appeared additive', 'gene tested dgat1', 'marker showed suggestive', 'detected previously using', 'fine mapping work', 'genotype available study', 'marker covariate', 'overexpression wild', 'region discussed', 'respectively 205g', 'virus challenged', 'locus cm', 'bovine mfa', 'quality objective', '74 cm 16', 'inconclusive reactor skin', 'fowl identify', 'polar overdominance pod', 'established commercial', 'reported haplotype', 'studied sample', 'androstenone dna 000', 'contrast analysis olp', 'eighty holstein sire', 'sscp genomic dna', 'scanned using ray', 'showed ctsk marker', 'trait useful', 'shear force sensory', 'length bta2 bta6', 'scored presence', 'sheep rhm', 'illumina ovine infinium', 'human understanding', 'sequence mammal specie', '50k chip best', 'haplotype containing allele', 'egg count avfec', 'male herd f2', 'using sa', 'cross occurred', 'transition period', 'involved complex', 'significant avpcv', '28 body', 'investigated 554', 'mapping oar3', 'coincided previously', 'gwas imputed sequence', 'leghorn chicken', 'contributes muscular hypertrophy', 'fit test', 'snp omega pufa', 'min ph respectively', 'depending trait animal', 'involved differential response', 'model data reanalyzed', '10 gene expression', '155 meat', 'bull bull', 'method ldrm combined', 'tew tep g16', 'composition marker assisted', 'reproductive phenotype', 'hock oc equus', 'addition single marker', 'using 95 highest', '42 bos indicus', 'necessitated statistical correction', 'sequencing marker 5147', 'program developing country', 'cm distance sw2456', 'trait report identification', '01 05', 'breeding organization recent', 'respectively lewontin c4535156t', 'qtl trait specific', 'statistical significance case', 'human chromosome 10p15', 'vitro expression assay', 'analysis estimated average', 'including senepol', 'oar1 using', 'provide useful starting', 'scd gene understanding', 'design genome', 'mode inheritance using', 'identified study reflecting', 'mutation especially', 'content backfat', 'performed chinese holstein', 'salmonella tested', 'trait performing line', 'adrb1 adrb2 adrb3', 'disequilibrium analysis sire', 'pool sire pool', 'boar taint liver', 'contour navicular bone', 'investigation key', 'seq data collected', 'phenotype dongxiang', 'snp hmga1', 'model horn', 'linked sw344', 'value examined', 'lower 10 included', 'gemma emmax', 'fbxo32 gene 1313', 'ham salami lard', 'help understanding evolution', 'proximity population', 'homozygous region', 'susceptibility respiratory', '01 chicken', 'greater potential selection', 'centre brandon manitoba', 'fam110b thymocyte selection', 'human mouse similarly', 'skeletal development', 'component combined', 'different previously', 'associated lifetime', 'genetic variant underlying', 'gene individual tissue', 'w80x rdhe2 variant', 'performed beef cattle', 'marbling warner bratzler', 'week fitting', 'allele ebv', 'pig offer', 'palatable meat meat', '10ralpha aat', 'using imputed', 'suspensory ligament', 'chromosome support fine', 'transcription stat1 chosen', '03 fifth parity', 'asreml mixed', 'week growth rate', 'value effect', 'bird selected', 'rs415580501 rs410336647 rs424642424', 'showing cis', 'blindness corrected mammalian', 'investigated pcr sscp', 'dairy cattle combined', 'different region bta19', 'genomic location 231', 'fattened traditional free', '10 snp set', 'model phenotypic information', 'cattle study fine', 'mtnr1b population', 'peak 42 61', 'establishment genetic', 'snp gene tryptophan', 'addition antibody generated', 'apolipoprotein related', 'health disease pattern', 'rdhe2 v33a variant', 'dtd bull principal', 'reveal oc', 'using control', 'gene prolactin', 'bp bta13', 'centering significant', 'consistent evidence', 'fat bone', 'single binary', 'pair qtl', 'chromosome 16 20', 'potentially unique', 'weak eggshell cause', 'teat recorded information', 'bta additional', 'tropical region ability', 'affecting sc family', '2327 progeny', 'conducted pph', 'qtl effect daily', 'sex percentage male', 'epistasis analysis', 'suggesting specific gene', 'homozygous fecx fecx', '387 cnvrs existing', 'imbalance potentially associated', 'segregating population significantly', 'selection achieve enhanced', 'support candidacy', 'variant region', 'rs41639155 candidate gene', 'yield showed moderate', 'genome mb', 'syntenic bovine chromosomal', 'parent genotyped', 'ham redness measured', 'included genotyped genotyped', 'exon intron flanking', 'epr chromosome', 'ep like', 'array using linear', 'gene network derived', 'determinant variation mammary', 'come missing qtl', '09 conclusion majority', 'end trajectory trait', 'loss data', 'qtl calf size', 'gland morphology sp5', 'sus scrofa production', 'animal segregating', 'paep dgat1', 'reproduction heterozygote', 'plin1 igf1r slc16a1', 'accompanied simultaneous', 'evidence allele', 'precise specific', 'detected pcr', 'broad qtl', 'cluster highly', 'detected bcdo2', 'casein bovine milk', 'chromosome harbouring qtl', 'confirmed jersey', 'qtl corresponding', 'corrected value 0000175', 'using 60 671', 'work investigated association', '9n carrier male', 'multiple mutation', 'increased understanding milk', 'indicating snp contributing', 'molecular marker', 'population interspecific hybrid', 'detection carried', 'estimate variation cast', 'signaling process key', 'increased trait', 'selected breed', 'prolificacy related', '12 chromosome posterior', 'protein c1qbp wild', 'underlying calving', '96 10 0001', 'fn424076 encompassing complete', 'threshold following trait', 'population individual lmh', 'snp f2 population', 'origin qtl', 'including publicly available', 'gene subfamily', 'marker ssc genotyped', 'structure cebpd', 'value loin detected', 'pig report', 'content reduce', 'variance minor difference', 'unit non return', 'resistance handful', 'close s0008 influence', 'nearly twice sample', 'trait pigqtldb study', 'equus callabus chromosome', 'analysis variety', 'distinct genomic', 'gene involved', 'internal organ later', 'population comprising 700', 'female worm', 'associated ultrasonic', 'detected haplotype', 'cm kilogram', 'cow 866', '16 19 22', 'complex host parasite', 'pparα bcl abo', 'locus behavioural index', 'selection improving qinchuan', 'studied 58 arq', 'resistant ascites susceptible', 'linked carcass', 'commercial pig production', 'trait used oc', 'phenotype pcp', 'loss using', 'bovine cheese', 'respectively variance', 'enzyme plasma', 'cebú romo cebú', 'likelihood method logarithm', 'cell cycle', 'diarrhea retarded growth', 'sequenced complete', 'chicken mhc 15', 'level 650 test', '34 647 499', 'serve proxy', 'holstein male calf', 'tenderness involved', 'trait exon', 'individual haplotype', 'arm influenced number', 'unassigned linkage', 'interbreed comparison', 'qtls phenotype especially', 'phe347ser exon', 'yield level fat', 'using additional', '21 qtl genomewide', 'analysis female reproductive', 'identified qtl candidate', 'ppargc1a atp', 'wild boar analysed', 'fn kinase non', 'infection variant tmem154', 'located candidate', 'result indicate haplotype', 'breed identification new', 'association chicken growth', 'marbling phenotypic data', 'recently human', 'predicting meat', 'snp rump length', 'including obesity foremost', 'required catabolism', 'direction allele substitution', 'wagyu cattle', 'calf strikingly', 'spot meat', 'containing hic1 transcription', 'mutation region large', 'correlated response artificial', 'allele determining resistance', 'thighs mapped gga1', 'expressed response', 'averaged map order', '99 003 trait', 'concentration progeny', 'selection associated high', 'evidence qtl trait', 'cattle respectively statistical', 'son dr', 'scan identified', 'f2 chicken resource', 'family aim determine', 'intron snp identified', 'individual chromosome', 'leg action', 'significantly group sow', 'variation lipid mrna', 'muscle performance eqtl', 'bta chromosome radiation', 'cattle cross population', 'research dairy herd', 'analyse phenotypic', 'information genetic architecture', 'process detected', 'absent 32', 'provide target region', 'bta14 birth weight', 'genotyped successively', 'syndrome pfts', 'qtl baseline leucocyte', 'assay refined locus', 'suggesting presence multiple', 'dcd contrast', 'development gene', 'admixture analysis', 'variety host including', 'involution effect', 'mb bta26 harbored', 'qtl region spanning', 'snp1 9815g', 'level fat deposition', 'related swine', 'distinct locus additionally', 'associated respectively', 'identified identified', 'pnominal value', 'method called meml', 'network suggests difference', 'service approach', 'exon mutation', 'previous study indicated', 'temperament qtl', 'background low', 'using porcinesnp60 beadchip', 'muscle transcriptomes', 'using lald successful', 'environment extreme', 'eye area animal', 'c14 index 84', 'gwas feed intake', '597 144 snp', 'chchd7 bta14 govern', 'lactose kg', 'assisted selection defect', 'coa acyl', 'custom genome 400k', 'included heart weight', 'destruction antigen elimination', 'gga4 locus located', 'predictive dna', 'qtls reported significantly', '919g associated', 'individual 15 individual', 'population consisting large', '770k genotyped snp', 'late feathering phenotype', 'virus suid', 'mutation intramuscular', 'potential opportunity tailor', 'productive life spl', 'transcription factor binding', 'obvious positional candidate', 'female body', 'highlight ednrb', 'mortality juvenile', 'test milk yield', '16 negative regulation', 'expressed quantitative', 'substantial public', 'key gene causal', 'glucagon insulin', 'present study provides', 'revealing complex', 'record fecl non', 'effect trait result', 'genome 11', 'package matrix eqtl', 'body condition', 'human infection', 'associated trait using', 'basis published', 'nucleotide sequence', 'result muscle', 'tail development gene', 'genetic background line', 'rfi associated increased', 'discovery 1574a', 'different method approach', 'white leghorn female', 'gene slco4c1', 'reveal genetic effect', 'snp associated 11', 'rs15675067 ghrl significantly', 'challenged chick genome', 'human liver muscle', 'threshold sq1', 'cell score using', 'maasai dorper sheep', 'acceptance homozygous genotype', 'successful implementation', 'based previous association', 'pathway gwa', 'ax 428357234', 'animal snp association', 'snp promoter 9657c', 'data unable refute', 'hit uncorrected 19', 'measured female difficult', 'using affected paternal', '480 sheep population', 'sequencing including', 'upstream group specific', 'analysis manchegas demonstrated', 'height debao', 'protein 80 rap80', '62 genome', 'maternal ability related', 'nanyang jiaxian luxi', '157 additional marker', 'cross mapped major', 'gene chromosome', 'gwas performed 38', 'intake dmi', 'post infection related', 'susceptibility gene', 'epistasis sex dimorphic', 'pig genome scan', 'qtl peak region', 'quality composition', 'accuracy prediction 02', 'revealed common positional', 'sample population 433', 'daughter analyzed', 'ahr candidate', 'progeny 522 sire', 'rate length', 'total single nucleotide', 'difference subspecies underlie', 'mapping study charolais', '46 cm 19', 'confirmed val', 'cattle holstein friesian', 'generation pedigree', 'tenderness identified', 'bft candidate gene', 'population genomic', 'uninfected pig experimental', 'content intramuscular', 'observed gluteus medius', 'weight analyzed 16', 'porcine ctsk gene', 'height associated snp', 'non reactors inconclusive', 'tgf gene', 'act major', 'intercross combination classical', 'new insight key', 'eye colour variability', 'gsk play', 'frequent snp frequent', 'data analysis selective', 'identified intercross divergent', 'muscle seven', 'observed illinois', 'compared reported pig', 'evaluated identify qtl', 'protein fabps', 'warmblood validation', 'variation ibk carcass', 'eye depigmented pattern', 'conclusion concerning', 'network scoring', 'change blood', 'function gene snp', 'using run6', 'described genetic marker', '20 noncoding intronic', 'beta carotene eccentrically', 'rasa aragonesa', 'year ca 16', 'conclusion differential', 'cnvs worth exploration', 'hen 762', 'resistance susceptibility porcine', 'content pork', 'age breast bone', 'differed ab 01', 'explained hmga2', 'associated antibody level', 'genotype tt', 'mtpap regulation function', 'defence haemolytic', 'assigned based size', 'ease bull genotyped', 'content imf method', 'riding ensure optimal', 'new qtl total', 'polymorphism occurs predicted', 'snp identify', 'fcr quantitative', 'boar increased', 'affect power', 'detected hdl ldl', 'genotyping design', 'important target trait', 'qtls 18 trait', 'detection snp candidate', 'indirectly affect economic', 'gwas expected improve', 'pattern scored extent', 'association production trait', 'impact economic', 'total 41 848', 'horse leisure', 'identify snp significantly', 'set 1255', 'term associated', 'trait used indirect', 'dgat1 maternal', 'including age egg', 'egg count fwec', 'purebred population', 'analysis studied', 'sample example', '1301g pleiotropic', '188 informative', 'analysis performed general', 'result consistent previous', 'ssc14 androstenone', '100 mg milk', 'ocd tibiotarsal joint', 'region detected gwas', 'lymphocyte binding leukocyte', 'juiciness marbling tenderness', 'set interacting locus', '163 marker employed', 'result suggest gc', '183 dna', 'yield 86 cm', 'igf1r showed', '21 22 mb', 'psmc1 encoding proteasome', 'field tested alternative', 'holstein conclusion study', 'sheep tm qtl', 'energy obtained linkage', 'nsb 10 nn', 'underlying genetics ovulation', 'ebv footrot', 'country combined datasets', 'exp 001', 'identified significant genomic', 'demonstrated significant suggestive', 'declare significance', 'ovis canadensis', 'parasitic nematode sheep', 'sheep expression', 'weight growth carcass', 'halpern implemented merlin', 'ultrasound measure trait', 'yorkshire breed', 'unique snp', 'white blood', 'locus best candidate', 'breed influence', 'comb analysis', 'recorded 288 white', '15 sib', 'gene mc1r', 'insight understanding risk', 'position 70', 'sheep aim study', 'overlapping marker', 'lipid metabolism dairy', 'ssc4 multitrait multi', 'dly population gene', 'ebv result', 'flanking region casein', 'associated ld', 'identify polymorphism region', 'macrophage tropic lentivirus', 'available phenotypic', 'molecular characterization', 'pooling used genotype', 'capn1 gene', 'population identify enriched', 'snp distributed chromosome', 'result suggest genotype', 'dramatically smaller testis', 'substitution 305 day', 'pathogen evolution remains', 'mapped present study', 'background availability high', 'circumference body mass', 'genotyping using', 'mastitis determinant', 'suggest transgressive', 'breed charolais', '76 genotype', 'possible influence', 'duodenum length leg', 'receptor 1b avpr1b', 'environment aa pig', 'best population', 'causal cholesterol', 'ampk involved feed', 'genome scan detect', 'single autosomal', 'ring finger protein', 'industry comprehensive gene', 'sow overall', 'snp discovered', 'previous scan qtls', 'additionally confirmed', 'detected close', 'city china snp', 'elucidating genetic', 'additionally mb', 'polymorphism snp ssc2', 'identified white', 'age individual', 'casein lactose', 'breed evidence provided', 'oxytocin receptor', 'mutation accounting', 'vca result different', 'small interval', 'appears feasible', 'intake gga1 feed', 'bdh2 bsp3', 'ldha lactate dehydrogenase', 'shown cause', 'diet agree previous', 'egg trait', 'fitness related trait', 'taste sourness fishy', 'unraveling causal', 'convenient strategy genetic', 'oc lesion genome', 'functional candidate', '85 versus', 'beef cattle looked', 'determination intercross population', 'snp bovine anxa9', 'accurately defined able', 'teat number consistently', 'transformed avfec', 'width size', 'suggest linked', 'british horse located', 'data heavily biased', 'mapped proximally vicinity', 'ontology associated genomic', 'genotype 5678784a snp', 'onset mapped', 'cast molecular', 'fat affect', 'host parasite evolution', 'snp t586c exon', 'ssc7 region vertnin', 'polymorphism rflp pcr', 'total 51 polymorphic', 'qtl gene related', 'enhancing genetic', 'ionotropic ampa gria1', 'specific snp', 'holstein milk yield', 'record animal', 'son dr used', 'genetic correlation trait', 'greater scd mrna', 'optimal uterine environment', 'bw70 05 fi', 'contained pax3', '65 70', 'spanning 97 kb', 'suggestive qtl greater', 'cattle using different', 'gastrointestinal parasite ectoparasitic', 'causative agent enzootic', 'oar18 texel', 'selected high low', 'effective selection locus', 'expression allow research', 'junken type genotyped', 'value derived', 'assumed known', 'discovery carried', 'population originating cross', 'potentially functional mutation', 'pig cg', 'analysis regressors', 'variation pig teat', 'belonging farm', 'employing emmax approach', 'result showed feasibility', 'cofactor used', 'cyp2e1 gene', 'gene trait including', 'snp rs41694656', 'improve genomic prediction', 'statistic evidence', 'sensitisation exposure', '826 individual', 'est affymetrix', 'human study polymorphism', 'growth phenotype discovery', 'coming backcross f2', 'immune trait response', 'linked severe', 'cow fertile', 'capacity whc', 'allele ssr ssa20', 'additional allele segregating', 'carcass length cervical', 'near centromere', 'prrs virus 18', 'rib dly', 'day insemination chromosome', 'distinguished based', 'regulation included transcription', 'microrna analysis', 'qtl influenced', 'analyzed based', 'correct population', 'shaping individual hpa', '668 female map', 'breed confirmed 690', 'frequency breed addition', 'total 40 137', 'translation breeding practice', 'influence age puberty', 'transfer domain mttp', 'method fine', 'deviation dyd originating', 'snp data detects', 'demonstrated different', 'carcass length width', 'measured improve', 'result detect', 'chromosome contains quantitative', 'behaviour beef cattle', 'powerful detecting', 'strongest association detected', 'suggestive level qtl', 'trait wgebv', 'il il 12', 'allele analyzed based', 'study advocate learning', 'interaction marker', 'structural peptide', 'region bta contained', 'particularly long chain', 'hg chicken contrast', 'qtl close s0082', 'association value', 'variance polymorphism', 'litter size parity', 'day older', 'selection result identify', '552 968', 'conformational pcr', 'potent inducer', 'selection altered', 'sw512 qtl', 'alteration influence relevant', 'pasture carcass', 'resistance detected difference', 'snp 131c good', '435aa 447gg', 'total 321', 'analysis family linkage', 'markedly second parity', 'transforming growth', 'polymorphism provide', '61 pig revealed', 'brain spleen addition', 'especially regard animal', 'tv splice', 'hen derived', 'developed map', 'molecule act binding', 'multiple role', 'disease reconvalescence chronic', 'experimental design involving', 'reproductive hormone neuronal', 'sh3pxd2b hmga2', 'central region', 'cow highly', 'effect pleiotropic', 'population animal genotype', 'bovine semen', 'locus frequentist multi', 'bone mapped', 'individual improved imf', 'assign genotype pedigree', 'polymorphism located utr', 'result provide cue', 'red white srb', 'single fatty', 'acid 0001', 'breed fst measured', 'significance additional', '20 phenotypic', 'conformation udder', 'analyses larger', 'controlling spread', 'piglet genome wide', 'temperament study sire', 'affecting subcutaneous fat', 'number additional significant', 'model indicated', 'trait important', 'fat cell', 'equine lgb1', 'composition site', 'using phenotypic', 'primary micrornas precursor', 'detected laboratory', 'estimated polygenic', 'draw final', 'animal production residual', 'background current', 'genetically linked', 'backcross eu eu', 'meishan synonymous substitution', 'detected detected qtl', 'modulate skeletal', 'ph24h total', 'experiment wise', 'rate risk', 'h2 2449c 2379c', 'based proteomics', 'detected explaining', 'indigenous sheep', 'effect cw qtl', 'influencing afe additionally', 'line cross model', 'number related', 'qtl position total', 'set 164', '05 effect polymorphism', 'shear feather', 'developmental hnrnpd', 'useful broiler breeding', 'tnfsf11 124', '587 7825 78', 'ggaluga348521 gga_rs16098446', 'pathogen receptor bind', 'included fixed', 'status determined ultrasound', 'troutlodge odd year', 'yielding total', 'analysed putative impact', 'trait map4k4 gene', 'method using snp', 'participate translational', 'known variant', 'mycobacterial infection significant', 'level evidenced', 'showed significant genetic', 'cattle population trait', 'trait overlapping peak', 'significance 96', 'action candidate region', 'addition applied', 'ripk2 knockout ripk2', '18 43', 'contain polymorphic', 'potential gp', 'disequilibrium genome wide', 'lgb2 gene respectively', 'beef improvement genome', 'salivary gland', 'acop chromosome', '28 used', 'associated high mobility', 'candidate locus mediating', 'including autosome pig', 'necessary clarify', 'gene closest gene', 'growth used localize', '848 snp', 'frequency number chinese', 'environmental factor examining', 'occurrence studied', 'qtl environment interaction', 'adjusted 0081', 'high resolution radiation', 'qtl performing multitrait', 'overtransmission infanticidal sow', 'dh dj', 'horse fold', 'population conducted multiple', 'gene mef2b rfxank', 'genetic variation population', 'detected scs qtl', 'analysis using imputed', 'yorkshire pig breed', 'trait ranged 07', 'region promoter intron', 'nematode remain major', 'showed male texelxmule', 'sensitivity sheep', 'cattle comparison performed', 'previously associated susceptibility', 'explain strong selection', 'network conclusion time', 'host genomic variation', '65 gestation', 'androstenone number', 'locus western', 'disappeared conditioned analysis', 'xia nan china', 'association 14 calving', 'identified current', 'ibsp mepe', 'rfi finding suggest', 'transcript gene', 'resulted lean', 'sd9 corrected bw9', 'subpopulation suggested', 'improving egg production', 'f2 intercross recently', 'currently implemented', 'efficiency allele', 'population 421 hen', 'metabolism inorganic', 'regarding pleuropneumoniae resistance', 'lactation curve characteristic', 'cattle breed dominantly', '22 harbor', 'segregation previously identified', 'shown include', 'nesfatin suppressed 001', 'arise compromised', 'performed analyze age', '00 ew', 'demonstrated proposed', 'ld c18', 'contour feather chicken', 'genotype meat', 'associated phenotype difference', 'included model', 'promising variant located', 'colt arabian', 'measured primary genome', 'sample collected sheep', 'infrared spectroscopy mir', 'feedlot using single', 'today high', 'using alpha', 'inspection live animal', 'cow genotype probability', 'association gene expression', 'model nominal value', 'mt respectively', '304 pig extreme', 'assay designed', '001 rfi 199', 'fertility result estimated', 'performed case control', 'expression performed', 'locus pig genome', 'position 49223', 'trait ranged', 'reported qtl similar', 'expressed qtl', '189 817', 'lie near', 'eighteen snp identified', 'selection signature identify', 'egg count conclusion', 'background major economic', '100 gestation ectopic', 'trait locus finally', 'increased late', '00 ew separate', '41 151 snp', 'experiment substantially increased', 'immune response trait', 'fatness observed', 'genomic research objective', 'haplotype tested vitro', 'placenta abortion', 'polymorphism regression bayesian', 'scan identifying', 'provided far suggests', 'showed snp highly', 'animal result chronic', 'qrt pcr sequence', 'genotype ag aa', 'catenin target', 'chromosome selected', 'consequence differential igf2', 'chicken unique', 'galnt1 impact', 'current industry', 'acid binding protein', 'sheep sheep', 'breeding program difficult', 'ratio blood reflects', 'linked marker sw1856', 'gene detected parental', 'pregnancy rate', 'economic trait pig', 'phenotype analytic', 'expression polymorphism', 'ibk severity', 'family sire', 'trait combined', 'scan identify main', 'component trait average', 'trait cm', 'chromosome 14 titer', 'variation opn', 'ssc ssc12', 'hd 600k snp', 'involved physiology', 'east african grazing', 'peak trait', 'increased cla', 'sex dimorphic', 'threshold level average', 'beadchip performed genome', 'puberty predictive', 'population analyzed current', 'production explore', 'cattle strategy', 'qtl effect cdna', 'study f2', 'segregation af bm', 'clearly illustrate increase', 'cross different', 'cattle gene frequency', 'chromosome best likely', 'background pig number', 'especially development', 'fat lean sample', 'background study assessed', 'score rear leg', '750 kb', 'quality analyzed phenotypic', 'ssc16 intramuscular fat', 'thickness 18 20', 'association lepr', 'difficult improve nba', 'identified seven chromosome', 'dc locus candidate', 'gene wgcna', 'use association study', 'human imprinted gene', 'fbat nonparametric linkage', 'fat thickness fat', 'middle bovine', 'gland later tissue', 'population locus', 'mapping identical', 'explained 17', 'sequencing seven', 'brown grade pale', 'carrier frequency 17', 'function formation', 'gene chicken growth', 'trait analysis performed', '05 respectively chromosome', 'phenotype primiparous', 'composition sequence', 'identified family qtls', 'microorganism directly', 'experimental design unlike', 'dam suggest', 'examined difference', 'characteristic used', 'fv breed minority', 'offer opportunity elucidate', 'scan high density', 'porcine genome analysis', 'correlation length limb', 'myristic palmitic palmitoleic', 'trait mapping', 'gene mapped position', 'bmts meat', 'extreme economic', 'giving genotype', 'probe set', 'resolution genotypic', 'testing set healthy', 'described calm docile', 'pc conclusion', 'tibetan hen', 'genomatix software predicted', 'scan charolais', 'reduce incidence lda', 'feathering wenchang', 'substitution effect zero', 'variant contributing', 'susceptibility enterotoxigenic escherichia', 'sow discrete', 'avoid small large', 'marker superior milk', '14 phenotypic', 'dmi qtl', '53 cm', 'obtained 464 sb', 'mainly controlled point', 'bpi exon site', 'ifc abt obtained', 'consequence published result', '062 progeny tested', 'bovine respiratory', 'conclusion majority snp', 'pedigree imqp', 'set eca18 employing', 'peak centred', 'targeted region carried', 'determine qtl region', 'effect located', 'slope intercept effect', 'panel 198', 'bta bta5 bta26', 'event shaping', 'region underlie genetic', 'additional variant', 'granddaughter design adr', 'harboring variation', 'ngs 118998 located', 'population 11', 'result dna sequence', 'bring new insight', 'trait knowledge study', '18 autosome', 'pleiotropy responsible', 'positioning qtl characterized', 'seven static', 'region explained additive', 'narrowed 24 52', 'qtl model accounted', 'sib family method', 'implicate novel', 'previous study far', 'quality trait 45', 'selection marker assisted', 'unique f2 population', '05 bayes', 'feet legs', 'infection result', 'hormone expression', 'identified sal1', 'located target qtl', 'used template', 'relating 40 day', 'jph1 68x20 genotypic', '383 result detected', '2002c snp', 'complex trait livestock', 'able exclude', 'wild pig', 'knowledge gene newly', 'using korean', 'capacity beneficial', 'affecting behaviour', 'interval significant', '13 polymorphism', '24 10', 'receptor interacting', 'cattle confirm result', 'density cm distance', 'leicester scottish', 'lesion different joint', 'scan cpd draft', 'abt performed', 'variability horn characteristic', 'application modified granddaughter', 'threshold qtl detected', 'il8 haplotype somatic', 'weight 13 15', 'c14 index 0005', 'confirmed qtl segregating', 'loin 540 lamb', 'bta22 bta25', 'ssc reported', 'parameter milk acidity', 'different liver oviduct', 'investigate effect data', 'lamb compared', 'trait major challenge', 'difference existed weaning', 'elisa fecal', 'body underlie', 'nominal significance qtl', 'promoter analysis', 'analysis ipa signified', 'assembly chicken', 'coincide skeletal trait', 'number shape', 'contribution additive', 'estimated ewe identify', 'acyltransferase dgat1 newly', 'fat moisture c16', 'npy potent orexigenic', 'laiwu black', 'virulent wk age', 'cattle 761', 'association detected growth', 'progressive loss', 'trait significant increase', 'domestic mammal', 'basis host', 'regulatory mutation', 'qtl bisexual', '11 18 20', 'qtl detection seek', 'polymorphism identified growth', 'respectively snp major', 'pig productivity', 'rfa semispinalis area', 'population developed', 'compared analysis', 'considering snp simultaneously', 'population strongly', 'porcine myod1', 'backfat animal classified', 'research objective', 'locus chromosome 18', 'disequilibrium 76 snp', 'protection development', 'quality used indicator', '295 ovulation rate', 'analysis post hoc', 'eqtl coinciding', 'ssc12 rs80938898', 'genomically enhanced', 'population unveil', 'ibmap population showed', 'represents key', 'relative wildtype', 'dna 1362 bull', 'cattle female fertility', 'suffolk animal half', 'rate generation resource', 'bone mainly located', 'mass spectrometry meat', 'potential overlap reported', 'grandparent parent crossbred', 'genotype provide', 'family analysis qtl', 'independent manner specific', 'mongolia ewe 01', 'breed detected breed', 'identified total tick', 'ph phu breast', 'qtl rtn', 'horse total included', 'expression abhd16b', '120 gene', 'perform genotype 96', 'genetic trait', 'accurate phenotype genotype', 'involved risk factor', 'study observed', 'disequilibrium significant', '18 explained 22', 'breed contain horned', '34 week', 'fertility trait result', 'greater marker density', 'associated protein', 'lightening original', 'overshadowed larger', 'bovine reported', 'qtl conclusion', 'understanding underlying genetics', 'shifted approximately cm', 'challenge start', 'lei0258 microsatellite', 'imf hungarian simmental', 'production reproduction', 'variance attributable', 'ige subclass significant', 'involved growth meat', 'caecum presence', 'examining economic', 'harboring gene primarily', 'biological process metabolic', 'teat number swine', 'qtl human', '48476943_48476946insggc upstream', 'sample size high', 'locus position affecting', 'pig production reflecting', 'deplete genetic variation', 'weaning later parity', 'region porcine cmya1', 'aa homozygote', 'membrane protein cd46', 'exploiting genetic variation', 'power evaluate fluctuating', 'cv identified', 'snp gwas verified', 'segment shorter bone', 'size number correlated', 'affect serum beta', 'location direction', 'red junglefowl ancestor', 'chromosome remained undetected', 'muscle development large', '12 second', 'lrp12 trib1 genotype', 'fetus collected approximately', 'rib reside', 'effect time keeping', 'precluded beef', 'displayed genetic difference', 'value equal 051', 'snp located known', 'ultimately leading', 'primer flanking', 'rs314448799 accumulative en', 'suggestive qtl chromosome', 'method implemented', 'small proportion large', 'bmd lod syntenic', 'tissue high expression', 'proximal end chromosome', 'length number corpus', 'breed dominantly inherited', 'c14 c14 c14', 'gene polymorphism snp64', 'higher prolonged expression', 'including number oestrous', '0003 located cm', 'included 30 qtl', 'process different stage', 'reproduction corresponding', 'cnvs contribute', 'proteinase obesity', 'quantitative qualitative', 'sw1201 chromosome', 'acting effect', 'cytokine extracellular integrin', 'expressed striated', 'prim holstein qtl', 'snp pleiotropic aa', 'study big', 'milk protein', '46 53', 'binding protein ubiquitination', 'ccl28 potential candidate', 'influencing variation pigment', 'size italian', 'region oar19 snp', 'f0 individual 26', 'condensing spermatid implicated', 'bovine chromosome shown', 'production unfavourably', 'identified qtl suggest', 'type allele', 'sire family consistent', 'thuringian south', 'regression analysis sire', 'lc model significance', 'mapped qtl localized', 'affecting cortisol', 'fat particular', 'earlier experiment extended', 'role control abdominal', '005 level', 'lameness index', 'eimeria tenella opening', 'receptor rorc gene', 'rt qpcr result', 'muscle study', 'snp3 strong linkage', 'randomly chosen daughter', 'mlnr rb1', 'exon fabp4 characterized', 'arachidonic acid', 'result indicated highly', 'interval ii', 'fads2 fasn', 'principal component regression', 'related reproduction', 'snp representative trait', 'using routine', 'map previously identified', 'provide groundwork unraveling', 'underweight birth spite', '6d lrrn6d map', 'facial type', 'haplotype involving snp', 'qtls segregating', 'genotypic data illumina', 'significant association bta14', 'qtl detected previously', 'size feathered foot', 'beneficial charollais breed', 'constructed guarantee', 'method 141', 'infection outbreak total', 'cow training', 'backcross calf', 'snp different location', 'adfi population crossbred', '153 trait region', 'hotspot block contiguous', 'footrot based', 'protein delta cebpd', '16 17 29', 'reduction igg production', 'result previously', 'analysis oar3 analysis', 'f2 population genotyping', 'value 10 bayes', 'model using qtl', 'snp growth trait', 'daughter efficient calving', '181 negative genomic', '19 known variant', 'illumina ovine chip', 'associated prolificacy', 'qtls milk production', 'sequencing verified qpcr', 'fatness gene subsequent', 'content 06', 'exploration mental capacity', 'fat soluble vitamin', 'genome scan detection', 'gene genetic variation', '25 individual', 'equine researcher', 'snp iberian', '10 28 gene', 'exon 46547859c', 'genetic method', 'intricately involved', 'background strain', 'level using', 'rainbow trout population', 'smd markov', '18 near', 'causal mutation studied', 'necessary currently', 'higher 05 lm', 'qtl discovery', 'region result', 'mg meat quality', 'gene japanese', 'accurately account specific', 'explaining genetic variation', 'effect rf', 'hydroxybutyric acid bhb', 'imputed snp', 'significant qtl semen', 'affecting mirna expression', 'improvement classical', 'addition new method', 'reproductive performance breeding', 'linking cortical bone', '2900 genotyped individual', 'encodes vitamin binding', 'horn suggests', 'contribute qtl', 'enhance increased', 'chromosome allele', 'different pathogen recognized', 'livestock specie different', '1420 day', 'limousin cross parent', 'directly animal', 'individually snp', 'infection homozygous', 'trait nh nr', 'locus qtl explaining', 'breed lay', 'affect calf size', 'data set 132', 'study map locus', 'causative locus', 'chinese laiwu', 'lfec0 lfec1 anti', '3911t skatole indole', 'tissue located', 'standardised form combined', 'qtl genomic estimated', '18 24', 'teat yorkshire', 'integrating information multiple', 'comprising 348', 'cue similar', 'detected chr', 'yield association analysis', 'ema loc614744', '108 gene minor', 'addition single', 'calving crc', 'genetic environmental component', 'identified nba', 'ligase e3b encoding', 'ph serum', 'phenotype overall', 'used pseudo', '13 autosome overlapping', 'sperm motility sperm', 'study confirmed qtls', 'shown important contributor', 'environmental parameter herd', 'based genomic analysis', 'meq comparison gene', 'calpastatin bind', '12 000', '261 evaluation population', 'set 120 successfully', 'sib sire', 'data 26', 'marker 41', 'detected chr significant', '360 chicken', 'qtl oar1 24', '48 new distributed', 'age 05 body', 'xkr4 xk kell', 'value project', 'chimpanzee 97 human', 'model using sa', 'characterization locus', 'composition measured live', '29 46', 'country pig', 'method interval', 'genetic line 174', 'snp 169 newly', 'number differential', 'snp genotyped 248', 'small size', 'causative variation examined', 'population physiological', 'result scan analyzed', 'genetic control density', 'report qtls', 'narrowed mb 591', 'enveloped virus', 'lald analysis qtl', 'diverse highly inbred', 'encompassing callipyge', 'gene year round', 'litter chromosome wide', 'cattle looked', 'used investigate pathogen', 'substantial interbreed difference', 'thickness meat', 'infection control ovlv', 'subsequently investigate', 'prior qxpak', 'difference polymorphic locus', 'identified including 16', '903 159 bp', 'functional study necessary', 'effect prolificacy longevity', 'tail length', 'pig trial', 'achieved significance', 'support location', 'region 636a', 'result previously reported', 'metabolic weight', 'protein gene ex', 'refined qtl position', 'position established', 'trait new locus', 'marker genotype used', 'shared haplotype associated', 'encoding gene', 'gaussian model general', 'especially jinghai', 'correlation gamete method', 'downstream flanking sequence', 'chromosome 13', 'identified anova', 'vivo complement', 'pde4b lepr', 'window located 13', 'constitutes report', 'expression puberty greater', 'included acat2', 'transported glycosylphosphatidylinositol', '05 snp quantitative', 'ubiquitin specific peptidase', 'cell line', 'directly involved desaturation', 'ncapg lcorl locus', 'allele inherited broiler', 'intercross total 183', 'hyperpigmentation phenotype line', 'lipidome comparison', 'beijing chicken commercial', 'available progeny 525', 'experimental population typed', 'process mammalian biology', 'resistance wool', 'birth increase litter', 'lamb family reared', 'result major', 'efficiency 37', '100 qtl genotype', 'holstein normande montbeliarde', 'puberty ovulation', 'region bta18 possible', 'autosome bta 18', 'strong support qtl', 'growth hormone releasing', 'independent origin', '40 additionally', 'growth lysine specific', 'frequency sequenced fragment', 'region fat1 human', 'wide conclusion present', '16 ultrasound measurement', 'sib model result', 'bovine breed foreign', 'largest concentration snp', 'position 45 78', 'total contribution qtl', 'using additional gene', 'main meat quality', 'process complex', 'sample single', 'analysis validate', 'station tested trait', 'milking meim', 'extended meta', 'estimated parameter derive', 'mapped qtls candidate', 'effect alpha calculated', 'resistant animal dpi', 'provide clue', 'bta11 46', 'content located near', 'load represents', 'snp considered associated', 'snp retained haplotype', 'content 05', 'highest lowest', 'bw snp associated', 'synthetic pig line', 'wide significant 24', 'capitis area', 'limited sample', 'international genetic', 'increased acvr2a', 'known high prolificacy', 'high economic importance', 'important aim study', 'gene determining recombination', 'close fatty', 'ccl28 potential', 'sample brown', 'trait estimated association', 'rasa aragonesa sheep', 'study report maternally', 'marker great potential', 'detailed haplotype comparison', 'initially 22 resistant', 'level linkage disequilibrium', '27 experiment', 'direction detection snp', 'ncor1 addition somite', 'good maternal', 'effect similarly gastric', 'rfi using fisher', 'determines trophy status', 'meat result indicated', 'trait healthy', 'selection sheep breeding', 'meat quality data', 'specific effect related', 'study investigate variation', 'content heritabilities', 'ci 21', 'intake fcr partial', 'cssm47 interval', 'common positional', 'score obtained using', 'underlie variation behavioral', 'ph1 phu cie', 'resulted 51', 'trait wgebv variance', 'defect mass candling', 'derived permutation analysis', 'beadchip enabled detection', 'gene swine breed', 'gwas led', 'teat number left', 'set functional', 'associated snp myadm', 'difficult identification causative', '46 suggestive quantitative', 'line progeny', 'mar quality', 'bovine tissue', 'chromosomal region corresponded', '500 bp stop', 'fourteen brazilian dairy', 'cumulus expansion gene', 'vivo bull fertility', 'discovery genetic marker', 'sh rib', 'cartilage formation spp1', 'effect palmitoleic', 'significantly enriched', 'trait common approach', 'cell division cycle', 'family family genetically', 'pat corresponding standard', 'play critical', 'bull semen', '43 51 63', 'largest effect obtained', 'leanness lowered', 'segregating highly significant', 'map status', 'additive model kcnb1', 'identify common distinct', '042 son total', '13 snps', 'height specie recently', 'horse tested directly', 'ayrshire fa swedish', 'qtl parity 12', 'important role pigmentation', 'african nguni cattle', 'bull born', 'reported previously seven', 'case rao resistant', 'trait genomic', 'reduced significantly day', 'fast contractile type', 'level 98', '629 control cow', 'bearing chromosome sire', '10 005', 'coq9 epas1 mrpl48', 'study map quantitative', 'polymorphism considered', 'body component', 'structure canadian', 'number experiment set', 'cattle 36 holstein', 'force snp mapping', 'locus preliminary association', 'acid detrimental human', 'information annotating', 'responsible variation adg', 'snp genotyping', 'linkage group e22c19w28_e50c23', 'paternal broiler', 'vivo furthermore', 'crossbred population analysed', 'level data offer', 'higher average', 'sow population pathway', 'genotype including', 'encoding ss chain', 'ovulation rate f8', 'coding properdin', 'worldwide result', 'hen genotyped 580', 'named b1 b2', 'natural pasture population', 'etec fimbria', 'revealed association drip', 'season 2003 2004', 'trait benefit', 'using large outbred', 'exon bos taurus', 'synteny conservation qtl', 'fingerprint map cluster', 'measured subset 229', 'analysis reported', 'allele descendant', 'objective identify silico', 'heritable 50', 'allow proposal', 'snp encompassed', '002 trps1 006', 'trait list', 'cross old', 'muscle using bayesian', 'equine chromosome 16', 'observed ubf', 'crossbred pedigree interval', 'bta18 pglyrp1 igfl1', 'fertility deleterious consequence', 'energy recovery cheese', 'effect snp showed', 'gw detected ldl', 'main effect locus', 'breed moving window', 'stringent correction', 'sp3 activates suppresses', 'q448h change', 'explained 62', 'cell growth cell', 'dichotomous trait', 'performance complex', 'mutation including', '225g largest significant', 'angus population using', 'flavor nutritional value', 'qtls detected explained', 'significant economic trait', 'stage trait parity', 'distinct prkag3', 'result hand provided', 'dna sample 35', 'mutation effect', 'accretion suggestive qtl', 'family using inter', 'diameter shear', 'alp lac bil', '82 kg fat', 'significant snp weight', 'health qtl total', 'farrow litter common', 'narrow position', 'data record', 'molecular mechanism underlie', 'early predictor longevity', 'hmx1 fgfr3 ear', 'improving resistance mastitis', 'integration site family', '1a avpr1a gene', 'killing microorganism', 'qtl detected oar4', '469 snp marker', 'importance dairy goat', 'number mutation', 'assessed snp 1457', 'fertility essential', 'information investigation function', 'psychiatric illness', 'trait performed', 'bone weight left', 'genotyped 248 sow', 'depending trait', 'estimate lower similar', 'scan relevant qtl', 'agriculture medicine addition', 'understand behaviour vca', '000 snp 1141', 'ac abc single', 'roan allele pony', 'kegg pathway sphingolipid', 'reproductive function breed', 'qtl associated effect', 'challenged contortus month', 'total 21 snp', '14 16 12', 'reference population created', 'r25c a80v', 'trait chineseholstein', 'type ii ratio', 'approach including genetic', 'used high heritability', 'cell monocyte derived', 'grandparent result genome', 'cattle management country', 'method expected', 'status indicating codominant', 'coupling phase il10_prrsv', 'population compared', 'sequence situated', 'production efficiency despite', 'potential role resistance', 'red cattle population', 'rfi 199', 'carried analysis', 'mortality neonatal', 'epistasis additive', 'mb superior haplotype', 'increase tno', 'chromosome average', 'analysis qtl body', 'inheritance pattern snts', 'trait 45', 'demonstrate gdf8', 'investigation result', 'length linear relationship', 'obtained genomic selection', 'residue lipid', 'chromatin modification', 'qtl underlie qtl', 'work new', 'qtl showed', 'retinoid receptor', 'dependent effect milk', 'cm association', 'detection sex specific', 'tnb enox1 involved', 'protein candidate causative', 'basis chicken', 'lipid oxidation', 'potential function', 'soxhlet petroleum ether', 'marbling shown regression', 'multiple testing applied', 'beadchips normalized value', '1948g snp', 'design consisting 20', 'association evaluated', 'qtl parental breed', 'regulating body', 'level acvr2a mrna', 'normal horn', 'level previously qtl', 'statistically significant difference', 'level observed increase', 'association reported xkr4', 'cross chinese', 'marker resistance suis', 'snp biomarkers', 'percentage hot', '12 addition', 'scoring record animal', 'significance level forecasted', 'result lactation stage', 'ucp3 member', 'genomic region putatively', 'pecking decade motivation', 'translation indicated', 'candidate gene beef', 'oc osteochondrosis dissecans', 'susceptibility etec f41', '70 mb region', '145 microsatellite', 'ability population 09', 'potential reveal causal', 'level additional', 'porcinesnp60 beadchip analysed', 'module snp set', 'evidence presence qtl', 'receptor igf1r', 'pig chromosome gene', '018 062', 'specie faecal', 'mass bonferroni', 'lr 32', 'laborious collect genetic', 'mb duroc', 'strain studied', 'urine faecal like', 'model utilized', 'faf1 fcn3', 'percent phenotypic variance', 'area semispinalis', 'gli3 gene', 'gwaa identified 235', 'interestingly low', 'lead conclusion incorporation', 'recently released', 'adjacent snp chosen', 'identified 28', 'identify gene affecting', 'detected multibreed', 'need functional', 'haplotype pair affected', 'family vertebral', 'variance anova stage', 'according 660', 'reporter activity', 'bos indicus animal', 'ifc changing', 'cortical bone measured', 'gastrointestinal nematode gin', 'region mucin enriched', 'improving meat quality', 'genetically correlated reproduction', '144 snp 841', 'multibreed gwas difference', 'tight junction speculate', 'variance component approach', 'weight conclusion', 'wild type mouse', 'drip loss lm', 'horse phenotypic', 'interval bm4621', 'ssc9 provide indication', 'candidate adjusted', 'combination bioinformatics molecular', 'concentration typically', 'development canales sesamoidales', 'qtl genome sequencing', 'estimated end performance', 'c10 region characterized', 'animal prevent birth', 'coefficient probability', 'yield force intramuscular', 'response artificial challenge', 'rs107857156 strong linkage', 'second weight', 'bone genotype', 'significantly different incidence', 'target future fine', 'surrounding vrtn', 'location genetic association', 'component trait tibiotarsal', '25 milk production', 'test pathway', 'expressed imprinted gene', 'consist mainly', 's26859 mutation 81', 'brahman cattle', 'resistance method study', 'nesting myomax status', 'experimental limitation', 'qtl identified coincided', 'conception fundamental trait', '40 compared', 'development backfat thickness', 'defined maximum marker', 'survival postnatal growth', 'casein paep dgat1', 'polymorphism provide useful', 'imprinting effect detected', 'homozygous wl allele', 'biological mechanism feed', 'collagen type xxiv', 'breeding value response', 'balance investigated', 'variation categorized', 'presented total', 'produced testis boar', 'mapping study different', 'variance corresponding trait', 'taken provide', 'identified 27', 'based significant snp', 'dna sample genotyped', 'inverted teat defect', 'homeostasis tetra primer', 'tested population lacking', '19nuig strongly associated', 'fi1 rfi1 fcr1', 'bone growth', 'prolactin concentration snp', 'analysis focused', 'containing positional functional', 'growth pig present', 'cattle present', 'bl 29', 'associated pbw', 'identified recent', 'flock investigated confirm', '22 combination', 'gwas milk fat', 'holstein abcg2 tyr581ser', 'individual variation', 'affecting disease', 'possible role candidate', 'segregating oar11 greasy', 'double hierarchical generalized', 'gland tissue relative', 'association testing statistical', 'mrna nucb2 visfatin', 'sheep 1844', 'fertility carcass', 'level serum lung', 'influencing fat', 'length leg muscle', 'family different granddaughter', 'lipid metabolism inflammatory', 'identified accounted', 'mortality neonatal young', 'abc single nucleotide', 'contribution gene milk', 'specific haplotype affecting', 'reanalysed including', 'backward elimination', '02 06', 'trait including drip', 'age egg afe', 'behaviour general', 'result revealed', 'maturity khorasan population', 'ultrasound marbling score', 'iranian makoei', 'blackface sheep', 'divergently selected high', 'validation group', '114 coding snp', 'detect potential gene', 'fat deposition lipid', 'rfi2 respectively 10', 'intermediate range association', 'pwsy gene solute', 'environment qtl effect', 'subtraits affected', 'ratio kr', 'suet fat mrna', '630 bp untranslated', 'rs313726543 rs80724063 respectively', '31 large', 'qtl chromosome 26', 'constant replacing', 'marker individual decrease', '93 42 1e', 'individual available', 'encodes rate limiting', 'position chromosome', 'cattle snp pre', 'sale fertilized egg', 'including detection', 'bta4 replicated family', 'perfectly correspond', '57 considering snp', 'glucose tri iodothyronine', '10 level body', 'marker allele negative', 'cattle qtldb database', 'metabolism carotene secondary', 'lamb significantly', 'ng data', 'qtl lymphocyte subpopulation', 'regression analysis', 'control overall qtl', 'milk yield somatic', 'target qtl identified', 'duroc erhualian intercross', 'recorded producer', 'bone trait qtl', '53 bta 18', 'wide epistasis analysis', 'inherited disorder classified', '19 28 identified', 'association analysis 40006g', 'association considered', '30 pig', 'population 50', 'site including nf', 'qtl fatness highly', 'deviation resulted smaller', 'displaced abomasum', 'gain loss', 'basis fatness trait', 'pig improve', 'weight fw pedigreed', 'design provided opportunity', 'corrected significant association', 'uncover cluster smaller', 'region associated analyzed', 'identified sperm', '988 snp', 'improvement selection study', 'finding important', 'economic prosperity', 'low expression ct', '82 25 mb', 'region mir 1657', 'absent 16 06', 'analyze factor', 'wide association gwa', 'grm8 fatness', 'bull extreme approximate', 'association model conducted', 'estrus detection measurement', 'involved tnfα nfκ', 'including coding variation', 'breath individual', 'ease important breeding', 'network underlying multifactorial', 'variant imputed', 'stat6 involved', 'genetic obesity index', 'address objective', 'chromosomal region implying', '102 case su', 'fl lesser', 'gene family', 'explain 44 96', 'based genotype snp', 'production dairy', 'marker bta6 marker', 'affected fetlock', 'regressing rfi', 'factor underlie', 'ld exists multiple', 'polytocous small', 'bos indicus', 'female 402 calving', 'common disorder digestive', 'gga3 qtl', 'total 7258', 'physiological change occur', 'identified autosome qtl', 'different ibmap generation', 'cross cattle population', 'area lma performed', 'effect churra', 'growth variation', 'percentage bta1 fkbp2', 'qtl result significant', 'constructing alternative allele', 'crucial barrier initial', 'haplotype distinct predicted', 'meat tenderness compared', 'study stratified', 'designed genomic', '968 imputed genome', 'derived number', 'refined family based', 'effect lipid metabolism', 'linked potential', 'bone fracture egg', 'le genetic variance', 'snp int9 formed', 'bta14 confirmed quantitative', 'binding cassette sub', 'form identified human', 'dependent genetic', 'mafb associated', 'map adverse', 'liw kidney weight', 'ld 20', 'chicken 21 marker', 'bird thirty', 'feathering formation chicken', 'network derived significant', 'bird body composition', '24 linkage group', 'gbrowse oaries_genome qtl', 'marker intragenic region', 'region bft rea', 'regulating cn dh', 'palatability trait', 'phenotypic variability', 'porcine sod1 gene', 'breed ability lamb', 'mstn sequence', 'conditional fat deposit', 'trait gene fat1', 'selection index indicating', 'using method', 'value calcium', 'resistance paratuberculosis holstein', 'feasibility increasing twinning', 'effective simultaneous selection', 'associated dd', 'considered deformed canales', 'skeletal muscle economically', 'tightly associated fatness', 'crh mapped bovine', 'hgd alui genotype', 'pietrain 98 purebred', 'mb chromosome', 'opposite 05 rs13905622', 'mtpn hydin', 'muscle fasted fed', 'osteochondrosis oc french', 'occurrence clinical mastitis', 'chromosome 85 88', 'variation knuckle', 'existing marker', 'observed milk production', 'l1 insertion spef2', '76 05', 'oxtr associated', 'revised significance level', 'sheep analysis snp', 'association lean meat', 'equine industry lead', 'previously addition', 'domain 29', 'pleurisy score', 'protein kinase ampk', 'thoracis et', 'beef initially', '66 single nucleotide', 'performed quantitative real', 'tail formation', 'yield yield grade', 'boar flavour bf', 'involvement snp', 'adg chromosome', 'pooled dna 12', 'resistance large population', 'weight day gga2', '201 microsatellite locus', 'white duroc white', 'complex area', 'snp using illumina', 'function mtnr1b protein', 'gga2 growth', 'located chromosome base', 'ugdh gene', 'lamb homozygous', 'ssc3 remained final', 'bovine longissimus', 'binding site sox6', 'gene performance fatness', 'data objective study', 'disequilibrium f4bcr', 'infection population', 'cattle milk', 'weight gwas analysis', '540 progeny texel', 'trait region located', '108 mb bos', 'disease salmonid specie', 'phenotype major additive', 'dead including', 'hoxb3 associated', 'marker used selection', 'exposure map', '18 152 cnv', 'mapped 675', 'marker genotype', 'nil commercial maternal', 'commonly united state', 'including altered allelic', 'significant portion breeding', 'explained qtl higher', 'holstein allele', 'or4d10 gene enrichment', 'proportion loin yield', 'information specific', 'haplotype inferior', 'responsible detected effect', 'sample 4350', 'selected genotyping 80', 'unknown sensing', 'etec f41 analysis', 'human health disease', 'puberty ap 295', 'variance number egg', 'mineral content skeletal', 'genome revealed', 'affecting growth feed', 'set significant association', 'segregation second prolificacy', 'expression atgl tg', 'early development embryo', 'structural fragility leading', 'recognition gene', 'conducted using', 'underlying milk fever', 'showed clustering', 'design mapped', 'provided opportunity map', '215 individual', 'determine smaller effect', 'predicted affect protein', 'offspring sire', 'test trait snp', 'component linkage', 'total lamb', 'differential igf2 expression', 'cm ssc17 ssc2', 'integrative sure', 'locus ggaluga348521 gga_rs16098446', 'moderate genetic contribution', 'type association analysis', 'volume sperm', 'cattle transcript long', 'basis low', 'factor osteoporotic', 'locus qtl reported', 'condition used endemic', 'genotyped 35k polymorphic', 'trait confirmed', 'discriminating putative qtl', 'showed consistent', 'corridor test isolation', 'acid composition genome', 'profile reveal', 'variance maternal', 'breed followed meta', 'greater mapping', 'produce significantly', 'representing genetic', 'retained analysis', 'lung tissue', 'production trait dairy', 'genetic variation present', 'competitive lifespan', 'resistance footrot using', 'approximately 16 cm', 'fcr broiler', 'breeding hampered', 'prl aa', 'correlated gestation length', 'association test combined', 'putative gene associated', 'research center meishan', 'amplifying low association', 'expression correlated premium', 'led increased', 'candidate genomic region', 'background conception fundamental', 'bull age significant', 'oleic 10', 'region functional', 'diameter 444g associated', 'trait female chicken', 'novel approach using', 'udder qtl trait', 'circumference significantly associated', 'segregation mutation', 'provide understanding', 'estimating explained', 'beadchip comparison', 'haematocrit change', 'explained qtl', '668 copy', 'included significant snp', 'wide level showed', 'driploss phult ph', 'chinese european lce', 'cattle interaction', 'capacity telomeric', 'important trait studied', 'interval sw1302 sw1473', 'linkage disequilibrium linkage', 'marker associated phenotypic', 'health pork producer', 'linked exhibited', 'global sheep', 'complement activity', 'snp rare', 'ph measured loin', 'breeding thoroughbred', 'propose use gene', 'studied trait serve', 'exclude silv', '20 29', '20 gene', 'chromosome number significant', 'polymorphism lep lepr', 'weight week', 'respectively distributed 26', 'sow displaying extreme', 'size identified region', 'observed hap1', 'scrapie susceptible', 'interaction pair locus', 'association detected milk', 'comprehensive coverage total', 'metatarsus claw', 'underling complex', 'intramuscular fat level', 'differentiation apoptosis', 'junction inositol phosphate', 'possible mutation', 'weight overlapped', 'polish holstein friesian', 'revealed me1 dra', 'level scc incidence', 'commercial dairy', 'gwas feather', 'chromosome chromosome wise', 'program low', 'program potentially improve', 'enhances fat', 'crossbred half', 'total loss weight', 'selected utt additionally', 'trait investigated strongyle', 'anka f2 resource', 'analysis mid infrared', 'bull 591', 'cm dik2741', 'σ2p make', 'genotype including 50k', 'qtl related swine', 'chicken associated', 'data feasible', 'respectively significant', 'pathway highlighted connection', 'analysis focused viremia', 'bull total', 'spl future', 'analysis revealed frame', 'chi 28', 'fever csf', 'holstein cow conducted', 'showed allele 332', '24 slaughter', 'resulted improved prediction', 'represent comprehensive cnv', 'lo weight shoulder', 'yield force', 'bh pa', 'large independent dataset', 'located bta28 chromosome', 'disease resistance pig', 'agreement association', 'btnl1 col21a1', 'gg individual showed', 'qtl affecting cm2', 'peaked snp phkg1', 'born alive lnba', 'expression obtained', 'major economic importance', 'chicken knc', 'pietrain trait', 'range psychotic', 'biology underlying', 'actinobacillus pleuropneumoniae important', 'involved cellular', 'tissue tumor commercial', 'score scs', 'selection program designed', 'vl wg42 genomic', 'growth rate occurred', 'alternative way', 'end fore', 'heterozygous favourable', 'linkage map spanned', 'animal genomic window', 'npl seven', 'muscle trait marchigiana', 'birth chromosome', 'dmi fcr', '777 snp genotype', 'capacity meat arises', 'selected asian derived', 'fish mapped', 'metabolism biosynthesis', 'cancer resistance protein', 'mutation tgc', 'ca revealing', '63 eqtl region', 'cm previously identified', 'probability unification', 'qtl detected 62', 'glucose metabolism greatly', 'squamous cell carcinoma', 'using weight threshold', 'carboxypeptidase cpm', 'single snp illumina', 'transducer activator transcription', 'polymorphism daughter yield', 'variance method', 'good physiological predisposition', 'validation study', 'group selected overlap', 'unquestionably represent', 'juiciness compared genotype', 'derived entire male', 'number cd2 cell', 'signaling natural killer', '290 progeny', 'ssc respectively qtl', 'thi class principal', 'ibmap generation allowed', 'covariate additional', 'covariates used', 'group pig', 'linkage disequilibrium 88', 'status proviral', 'larger loin', 'tex14 ccl28', 'gene apob', 'qtl evaluate', 'unfavorable allele exists', 'fabp significantly associated', 'carcass trait revealed', 'region ssc8 ssc14', '04 02', 'based local linkage', 'hormone potent counterpart', 'ecotypes companion', 'colour variation vital', 'close influence', 'mapped chromosome affecting', 'eu pig', 'parental animal', 'region gwas haplotype', '29 021 significant', 'pif1 german', 'provide additional evidence', 'value 97 additive', '36 significant', 'ssc8 ssc17 respectively', 'variation analyzed independent', 'level igf2', '249 cm', 'family investigated identified', 'cis vaccenic acid', 'considerable genetic variation', 'using bayes method', 'snp rs400827589 mtnr1b', 'region shown result', 'adg genetic correlation', 'study performs', 'population foundation population', 'piii genbank', 'ml sheep genotyped', 'bos indicus bos', 'association analysis using', 'candidate major', 'program breeding cow', 'association bmt', 'fatty acid balance', '600 affymetrix high', 'iv importantly qtl', 'snp w80x fitted', 'concordance previous analysis', 'lactation sc', '95 confidence', 'determined bird measure', 'sb mum', 'genetic determination growth', 'teat number heritable', 'immunocrit value', 'activity receptor', 'locus qtl horse', 'introgression program', '12 30', 'study investigate relationship', 'total lipid', 'significance trait values', '313 046', 'dh high heritability', 'mm 19 mm', '211 hanoverian', 'h3h7 h2h2', 'individual cow', 'population indication', 'mouse using crispr', 'heredity study considers', 'indirect impact', 'extreme shear', 'feed conversion feeding', 'skatole score bf', '07 possibly ovulation', 'reproduction present study', 'accounting 90 catfish', 'majority genetic', 'weight recorded', 'pietrain f2 resource', '01 regional genomic', 'sharply small interval', 'bta26 marker intergenic', 'null mouse using', 'negative correlation gr', '131 daughter', 'compared regressing', 'lower mature', 'phase qtl', 'ltl matter', 'identify 21k', 'lactation highlighted', 'observed closely', 'used afc', 'portion breeding', 'snp prkag3', '13 19 confirmed', 'problem increase', 'trait considered study', 'associated marker oar2_132568092', 'located ssc12 significantly', '100kb significant', 'population inconsistent varied', 'region controlling disease', 'sscrofa10 pig', 'provided 42', 'ancestor domestic chicken', 'gene involved major', 'making value concentration', 'analysis putative qtl', 'effect snp', 'abnormal oocyte', 'bull genotyped 25', 'time pcr qrt', 'virus peptide', 'ratio nutrient', 'validation marker located', 'significant effect bmt', 'known casein', 'tryptophan bacteria intestine', 'analyzed using haley', 'bayesian framework high', 'allele additive', 'depended data', 'qtl validated study', 'represent wide range', 'progress exploiting', 'qtl region sire', 'sw2456 sw1943 created', 'covering region', 'adjacent snp 247', 'overlapped reproduction related', 'previously undetected qtls', 'qtl estimate qtl', 'production regulated gene', '24 hour ph24', 'allele 01', 'allele identified qtl', 'different family reproductive', 'identified 241', 'qtl igg', '10 significantly associated', 'enrichment mirna target', 'showed pleiotropic', 'retinoic acid', 'genotyping array interval', 'repulsion phase qtl', 'considered potentially deleterious', 'genotype mg', 'count rbc', 'lower mature body', 'human chimpanzee', 'treatment mastitis', 'frequency estimated', 'segregating future', 'combination allele', 'sib intercross line', 'conduct directional', 'responsible overlapping', 'breed gwas approach', 'live animal qtl', 'respectively locus showed', 'exploiting panel bovine', 'fat inter', 'showed snp significantly', 'animal continually', 'porcine fto', 'pcr investigated', 'individually attain genome', 'identified consistent hypothesis', 'based estimate varying', 'medicine addition', 'qtl operating', 'texel segregating', 'related candidate', 'studied milk production', 'rac hanoverian warmblood', 'mutation milk fat', 'healthy pig', 'beadchip used', 'healing repair il', 'rs419889303 chromosome', 'meat stearoyl coa', 'ists expanded', 'marker used conjunction', 'key meat', 'offspring female', 'tenderness respectively haplotype', 'snp bta2 surrounding', 'analyzed using logistic', 'ccl2 gene', 'important trait increasingly', 'quality mammal objective', 'accumulation necrotic material', 'investigation gene responsible', 'characterized sequence', '41 family breed', 'density cm', 'cholesterol disorder human', 'identified main', 'advancement pork quality', 'key candidate', 'qtl detected body', 'weight loss', 'studied cloning sequencing', 'correlated phenotype litter', 'mb ssc7 snp', 'translation initiation factor', 'addition resistance', 'expressed mammary gland', 'included study mapping', 'particularly interesting', '17 sib', 'nh validated', 'candidate gene complement', 'remained experiment different', 'population cluster breed', 'quasi likelihood', 'uoi animal', 'different population', 'improvement production', 'lphn2 eltd1 st6galnac3', 'overexpression analysis', 'panel korean', 'including fraction', '792 aa genotype', 'hcr hsd17b7 ap3b1', 'sc combined linkage', 'identified traditional single', 'animal trypanosomosis parasitic', 'population crossbred beef', 'ii test', 'different breed cross', 'behavior lower reactivity', 'quality trait tenderness', '10 28', 'percentage pig image', 'myog mef2', 'order maintain racing', 'calpain mac warner', 'analysis number teat', 'hybrid suggesting qtl', 'abcc10 scd5', 'similarly gastric inhibitory', 'trapezius area trapezius', 'affected 25 affected', 'cattle animal', 'maternal additive', 'eliminate boar', 'purpose 309', 'heterozygote significantly', 'proposed method powerful', 'ewe control', 'pcr cow different', 'important trait selection', 'correction adjust', 'ifng toll', 'included pool 524', 'using phenotypic data', 'component challenging interpret', 'potential survival columnaris', 'marker fbn14 csn3', 'assay developed', 'key biological', 'rn 115', 'forest rf genomic', 'ocd 15 16', '90 suggestive', 'selection specifically horn', 'mixed nematode infection', 'number teat comparing', 'map qtl identify', 'secondly propose', 'genetic structure', 'performed chinese', 'use existing', 'imqp f1', 'immunisation experiment', 'technology illumina bovinesnp50', 'snp snp ucp3', 'meg3 gene muscle', 'single nbd qtl', 'bi596262 identified', 'identified comparison syntenic', 'fat trait meat', 'protein sequence', 'influence dgat1 maternal', 'population consisted', 'artificial selection consistent', 'ssc mir', 'sw1823 main', 'selection chicken', 'allow pork', 'developed taurus', 'provides clear', 'promising marker', 'region recombination', 'different gene', 'immune response circumcincta', 'percentage bmcpc', 'yellowness significant genome', 'clinical sign', '51e 06', 'flanking region npy', 'gwas using data', 'yield bta 14', 'analysis longissimus', 'hide qtl existence', 'instability knowledge', 'relevant red', 'predictive general population', 'ank1 cdna', 'breed foreign origin', 'analysis field data', 'snp 14', 'gpihbp1 exhibit exon', 'bmp15 significantly', 'expected genome dna', 'furthermore significant', 'variance dna 113', 'qtl hide qtl', 'fecx fecx 28', 'cm respectively body', 'negative pool control', 'constraint sheep', 'known qtl affecting', 'cyst metr', 'decreased 15', 'jurisdiction individual legally', 'cm 63', 'deviation corrected', 'snp 532 nearby', 'strategy resistance coccidiosis', 'study exhibited higher', 'including primary', 'gene directly involved', 'term gene expression', 'serpina7 acsl4 candidate', 'variance observed population', 'harbor genetic variation', 'meishan pietrain wild', 'fact harbor', 'deduced amino', '285 lead', 'region bovine guanine', 'area curve 21', 'snp1 locus significantly', 'disease alternative', 'technological measurement tenderness', 'play key role', '10 2886 14a', 'analyzed 108', '25 associated', 'low expression mbl2', 'trait identified snp', 'especially c18 105', 'paternal igf2 allele', 'pedigree loki', 'cell volume measured', 'difference uterine', 'qtl udder qtl', 'ref older bull', 'bmw tmw detected', 'f2 cattle cross', 'sample animal generation', 'ww long', 'molecular mechanism feeding', 'avfec bluppf90', 't32742394c t32742468c sh3gl2', 'mutation late feathering', 'ph searched', 'chromosomal position', 'associated selected fat', 'meat quality total', 'pathway analysis total', 'identified including', 'bmp15 protein ovarian', 'cattle mid', 'disease resistance cattle', 'sheep qtl', 'broiler feed', 'cholesterol ldl circulating', 'selected 37', 'receptor body', 'jersey cattle targeted', 'idea functional', '05 bb genotype', 'mapped ssc3 18', 'acid content total', 'content chromosome 14', 'expedite genetic', 'ga appeared beneficial', 'trait related humoral', 'selected fe significant', 'trait cattle verify', 'approach network', 'segregating family joint', 'recorded birth', 'intriguingly gene', 'sharing assay', 'comb color egg', 'determined independently validated', 'gene identified potential', 'bring new', 'riboflavin content using', 'order relate', 'vrtn gene region', 'control salmonella infection', 'disease worldwide caspase', 'genes qtls associated', 'dependent genetic additive', 'individual related pig', 'pneumonic lesion showing', 'thickness bft hanwoo', 'calculation assigned', 'ti open', 'associated carrier status', 'score difference', 'cycle using', 'study carried aiming', 'unveiling underlying molecular', 'possible pleiotropic effect', 'bin post analysis', 'anotia genetic basis', 'proportion exotic', 'survey haplotype diversity', 'rs80724063 respectively', 'provide understanding underlying', 'population fattening period', 'analysis conducted marker', 'analysis showed haplotype', 'coefficient intercept linear', 'respiratory problem growing', 'bayesian approach data', 'gcnf contained', 'mutation identified cast', 'global economic', 'gwas performed production', 'cross ib resource', 'teat mammary gland', 'fbn14 csn3 cm', 'marker possible', 'array nh dj', 'follow replication', '349 snp', 'parity 12 second', 'genetics allergen specific', 'particularly holstein', 'respectively qtl position', 'feed efficiency hrh4', 'variance observed trait', 'follicle stimulating hormone', 'piglet born total', 'variance explained common', 'composition duroc', 'effect heterozygous', 'met nominal', '68x20 genotypic', 'record recurrent', 'non double muscling', 'mapped joint', 'establishing relationship ornament', 'used generate 515', 'candidate identified', 'use oestrogen', 'qtl existence proximal', 'body weight abdominal', 'design using', 'qtl ldrm', 'expected increase detection', 'teat number tn', 'rm356 flanking 122cm', 'level suggesting', 'osteochondrosis humerus end', 'range carcass', 'ssc17 single nbd', 'wnt3 gh', 'regulation body composition', 'aa association snp', 'domestic mammal notably', 'mapped candidate', 'far study', 'infection nematode', 'lower conception rate', 'regression method using', 'block significantly associated', 'located gga gallus', 'pathway associated gene', 'genetic polymorphism', 'prior qxpak analysis', 'largely unknown pig', 'genotyped different statistical', 'ocrl thbs1', 'wool crimp 05', 'gender half remaining', 'study using taurine', 'cutaneous allergic reaction', 'genomic analysis using', '199 225 bp', 'miescheriana pig', 'expression prkag3 gene', 'maximization lasso', 'vicinity snp discussed', 'major haplotype identified', 'b2 essential water', 'background obesity', 'thinner fatness', 'role modulation', 'ileum length leg', 'average spacing marker', 'provide mean circumventing', 'score bos', 'diameter coefficient', 'rtn maximum number', 'parity anai4 conducted', 'thickness bft search', 'fit data better', 'growth trait dna', 'granddaughter design used', 'load rainy season', 'indicate probably polymorphism', 'position 107', 'anai4 acvr2a', 'itgb4 ggt6', 'production female proportionally', 'significance shared', 'protein spatial structure', 'fy protein', 'mg 57', 'performed considering different', 'positionally functional', 'genetic effect causing', '712 comparison', 'addition various', 'using granddaughter', 'imprh panel', 'presented increase', 'domain protein mupp1', 'genotyped using snp50', 'suggest influence', 'sliding window consisted', 'chromosome gga 26', 'sign osteochondrosis', '00 17', 'genomic heritabilities 43', 'indication 442 mediated', 'resulted haplotype h1', 'linked eggshell quality', 'dongxiang chicken', 'marker lying', 'grade quality', 'adg cbs', 'field data', 'chromosome snp', 'androstenone landrace', 'genotype 50 marker', 'increase significance qtl', 'mapping genetic marker', 'number pig located', 'gain 003', 'indicated gene', 'map inconsistent mainly', 'aldo keto reductase', 'cell collapse oocyte', 'industry reciprocal backcross', 'quantitative trait provided', 'suggested snp06 significantly', 'duroc related pig', 'vtn kera lyz', 'paternally expressed quantitative', 'structural variation', 'associated racing', 'quality identified commercial', 'granddaughter design total', 'average feather length', '10 26 genome', 'variable interval', 'cattle enabling modern', 'production trait 105', 'motif 313', 'generation cross', 'remaining 79', 'analysis using 60', 'genetic basis high', 'genetic mechanism imf', 'tgfb1 fto', 'suggesting conservation', 'affect milk yield', 'associated hindlimb', 'number gene differentially', 'acid mufa reduce', 'yearling weight ywt', 'cm bta using', 'egg homozygous', 'kell blood', 'salmonellosis demonstrated', 'ebv result suggest', 'cattle 99', 'eggshell strength es', 'lambing status', 'low androstenone', 'genetic architecture boar', 'trait human mouse', 'state ayrshire population', 'set ensembl bioinformatics', 'correlated snp 23', 'opportunity improving trait', 'bco2 enzyme identified', 'pattern heritability', 'stimulation adrenocorticotropic hormone', 'differentiation fat development', 'cattle depend', 'feed intake rfi1', 'dairy cattle saa2', 'week maximum growth', 'similar conclusion obtained', 'analyzed sample', 'binding bta mir', 'cattle allow', 'sire detected', 'cattle population differing', 'close ifng', 'studied region f2', 'evenly distributed marker', 'gene significantly 05', 'controlling pathogen', 'commercial beef cow', 'locus population study', 'crot fabp3 fo', 'selective breeding based', 'effect amino', 'immunological function affecting', 'affected brown', 'promoter addition porcine', 'affecting complex trait', 'addition significant association', 'oar2 oar3 determine', 'inbred population', 'tnb identify', 'determine extent', 'retention color important', 'corpuscular volume', 'relate hematological parameter', 'perfusion disturbance expiration', 'containing 41', 'ovine hsp90aa1', 'association polymorphism ucp3', 'involved innate', 'modern holstein', 'offspring marker', 'protein synthesis glycogen', 'located chromosome 14', 'total 675', 'identify significant association', 'affecting loin', 'elongation process', 'family structure performed', 'greatest pew', 'qtl1 chromosome gct0006', 'correlated lipid', 'frequency bovine prdm16', 'profiler beadchip applying', 'chr 16 25', 'management genetic', 'challenge beef', 'support polymorphism', 'hook hmga2 gene', 'oligogenic inheritance', 'data contrasting haplotype', 'quality trait montana', 'water ash content', 'map qtl milk', 'biological evidence', 'evidence effect fabp', 'particular poor', 'gga1 qtlexpress', 'suggested regulation', 'character trait', 'synonymous mutation cat', 'varied breed', 'highly relevant colour', 'ldla bayescπ approach', 'sal1 locus', 'yorkshire granddams identify', 'second challenge', 'observed skatole sperm', 'adrb2 expression', 'qtl methodology used', 'wl77 gga4', 'cow calf', 'introgression selection', 'frame morphology', 'genotyped 144 snp', 'qtl affecting rate', 'animal life', 'bta26 using', 'potential causal gene', 'qtl genome ranged', 'protein known multi', '10 genome sequencing', 'kinase amp activated', 'gga1 significant qtl', 'yield absent 32', 'score generation', 'italian holstein 10', 'time method', 'neuronal 6d lrrn6d', 'correlated expression water', 'indicate effect', 'proximity gene associated', 'datasets global', '03 10 identified', 'mapped ssc7 near', 'bd sheep localise', 'oligogenic inheritance moderate', 'position 461', 'related quantitative trait', 'weight cohort', 'phenotypic variance allele', 'association study 35', 'ssc2 ssc3 ssc17', 'basis complex', 'cross boar meishan', 'experimental natural suis', 'composition conclusion study', 'sourness fishy', 'substitution 423a', '626 020 snp', 'atp1a1 gene', 'heritable trait genomic', 'breed homozygote', 'frequency holstein', 'gene bovine phenotype', 'lysozyme innate immune', '337 f2 individuals', 'rs419096188 rs415580501 rs410336647', 'detection potential', '186 animal', 'muc13 enteric', '10 associated trait', '18 71 17', 'qtl importance epistatic', 'carcass breast muscle', 'association studied', 'snp significance genome', 'linked segregating qtl', 'prl stat5a', 'snp rs42670353', 'development homeostasis reproduction', 'antibody prior vaccination', 'poland suggested', 'bull originating', '1473a causing substitution', 'regarding multiple trait', 'resistance mastitis costliest', 'corrected significance threshold', 'significantly worse', 'breed composition group', 'fat percentage triglyceride', 'wt allele positive', 'gene 119 boar', 'line furthermore animal', 'disease domestic ruminant', 'tailed wool', 'layer bird numerous', 'useful data pig', 'steer variation feed', 'productivity possible', 'locus associated pneumonic', 'number qtl region', '109g bms833', 'axis multiple hypothalamic', 'texel animal', 'potential epistatic effect', 'acceptability limit individual', 'trait montana tropical', 'bac containing', 'causal variation key', 'duroc comparing allele', 'qtl body carcass', 'bayes analysis completed', '180 parturition lead', 'data used genome', 'integrity tight', 'overlap chromosome highest', 'higher dh compared', 'facing dairy industry', '000 permutation test', 'content economically important', 'qtl controlling fatness', 'result totally 15', 'heritability cn', 'involved cytokine', 'fixed breed', 'trait result pedigreed', 'behavior conclusion combining', 'yorkshire pig', 'create crucial barrier', 'additional hpaii site', 'addition 16', 'thought account', 'presence qtl successfully', 'mutation fifth strongest', 'ingenuity pathway', 'xirp2 confirmed linear', 'second lactation', 'complex 15', 'trait bos indicus', 'region promoter', 'genotype gg individual', 'role regulating expression', 'abundant milk whey', 'terminal band', '261 snp', 'motility mo', 'aimed confirming', 'affecting shape growth', 'pig production study', 'called intrinsic membrane', 'intensity measured culturing', 'dly duroc population', 'left femur humerus', 'chip result confirmed', 'higher breaking strength', 'fat deposition growth', 'qtl feed intake', 'country population large', '15 obtained', 'live weight lgals9', 'marker defined way', 'trait determined using', 'pbm 05 compared', 'variety trait', 'dam qtl analysis', 'qc jiaxian jx', 'bc population total', 'contains mutation effect', 'attributable individual', 'included conceived', 'protein alpha', '17 19 23', 'single locus analysis', 'influencing expression', 'showed marker trait', 'polymorphism snp obtained', 'combining linkage mapping', 'genechip bovine', 'breeding improved growth', 'purebred texel', 'investigate affect promoter', 'rate residing terminal', 'condition genetic variation', 'allele imputation region', 'χ2 test', 'performed entire', 'effect potential', 'intermediate region', 'spongiform encephalopathy', 'adjusted 100', 'estimate penetrances', 'yorkshire landrace meishan', 'ssc1 marker interval', 'function include ercc6', 'hcr proportion', 'interval large 13', '01 bwt 05', 'ssc1 13 14', 'response protein coding', 'reproduction health genetic', 'study added', 'architecture pig growth', 'individually genotyped', 'tested hypothesis region', 'pipeline gatk samtools', 'xn nanyang', 'pooled rna seq', 'list genomic location', 'linkage disequilibrium 92', 'gene related adipose', 'study large number', 'protein strong', 'snp chromosome', 'difference breed association', 'fish 196 sib', 'result reported addition', 'variance estimated trait', 'different transmissible spongiform', 'heritability 30 61', '07 lumbar', 'seen charolais crossbred', 'cattle breed known', 'conclude despite', 'gene vitamin', 'localization qtl meat', '49 study effect', 'important determine existence', 'layer allele larger', 'arachidonic linoleic', 'case control allele', 'ltnp snp', 'locus chromosome associated', 'routinely collecting phenotypic', 'twinning dichotomous', 'calcium ca inorganic', '180 individual', 'locus qtls imf', 'size birth affected', 'me1 dra result', 'signature identify associated', 'sheep data collected', '003 effect', 'recent advance', 'mutation 25225a', 'genome wide scanning', 'association selected single', 'reduced qtl confidence', 'heritability variance', 'prolificacy homozygous', 'litter accounted', 'fmo1 mapped le', 'decomposition obtain', 'trait fundamental', 'single step gwas', 'chromosome bta6 bta11', 'overlapping genomic', 'association decreased', 'cast cd2', 'lgals9 crude', 'data similar regard', 'highest hock oc', 'mapped qtls', 'score sum', 'population deeper', 'conformation production', 'variability qtl', 'term onset puberty', 'pcr sequence analyzed', 'rs16675844 significant', 'casein total', '26 high risk', 'greatly reproductive efficiency', 'regressed respect backfat', 'bw21 bw42', '19 qtl', 'horse 14', 'joint multibreed', '0001 specifically', 'wwt yearling', 'genetic basis phenotypic', 'wild soay sheep', 'qtl segregating multiple', 'significant snp accounted', 'additionally based single', 'analyzed outbred', 'greatly fasting 05', '04 shank', 'indicated mtpap', 'innate immune trait', 'alpha serine threonine', 'beef cattle production', 'bta14 30', 'measurement fertility population', 'expression analysis slc39a7', 'speed signal overlapped', '128 genetic marker', 'breeding season 001', 'implying complex underlying', 'sample body', 'area ggaz conclusion', 'analysis showed 255g', 'region associated teat', 'family considered phenotype', 'nh missense', 'score approach used', 'qtl reveal', 'genomic sequence', 'lipid metabolism cytoskeleton', 'gene mainly', 'homozygous mutant genotype', 'influencing rfi exceeded', 'associated myristic', 'detected trait including', 'subsequently designated', 'associated gene hairy', 'sire family 657', 'success pork production', 'observed lp1', 'flavor major determinant', 'site ube3b protein', 'previously detected second', 'snp64_g allele uniquely', 'beneficial reproductive', 'polymorphism fatty acid', 'overall estimate unit', 'carried square analysis', 'suffolk sire', 'haplotype mutation positioned', 'creates difficulty pinpoint', 'analyzed enrichment', 'erhualian resource population', 'kg 41', 'host including', '20 lod', 'calculate additive', 'effect bta13 short', 'breed mstn 874g', 'vrq susceptible prp', 'forthcoming study', 'important functional candidate', '16 ass utility', 'imf clear association', 'afe additionally', 'record 226 hungarian', 'transcript trans acting', 'lei0079 ros0025 marker', '01 determined', '000 snp segregating', 'experimentally challenged type', 'breeder help', 'characterise variability candidate', 'grandprogeny grandsire', 'current population present', 'thickness linkage disequilibrium', 'earlier growth', 'haeiii locus', 'heritability total number', 'vertebra using', 'dorsi muscle fiber', 'revealed synonymous mutation', 'strain putative qtls', 'chicken chromosome gga5', 'parity trend quite', 'teat defect study', 'blackface lamb snp', 'breeding body weight', 'ssc2 effect', 'data used map', 'remain underexplored', 'presented support hypothesis', 'different breed report', 'percentage significant qtl', 'variation breed influence', 'independent chi', 'role risk', 'breed cross report', 'end ssc17', 'region utilization', 'interesting indicator dairy', 'using permutation approach', 'undetected various', 'economic profit', 'pig line study', 'suggesting possible', 'maternal infanticide sow', 'circumference body length', 'protection various', 'lcorl ncapg', 'vaccination challenge regime', 'na se 12', 'variable ca', 'insertion deletion btnl1', 'analysis npl', 'marchigiana muscle', 'sow tnb', 'fitted using thrgibbs1f90', 'measure long', 'family sample', 'snp distributed bta14', 'quality native', 'prrsv prevented', 'possible biological', 'region csn1s1', 'segregating snp identified', 'lamb production', '12 range', 'value 10 similar', 'heritability estimate uncover', 'explained qtl varied', 'aged 24', 'identified human specie', 'estimated residual maximum', 'suffolk texel ml', 'associated gene', 'trait massively structured', 'collected classification typification', 'anxa10 null', 'genetic variation fat', 'alpha like', '158 italian brown', 'cooked meat', 'homogentisate dioxygenase', 'pork mature non', 'performed statistical model', 'assumption trait characterized', '85k single', 'primarily utilized', 'direction result agree', 'qtl suggests gene', 'genome 60 phenotypic', 'approach improving power', 'mln expression cow', 'assisted management genomic', 'population significance level', 'uac showed significant', 'association 05 01', 'trait influenced large', 'udder related', '37 14', 'breeding history', 'mineral density bmd', 'irrespective oh', 'phosphoenolpyruvate carboxykinase', 'shh lmbr1 fgf7', 'expression nucb2 fat', 'candidate gene correspondence', 'analysis result agreed', 'fcr 05 genotype', 'routinely used identify', 'study contributes better', 'play role stabilizing', 'hmga1 abcc10 gene', 'qtl btas 14', 'pathway sphingolipid', 'starting 22 day', 'locus ifnar1', 'segregating status sire', 'probability 060 045', 'conformation linkage confirmed', 'gene research', 'fcr snp low', 'energy metabolism obesity', 'medium chain fatty', 'fl structural', 'ph showed', 'phu combining association', 'dna binding 0003677', 'dorsi muscle study', 'puberty data', 'ampk contributing', 'skin test regardless', 'map channel catfish', 'leghorn population quantitative', '10 genetic', 'tbg apoh comparative', 'weight genetic', 'breed indigenous bovine', 'iii harbouring steer', 'effector phenotypic variation', 'increase beef demand', 'related carcass performance', 'study identified region', '85 single', 'analyzed region', 'snp local', 'non coding region', 'pig interesting polymorphism', 'glm gga4', 'response measured time', 'resistance complex trait', 'feed conversion ratio', '10 thirty', 'associated incidence multiple', 'receptor mc4r', 'trait associated stress', 'affecting fetal growth', 'polymorphism snp rs400827589', 'strength alternative', 'pair explained residual', 'bone introduction', 'selection improve trait', 'clinical ulceration presence', 'cattle family snp', 'association prkag3', 'mc4r phkg1', 'metalloproteinase gene', 'region swine chromosome', 'translocated gene', 'eqtl 149 cis', 'specific candidate', 'chromosome forming network', 'meat percentage ratio', 'pair homeologues', 'coefficient determination', 'polymorphism genotyped', 'resource present', 'trait sum', 'association performed', 'production environment genetic', 'food intake pituitary', 'cattle production objective', 'approach using', 'level detected qtls', 'melanoma synthetic', 'status putative immunological', 'cytokine signalling', 'qtls eca2', 'prt region regional', 'validated independent', 'chromosome locus', 'network biological', 'qtls fact localize', 'valle del', 'function porcine', 'length coding region', 'using iberian landrace', 'model inflation', 'used increase power', 'warmblood horse tested', 'xp ehh', '259 bp', 'reinforces role', 'qtls candidate gene', 'population allele reached', 'gene respectively', 'content result', 'showed trans', '23 48', 'reported association', 'trait typically associated', 'consistent previous', 'level axis including', 'affect variation growth', 'mutant result amino', 'explain previous discrepancy', 'suggests gene', 'wise bayesian', 'antisense transcript', 'chr 10 16', 'regulated abdominal fat', 'gene necessary', 'snp defined passing', 'puberty conclusion', '13 refined', 'contains 777', 'genetic basis longitudinal', 'genotype marker', 'itih mrna', '150 174 mb', 'churra ewe belonging', 'qtl met nominal', 'ssc6 using', 'phenotypic variance contrary', 'difference bd provide', 'trait associated muscling', 'design genetic analysis', 'status 1644', 'placenta development response', 'lipoprotein constituent low', 'log 10 genotype', 'trait number pig', 'ttn detected autosome', 'usability furthermore german', 'qtls exceeded genome', 'fish 196', 'nsb1 later nsb2', 'candidate produce daughter', 'composition trait reconfirmed', 'form mbl', 'sheep using snp', 'variability direct', 'selection modify milk', 'mutation 81', 'interval qtl genomic', 'variant near znf389', 'primer combination', '65 tcf12', 'gene locus gene', 'parameter milk', '636a substitution', '90 observed decr1', 'evaluation conformation', 'snp empirical significance', 'consistently revealed', 'critical age weight', 'type influence', 'white composite line', '900 animal marker', 'traits spotted coat', 'marker affecting', 'parameter lm', 'progeny 98 radiographic', 'haplotype growth association', 'study shed light', 'low minor', 'genotypic frequency genetic', 'allele frequency tested', 'chicken fatty', 'allele 361', 'analysis breed qtl', 'chromosome angularity chromosome', 'challenge regime correcting', 'trait offspring', 'area rump fat', 'allele risk', '1317 cobb broiler', 'frequency determined chinese', 'cd dd genotype', 'se 02 06', 'second aim', 'chicken white', 'btau7 snp cast', 'response cattle', '412 used', 'respectively mutation associated', 'candidate gene lep', 'based linkage analysis', 'horn morphology', 'significant linkage association', 'mt remains', 'issue abortion', 'lower tabulated threshold', 'skin function', 'suggested molecular', 'hap2 resolved', 'pig 19', 'supported role vrtn', 'genetic diversity snp', 'phenotype daughter age', 'significantly associated daily', 'published genomewide association', 'snp associated igat', 'snp correlated chest', 'gene sixteen marker', 'chicken high density', 'candidate region chr1', '19 snp significant', 'metr retp averaged', '187 marker genotyped', 'ovine lactation curve', 'ptpn11 ssc14 increased', 'study identified single', 'using bayesian estimation', 'explained pve lead', 'c18 bta23', 'explaining high', 'association eye depigmented', 'longevity postmortem', 'model conducted', 'substitution mutation nucleotide', 'tissue necrosis', '001 flock', '37 depending', 'applied dna', 'intake bird current', 'trait spawn weight', 'breeding gene', 'belonging 22 breed', 'intron detected foki', 'difference spotted', 'human placenta umbilical', 'utero placental', 'selectable marker causal', 'significant 0001 03', 'div2 population result', 'recent result differential', 'ibk disease', 'quality data', 'association protein', 'analysed gene', 'lightness particularly animal', 'time qtl explains', 'analysis facilitated', 'polymorphism different', 'variance respectively annotated', 'coincide qtls', 'region identify putative', 'deviation calving trait', 'enveloped virus assembly', 'proportion loin', 'locus carcass', 'casein complex region', '17 349', 'group preliminary', 'provide information future', 'bola nc1', 'ancestry despite', 'genetic pathway', 'ssc3 ssc6', 'data 456', 'pi pietrain german', 'percentage carcass shank', 'family arq', 'applied 50k snp', 'egg dwarf layer', 'evaluated total snp', 'employed detect', 'analyse half sib', 'statistical significance calpain', 'important determine', 'mbp 10 snp', 'mapped present', 'polymorphism target', 'marker encompass likely', 'identified ssc12', 'parity 95 96', 'known main regulator', 'variance trait significant', 'corroborated oc risk', 'fertility different lr', 'associated incidence', 'qtl small proportion', 'significance threshold 47', 'table egg', 'window variance component', 'important qtl region', 'chromosome 23', 'cw cw 28', 'pathological feature', '41 dam resulting', 'multiple linked locus', 'weakness using qtl', 'su wld nicl', 'apoptosis variant', 'gga5 increased', 'kilda uk mapping', '21836 cattle gene', 'fertility deleterious', 'qtl maternal infanticide', 'production little known', 'acid profile cow', 'qtl sex interaction', 'searching minor', 'weight suggestive', 'related parameter 821', 'representation snp', 'beginning end lactation', 'pif1 experimental', 'csf1r wt1', 'abcg2 opn animal', 'stress infection instance', 'qtl cwt', 'common procedure linkage', 'estimate marker', 'independent analysis', 'understood study gwas', 'rainy dry', 'using large', 'sib family spanish', 'af qtl mutation', 'meat prkag3 024', 'meishan pig cnvrs', 'locus novel snp', 'increased 305 day', 'variation tested larger', 'imf confirmed', 'gene ontology suggested', '27 28 recfat', '4350 daughter 12', '20 wk', 'carcass trait assessed', 'behaviour phenotype underlying', 'deregressed proof adjustment', 'entire chicken chromosome', 'curve random genomic', 'gwas order identify', 'marked difference', 'similar commonly united', 'ryr1 lipe tgfb1', 'ssc3 remained', 'sw1856 chromosome', 'pervasive role internal', 'influence target gene', 'correction total 27', 'aggressive behaviour', 'estimation variance component', 'motif ef hand', 'protein 117 tmem117', 'gene bull 15', 'fat tissue fat', 'spef2 gene located', 'gene leucine', 'polymorphism sanger', 'effect confirmed favorable', 'endangered breed approximately', '12 single', '35 021 adg', 'surrounded marker fabp4snp2774c', 'poly length human', 'snp1 genotype aa', 'bull 591 988', 'composition detected bos', 'previous genome scan', 'trait considered including', 'qtl sow bf', 'expression investigation', 'difference identified', 'nominal 05', 'ti trait', 'conformation characteristic pig', 'associated multiple phenotype', 'migration porcine', '14 mb', 'result refining', 'sheep 67', 'resistance conclusion', 'jointly experiment statistical', 'dorsi muscle ld', 'kosher low', 'responsible polymorphism', 'flanking sequence identified', 'accumulation pig', 'panel tenderness respectively', 'c231t c34t', 'moving window snp', 'weight piglet born', 'variant concentration', 'qtl detection livestock', 'chicken poorly understood', 'performed using sequenom', 'breeding candidate produce', 'showed significant 01', 'clearly indicate bta29', '39 haplotype', 'identified inositol', '4mb bta14 cwt', 'presentation cellular structure', 'uterine function plscr4', 'composition resource population', 'snp ss411628932 ss411628936', 'locate causative variant', 'function mtnr1b', 'loin weight showed', 'unique powerful', 'population constructed', 'seven snp candidate', 'ssc15 ssc18', 'parity 01', 'transition exon', 'sequence high identity', 'assuming marginal additive', 'revealed 15 chromosome', 'linkage qtl mapping', 'gene ovulation', 'upstream bmp15 gene', 'marker 5147 nordic', 'region includes gene', 'parameter italian', 'calf genome wide', 'possible pairwise', 'umd genetic variance', 'snp microsatellites', 'total 15 235', 'lumbar bft marbling', 'disequilibrium combined', 'located 259 cm', 'background pleuropneumoniae resistance', 'qtl 16 ultrasound', 'equine guttural pouch', '18 19 coincided', 'significantly associated androstenone', 'herd subset', 'sequenced complete open', 'coldspot segregation', 'eqtls revealed', 'meg3 previously gtl2', 'ease pce', 'ss61512613 ss61530518 bta6', 'interval mapping program', 'cattle provides clear', 'major role growth', 'transcript short transcript', 'blanco orejinegro', 'selected lean fat', 'using sorf2 bait', 'meat production industry', 'yield postulated', 'phenotype supporting', 'mir206 level correlated', 'reducing economic loss', 'synthetic line', 'f2 pig pertaining', 'differently regulated paper', '05 150', 'chromosome ssc 13', 'variance usually retain', 'boar adipose tissue', 'genetics 01', 'testing scheme', 'gblub achieved', 'detected highly', '934 male', '66 individual breed', 'cart gene promising', '23 mb', 'change chinese', 'identified result present', 'f2 animal originating', 'bl 29 chest', 'sst_dg156121 362a ribeye', 'affecting 24 egg', '02 result suggest', 'carcass using analysis', '532 expression downregulated', 'cnvrs previous', 'trait biased', 'effect sc', 'support potentially', 'carcass significant association', 'genetically altering fatty', 'shared snp', 'genotype based', '02 term', 'gene product', 'average body weight', 'level weaning weight', 'mgst1 sel1l3', 'fatty acid fatty', 'infected individual subsequent', 'involvement vrtn gene', 'mutation tcf12', 'gene single', 'bpifb3 pck1 closely', 'close fasn gene', 'heritable cis', 'c18 monounsaturated fatty', 'population analysed', 'fcr specie study', 'linkage disequilibrium combined', 'skeletal muscle fat', 'attributed ovine chromosome', 'breed comprehensively increase', 'pathway analysis genome', 'suhuai pig slaughtered', 'background behavior', 'trait osteochondral lesion', 'approach exclusion lean', 'breed shared', 'pigmented pig genotyped', 'site eye muscle', 'assembly enabled', 'family 900 individual', 'chain reaction', '855 animal', 'sequence data combination', 'trait expand', 'bone trait proposed', 'impact prrs need', 'foot score', 'dimeric binding site', 'locus associated wool', 'background calving difficulty', 'step variation', 'elucidate gene', 'body measurement', 'qtl derived oh', 'study 562 pure', 'candidate gene inhba', 'total 107 294', 'thickness parameter', 'succinyl coa content', 'prl aa genotype', 'suggests selection', 'centromeric previously identified', 'component trait', 'mineral composition', 'statistical support 10', 'width positive negative', 'parametric curve', 'association fmo3', 'yield 10 kg', 'returned control level', 'evidence presence', 'polyphen software', '8111 marker window', 'encompass likely position', 'analysing multivariate mixed', 'determined sex chromosomal', 'small moderate genetic', '08 independent', '239 752 247', 'previously called gdf8', 'trait benefit implementation', 'comparing list', 'hypothalamus year round', 'analysed plink', 'axis sympathoadrenal sa', 'effect lepr allele', 'genetic analysis identify', 'gdf8 common alias', 'potentially useful model', 'mer foot', 'ovary detected', 'snp porcine myod1', 'population 195', 'nature distribution ex', 'located chicken chromosome', 'locus verified', 'chromosome 12 14', 'pulmonary artery', '01 trait', '337 fertile', 'tnp1 investigate genetic', '18 meat quality', 'defined suggesting', 'gallus chromosome gga', 'large scale identification', 'evidence increased', 'trait qtl ssc5', 'genomic association epistatic', 'girth month age', 'hypothesis testing conduct', 'size trait pig', 'snp obtained database', 'simmental crossbred nanyang', 'region potentially associated', 'cell polarity', 'small moderate', 'suggesting affect early', 'breed single strand', 'important livestock production', 'designated trait trait', 'ebv greater', 'fertility study dna', 'deformation chromosome 10', '29 affected aforementioned', 'dio3 gene', 'specifically map', 'wdr92 prokr1 etaa1', 'appeared beneficial', 'obesity mouse indicating', 'total 362 individual', 'calving trait observed', 'considered indicator udder', 'sign breathing', 'contained refseq', 'bringing behavioral', 'oar3 addition classical', 'taurus indicus breed', 'process lipid protein', 'identified bovine lactoferrin', 'small deformed horn', 'fat genome scan', 'analysis report wide', '36 387', 'herpes virus', '15 rhm analysis', 'herdmates lactation negative', 'acid 0002', 'control number corpus', 'suggested meat color', 'domestic line', 'needed confirm refine', 'genomic profiler panel', 'bonferroni corrected', 'bull paternal', 'number change', 'meat production meat', 'lead dna based', 'effect 86', 'important feature', 'identification underlying mutation', 'commercially relevant pig', 'position similar', 'higher percentage', 'udp glucose', 'chromosome test', 'hanoverian warmblood different', 'model fitting polygenic', 'type chicken complex', 'boar abnormal pork', 'peculiar pigmentation surrounding', 'qtls included previously', 'sd9 week', 'β1 chosen genotyped', 'trial pig', 'mg trait finding', 'microsatellite marker selected', 'hypothesis quantitative', 'genotyped represented resistant', 'substitution significant snp', 'synthesized precursor', 'affection statue ii', 'morphological trait', 'seen qtls', 'genome annotation', 'nr2f2 oas1', 'improvement example identification', 'variance 10 significant', 'trait complex trait', 'analysis anova', 'nutritional healthfulness', 'percentage palmitic palmitoleic', 'various tissue', 'pr calving difficulty', 'general approach allow', 'alpine sheep', 'highly conserved wnt', 'proposed potential', 'associated pt 12', 'variation cast', 'tolerance half sib', 'age intercross red', 'multiple gene study', 'polymorphism snp showed', 'qtl compared case', 'using functional', 'reduced significantly', 'comparative sequence', 'association weight', 'demonstrated genetic', 'common locus', 'composition awassi', 'confirm 13', 'host resistance gastrointestinal', 'infinium hd snp', 'intramuscular fat detected', 'bootstrap analysis', '20 harbour qtl', '900 143', 'lgw 94', 'qtl human rodent', 'rs320439526 implying', 'genotyped presence', 'result 50', 'gene investigated using', '16 single', 'present linkage', 'chromosome 12', 'gene 14 fell', 'data exemplarily population', 'mbp 10', 'meat quality tasting', 'information growth performance', 'hd 600k', 'meat respectively excluded', 'number locus moderate', 'resource population cross', 'demonstrated 27534932a polymorphism', 'result method possible', 'single snp chromosome', 'ulna radius bone', 'eth152 greatest test', 'gwas respectively', 'enssscg00000031548 associated adg', 'concentration association', 'identified reported previous', 'male sheep', 'data cpd 917', 'value csn1s1 main', 'dq1 significant', 'target form', 'mechanism metabolic', 'aid genetic improvement', 'diameter 90 sscx', 'objective objective present', 'haplotype based gwas', 'defined rate declining', 'generation haplotype', 'comparative mapping radiation', 'considered potentially', 'class large', 'qtls oar19', '21 day age', 'effort work', 'single pedigree 882', 'neaurp a213c', 'indicates information', 'mutation resulted arginine', 'content direct dna', 'tested selective', 'best derived debvs', '204 progeny comparative', '5147 nordic', 'derived iberian', 'hydrolase family protein', 'measured cleaned skeletal', 'approach approach', 'essential breeding conservation', 'chromosome ssc4 qtl', 'largest beef producer', 'analysis 000 signal', 'propagation survival salmonid', 'pathophysiological change', 'qtl ssc6', 'exposed experimental natural', '5678784a snp lower', 'dairy industry characteristic', '83 36 nanyang', 'colt quantitative', '05 indicate possible', '789 snp', 'breeding value btb', 'trait line chicken', 'pathogenesis lda german', 'important economic', 'region ssc17 influence', 'sheep chromosome gene', 'wide significance trait', 'salmonella colonization 61', 'dongxiang blue shelled', 'sheep used commercial', 'analysis commercial', 'linkage based analysis', 'sequencing sequence entire', 'aries chromosome', 'identified gga2 identified', 'agag h1h3 aggg', '32 day', '636a snp', 'hypothalamus adrenal hypothalamus', 'fat composition provide', 'significant examined trait', 'qtl m3 model', 'tnfα stimulation contrast', 'including 115', 'study customized affymetrix', 'associated pig', 'snp array rainbow', 'directional selection', 'snp3 strong', 'adjusted yearling weight', 'index pork', 'phenotypic selection', 'factor receptor igf1r', 'previous sire', 'genomic signal', 'background animal genetic', 'charolais german holstein', 'region explained 001', 'breeding scheme broiler', 'sexual maturation female', 'enzymatic activity affected', 'famous large', 'order detect snp', 'trait linear', 'using high', 'bta20 55', 'confirmation candidate identified', 'quality tasting', 'subclinical ketosis included', 'suggesting linkage disequilibrium', '48 phenotypic', 'potentially used', 'utr partly overlapping', '362 marker', 'effect larger sd', 'significance plasma cortisol', 'bta18 loc787057', 'longer significant chromosomewise', '038813 btb', 'based rs13997809 rs13997811', 'expression female', 'animal extreme end', 'gene affecting feed', 'predicted weight saleable', 'detected meishan', 'region daughter', 'oviposition afe weight', 'reflect water', '23 24 25', 'assistant selection', 'immune trait behave', 'shared significant', 'located 41 112', 'independent manner', 'analysis marker add', 'cell cycle body', 'highly regulated genetics', '426 snp distributed', 'carcass leg loin', '6b kdm6b', 'expression disease qtl', 'depth ld', 'plus non', 'level pig', 'previously derived', 'gene custom', 'mapping specific', 'cm ssc tn', 'yield result molecular', 'regulatory site', 'similar bw', 'select lamb', 'involved eye development', 'breed developed survive', 'narrowed confidence', 'advantage model', 'atg porcine', 'microsatellite marker sixteen', 'pair gene', 'spotted group', 'differentiation cell activation', 'pig defined combination', 'using larger', '590 holstein sire', 'later life detected', 'half sibling family', 'affect gonadotropic axis', 'based variance 10', 'lod score 129', 'alteration transcription factor', 'blup model', 'warmblood horse 17', 'implemented following', 'qtl multitude', 'percent bta1', '10 marker', 'deliver solution identifying', 'test day record', 'essential human nutrition', 'bmt sequence analysis', 'evolution genetic', 'line major histocompatibility', 'bta26 bta17 feet', '10k snp', '001 chromosome wide', 'polymorphism technique g162c', 'total muscle', 'approximately 12 cm', 'resistance susceptibility complex', 'cis regulatory', 'variability genetic', 'porcine chromosome ssc8', 'cre ionized', 'ovine infinium hd', 'allele enhances', 'trait detecting', 'improving lactation persistency', 'affecting lameness', 'event 1217 non', 'located near mc4r', 'appear generate', 'critical significant', 'fatty acid synthase', 'resulting copy', 'phenotype assessed', 'muscle damage', 'polymorphism gli3 gene', 'validation linkage disequilibrium', 'amplified sequenced', 'a868g located', 'chromosome 18', 'understanding porcine', 'birth ssc13', 'produce egg denser', 'cow analyzed daughter', 'recurrent laryngeal neuropathy', 'method qtlexpress total', 'respiratory problem pig', 'sib model', 'allele chromosome', 'rdw study provides', 'signature increased fitness', 'production trait qtl', 'cast gg genotype', 'endocrine trait bta', 'lym polymorphonuclear', 'investigate porcine lep', 'development candidate', 'consistently significant qtl', 'revealed qtl milk', 'combine detailed', 'white population pig', 'layer individual', 'different effect arg236his', 's0082 arm influenced', 'analysis addition existence', 'genotyped 180 microsatellite', 'prim holstein confirmed', 'selection immunocompetence', 'set interacting', '66e 04 012', '10 dcd', 'ssc reported previously', 'beadchip illumina san', 'model resulted', 'dorper sheep using', 'irf3 shown result', 'disequilibrium causative', 'small portion', '170 cm', 'cell distribution', 'cm novel', 'fat information', 'initially genotyped 125', '152 italian', 'pig breeding program', 'study possible chicken', 'related trait free', '10 week old', 'gene heg1 itgb5', 'assigned chromosome 14', 'identified potentially relate', 'study nrr', 'window explained genetic', 'genotyping ebv', 'reproductive trait greatly', 'plot chromosome sharper', 'containing cnv12 adjacent', 'affected level', 'period scrapie', 'rate potential', 'including large white', '22 associated difference', 'associated femur bone', 'covering 20 bovine', 'susceptibility parasite infection', 'expression primary', 'exon porcine', 'animal purebred', '10 snp', 'significantly increased prolificacy', 'replication shared', 'genome association mapping', 'genotyped seven polymorphic', 'consistent high quality', 'relevant structural biochemical', 'microsatellite marker white', 'size association significant', 'body weight bft', 'hm represented', 'yield composition', 'gene 156 junmu', 'observed rs43101491 snp', '51 phenotypic variance', 'detected heifers population', 'common disease dairy', 'length shl', 'sod1 gene', 'defined highly', '53 cm 11', 'distinguish different', 'loin breast', 'technological measurement', 'comparison including', 'reported submitted genbank', 'variance contrary', 'study previously reported', 'influence vertebra', 'rna 50', 'finding snp', 'genomic interval', 'managed dairy', 'meat derived', 'provides unique powerful', 'cluster smaller', 'weight continuous covariate', 'progesterone prior', 'responsible polymorphism milk', 'snp incomplete', 'cnvr potential', 'interval sw2456 sw1943', 'solely genetic', 'hh signaling', 'overall comprehensive study', 'dna marker related', 'intestine weight liw', 'intake dfi identified', 'bull genotype', 'understand complex', 'sw2456 sw1943', 'palmitoleic acid oleic', 'test day', 'snp nc_006091 1773t', 'medius gm', 'total 9919', 'qtl successfully located', 'bp chromosome microarray', 'map cluster', 'kunming city yuxi', 'potential founder', 'panel relevance', 'c18 1n9c saturated', 'different genotype exon', 'snp totally linked', 'using multiple position', 'demonstrated usefulness', 'pig breed genotyping', 'qtl syntenic', 'size performed', 'disease greatest impact', 'pathway phosphate', 'animal higher value', 'litter size result', 'scanning greater', 'showed progressive severe', '06 04 respectively', 'pmp2 plin1', 'gene information', 'snp located bta6', '68 70 cm', 'rna molecule', 'breed erhualian', 'biological indication consider', 'bta1 878 631', 'snp gga1 initially', 'actively contributes', 'igf2 using combined', 'slaughter glycolytic', 'possibility using genetic', 'hallmark finding blood', 'mutation called fecx', 'fatness different', 'association nba', 'confirms previous report', 'egg production demonstrate', 'arhgap39 gene participate', 'bta1 878', 'region serum antibody', 'poor growth', 'associated bone', 'identified commercial breeding', 'positively correlated 830', 'test combining social', 'select lamb 371', 'trait feather', 'adjusted version method', 'making difficult', 'dusp4 lifr ngef', 'regenerating islet derived', 'manure spite economic', 'ease performed', 'ifc analyzed', 'marker vrtn gene', 'rear view hind', 'small intestine liver', 'erythroid related', 'laryngeal neuropathy rln', 'nrr 56 90', 'sc using', 'lesion count recorded', 'comprising 31 large', 'selection sc provides', 'susceptibility ketosis', 'gdf9 protein', 'qtl determined', 'assigning genome', 'genomic marker structure', 'limited marker', 'snp mapping corresponding', 'snp marker prioritized', 'derived significantly associated', 'record response', 'construction association analysis', 'chromosome largest number', 'sheep artificial', 'identified qtl btas', 'showed large', 'homozygote culled', 'new vision', 'containing 61', 'protein yield somatic', 'sugar concentration gene', 'production decreased growth', '41 427', 'analysis conducted 12th', 'result cd46', 'progeny tested nordic', '1606 gene association', 'snp array 600', 'disease model high', 'kit close s0069', 'lactation sck2', 'uk trait', '10718g 10841g 10893a', 'evaluated included', 'including bovine', 'qtl identified chromosome', '240 horse', 'reactor skin', 'qtl wing mapped', 'snp impact', 'approach implemented genabel', 'bayes heritabilities resistance', 'pedigree likelihood', '5000 animal', 'declared significant using', 'effect 11 13', 'regulation male reproduction', 'suggestive qtl low', 'high risk', 'welfare issue world', 'linkage disequilibrium analysis', 'cm tg', 'le abundant', 'contortus genome scan', 'associated reproductive', 'identify gene underlying', 'qtl genotypic', 'scd gene completely', 'genotype 2449gc higher', 'model achieved reliable', 'reported affect ovulation', 'inverse gross feed', 'calf dam snp', 'tool study', 'ww yearling weight', 'exp 001 phenotypic', 'support future research', 'blue marc iii', 'sheep polymerase', 'increase litter', 'milk performance', 'protein like glutamate', 'sd imf 68', 'snp non', 'variance investigated', 'observed increase', 'correlation 84 indicating', 'reported dsn', 'mbl2 detected testis', 'snp multiple', 'allele corresponds sd', 'day calving insemination', 'pivotal role animal', 'fertility qtl qtl', 'equcab assembly eca9', 'evidence genetic variation', 'selection milk', 'muscle growth fat', 'analysis comb dataset', 'differently calm', 'trait frequency twin', 'breeding programme nematode', 'observed association body', 'reproductive role', '582 canadian angus', 'affecting carcass weight', 'muscle cell ldha', 'f2 experimental family', 'microsatellites 11', 'meat type sire', 'france german blackheaded', '369 f2 individual', 'specific effect pig', 'multitrait model', 'jersey derived', 'based sire litter', 'studied farm animal', 'ndv resistance', 'result indicate tgfbr1', '12 time lower', 'entropion genome wide', 'produce meat', 'g1829t associated loin', 'estimated sum', 'known chronic progressive', 'content cast gg', 'ghanaian local chicken', 'depressed circulating', 'included birth date', 'member mitochondrial', 'bw49 bw70 fcr', 'calculation approximate multi', 'prme horse', 'qtl explained 13', 'aa bb', 'includes rock', 'variant associated bone', 'polymorphism arl4a snp10', 'sheep 11 growth', 'lacombe research', 'used 14', 'gene biological network', 'region relevant haematological', 'cross model second', 'compound boar taint', 'reported present', 'following colubriformis challenge', 'jointly pig', 'offer valuable information', 'performed trait', 'respectively genotyping performed', 'total number teat', 'fmo3 remaining fmo', 'region micrornas mirnas', 'genetically correlated 91', 'unique bovine gene', 'polymorphism affected meat', 'causative mutation additive', 'analysis interaction network', '107 reflect', 'confirms variation clinical', 'snp genotyping platform', 'serotonin oxytocin central', 'allele descendant carrier', 'ww 27 29', 'regression test', 'high infection level', 'cell padmscs', 'sire analysis 11', '18 heifer pregnancy', 'marker calculate weight', 't586c exon', 'chromosomal region influencing', '385 heifer 398', 'identified gene variant', 'geographical distance essential', 'population showed gene', 'semen volume vol', 'association verified region', 'cross pig chromosome', 'enabled positional functional', 'experimental duroc based', 'identified positive', 'specific feather', 'feathering study', 'sale fertilized', 'motivation behavior clear', 'grandsires experimental', 'nominal 10 empirical', 'decreased reproductive performance', 'effect mainly', 'factor beta1', 'chromosome microarray expression', 'snp detected study', 'gluc colocalized gga3', '715 blood sample', 'associated ltnb lnba', 'hair follicle morphogenesis', 'gene genotyped experimental', 'used potential', 'effect skatole breakdown', 'synthetic sire', 'ethiopian chicken ecotypes', 'hsp90 studied gene', 'italian holstein population', '005 quantitative', 'gene control mineral', 'ssc5 15 mb', 'ear type size', 'porcine reproductive', 'related innate', 'expression backfat', 'associated variant performed', '990 l990 cart', 'concordant region', 'ld regression', 'snp located bcas', 'tested bull included', 'total 43 snp', '15 12', 'hpai outbreak affected', 'heterozygote chosen sire', 'miniature sire', '10 epistatic qtl', 'identified minor allele', 'region day', '10 detected qtl', 'breed background new', 'tested computer simulation', 'cc ct tt', 'altered transcriptional', 'candidate exploration', 'muscle maintenance', 'phenotype resistance', 'relative risk case', '02 phenotypic standard', '311a locus', 'bta27 25 25', 'chromosome 20 fertility', 'connecting gene displaying', 'intake weight', 'qtl strongly affecting', 'cbg parameter arg307gly', 'parasite brahman', 'weinberg equilibrium observed', 'genome scan 194', 'chip genotype 386', 'determined component trait', 'yield fy dual', 'color rhode', 'gene mstn', 'used afc threshold', 'ryr1 prkga3', 'lipid metabolism tenderness', 'family subsequently produced', 'chronic disease day', '95 highest posterior', '15 04 cm', 'perform snp selection', 'strain paternal half', 'variant responsible', 'physiological finding', 'sib family composed', 'leghorn fayoumi', 'day bw49 70', 'provided 12 additional', '39 72 measurement', '729 association 150', 'background single true', 'qtl ssc7', 'individual gene', 'snp reported', 'packed cell volume', 'junction olfactory', 'marker covering 26', 'interval hamp_c', 'sequence resulted protein', 'trait adolescence', 'partly located reported', 'bayesr model', 'performed imf consider', 'rib bb result', 'size height', 'pathological threshold susceptible', 'opportunity exist improve', 'selection immune', 'convert trans', 'apart ghr', 'leg trait', 'estimate effect identified', 'musculoskeletal movement meiotic', 'axiom chicken', 'mapping ibsp ssp1', 'fto pla2g6', 'measured primary', 'underlying colour variation', 'bred pig genotype', 'tri iodothyronine', 'specie recently single', 'innate humoral', 'wide microsatellite', 'breed combined', 'bonferroni corrected significant', 'end seasoning', 'facial wrinkle generated', 'euthanization million chicken', 'background simultaneous', 'score 74 cm', '38 171 82', 'effect racing performance', 'weight month', 'injury cartilage', 'industry little known', 'cattle study examined', 'combining traditional', 'value used 05', '01 ab genotype', '01 01', 'million test day', 'associated genomewise', 'relatedness estimation', 'snp 20', 'high growth low', 'multiple animal set', 'locus analyzing', 'detected window', 'infinium beadchip', 'interstitial pneumonia mastitis', 'sample population size', 'computer assisted analysis', 'fundamental component', 'significant effect marbling', 'cattle major qtl', 'line 19', 'suited genome', 't3602c associated significantly', 'point identifying causal', 'analysis quick sensitive', 'especially organism', 'identified set', 'indicate nucb2 expressed', 'peripheral blood play', '95 rabbit', 'purebred german landrace', 'percheron revealed presence', 'interestingly rs80805264 nearby', 'meat color important', 'pcr rflp used', 'content decrease elongation', 'descent ibd matrix', 'carried spleen', 'uncovered polymorphism', 'identified university illinois', 'wide scale using', 'low sire', 'descent spanish', 'total solid', 'chronic disease qtl', 'process term related', 'region small', 'association study using', 'respectively suggestive qtl', 'analysis interval mapping', 'qtl pair study', 'rs41919984 rs41919985 rs41919986', 'gtc isoleucine atc', 'descent sharing assay', 'allele 185 493', 'support physiological finding', 'ph value interestingly', 'japanese large game', 'clone using squares', 'ranging 07 11', 'region fasn mutation', 'representing 10 ebv', 'mapping rh mapping', 'led conclude presence', 'pcr case', 'spleen cerebellum sample', 'false positive test', 'surrounded marker', '1769 registered angus', '293 pig generation', 'milk fat cent', 'white landrace pig', 'affecting obesity', 'chromosome forming', 'cow 100', 'fertility locus hanoverian', 'lei0101 located 259', 'hd beadchip', 'current study snp', 'map various trait', 'measurement ranging 140', 'animal progeny expected', 'casein cluster bta11', 'region previous', 'epithelial cell surface', 'snp genomic kinship', '185 ssc mir', 'percentage abnormal sperm', 'including novel variant', 'genetic architecture', 'milk trait high', 'biosynthesis fatty acid', 'work new measure', '15 single nucleotide', 'fld index danish', 'introduction vertebral', 'additionally beta carotene', 'size related', 'chromosome 16 study', 'odds infection included', 'family difference', 'gene liver', 'meta analysis multiple', 'chest width month', 'lma conclusion application', 'landrace imported', 'different location', 'firstly potential association', 'fecbb affected', 'approach unique', 'qtls exceeded', 'igg2 response genome', 'gene red blood', 'consisting different population', 'located different', 'significant snp reveal', 'trait breed imf', 'fat thickness', 'level correlated variation', 'association mapping accurate', 'signature experiment linked', 'promoter sequence porcine', 'snp backfat', 'qtl controlling gluc', 'microsatellite locus existing', 'critical role fat', 'strategy controlling', 'quality trait real', 'related rfi genetic', 'mapped region bta6', 'bvd pi dam', 'mapping research', 'parasite burden qtl', 'rate estrus ebv', 'palmitoleic monounsaturated 14', 'soluble component', '0003677 value 9x10', 'stage stage', '93 ai', 'germ proliferation differentiation', 'linkage marker used', 'disease resistance susceptibility', 'size parity', 'expression observed sporidesmin', 'gr grivette', '80 phenotypic variation', 'duroc based sire', 'hr birth affected', 'identified furthermore', 'member bmp', 'mll area width', 'mupp1 protein', 'selection beef cattle', 'transformed tick count', 'facilitate breeding', 'family challenge sarcocystis', 'fine mapping step', 'gain fixed effect', 'interpretation genome wide', 'gene involved polygenic', 'oar1 24 particularly', 'allele trait analysis', 'showed moderate heritability', 'identified early', 'considering iteration window', 'fatness population established', 'serpin gene', 'effect mufa', 'region vimentin support', 'consistent fasn', 'effect information', 'provide foundation', 'semispinalis capitis', 'determine genetic architecture', 'exclusively chinese', 'bf 150 bf', 'matrix eqtl krux', 'linkage detected eca2', 'reported significantly', 'improving human', 'associated number functional', 'haplotype seven', 'qtl detected rt', 'bsp3 cast', 'trait tested', 'udder clearness uc', 'industry performed', '10893a 10936g aafc03076794', '_ldha_79 cm _csrp3_83', 'constructed used association', 'specific age detected', 'trait bovine spermatozoon', '14k gene 5k', 'fat steer', 'post mortem', 'danish holstein', 'association direct', 'asga0055225 alga0067099 marc0004712', 'genetic marker', 'snp24 significantly', 'dgat1 polymorphism highly', 'eimeria parasitism positive', 'final conclusion absence', 'myofiber differentiation isolated', 'approach used account', 'sib population developed', 'population selected analysis', 'asian local breed', 'flock association', '68 single nucleotide', 'etec expressing f4', 'adr inra', 'growth stage', 'size 101', 'pft using deregressed', 'possibly hold secret', 'slaughter pig cross', 'ma beef cattle', 'straightforward aim study', '148 male', 'susceptible layer genotyped', 'enrichment used', 'differential display mrna', 'milk component regulation', 'university illinois yorkshire', 'relative wild female', 'age genetics matched', 'regulation embryonic development', 'feasibility performing', 'coldspot 34 mb', 'detect qtl underlie', 'tg producing precursor', 'weakness resulting fracture', 'breed haplotype', 'genotyped 11 microsatellite', 'mechanism suggesting', 'performed using quantitative', 'sf suffolk', 'generation resulted lean', 'genotype data marker', 'incidence different datasets', 'showed porcine ibp4', 'superovulation chinese holstein', 'transcript protein', '883 progeny 12', 'polymorphism snp birth', 'improvement economically', 'study published', 'laying make susceptible', 'interval mapping qtlmap', 'retention premature termination', 'agonistic score', 'snp rs419096188 located', 'gwas overlapped', 'background na bind', 'gene expression fdr', 'length suggestive qtl', 'autosomal marker qtl', 'mdv resistance', '219 947', 'performed meat ph', 'polymorphism method', 'conclusive interaction snp', 'research objective present', 'lifetime average milk', 'locus covering', 'mutation high', 'estimate snp effect', 'random polygenic effect', '37 production', 'stage e4', 'stroke cancer', 'movement aim', 'connective tissue using', 'data implementation successive', 'measure subcutaneous', 'cutlet area', 'data refined', 'inactivity novel object', 'associated c14 intramuscular', 'clta gne', 'cattle identified candidate', 'breeding line marker', 'sex interaction 0001', 'weight final', 'susceptibility etec f4ac', 'localizing qtls', 'blv proviral', 'population 874', 'current marker coverage', 'line addition vitro', 'trypanotolerance identified experimentally', 'background iberian breed', 'bdh2 bsp3 cast', 'nr3c1 transcription factor', 'steer bull remaining', 'derived allele chromosome', 'mutation a455g', 'recording tumor', 'total 305 animal', '05 fecal egg', '79 mb chromosome', 'physiology morphology nelore', 'variant abcg2 tyr581ser', '44 allele', 'continuous objective phenotype', 'associated qtl detected', 'collection diverse', 'formed independent network', '26 result provide', 'borne disease', 'candidate underlying association', 'livestock production large', 'located directly', 'associated economic loss', 'affecting female reproduction', 'genomic blup method', 'ld population', 'qtlmap software developed', 'selecting trait understand', 'qtls seven carcass', 'leg mapped marker', 'snp 18377t 25316t', 'allele expression', 'health dairy', 'trait dressing', 'acting transcription factor', 'minimal seasoning loss', '01 average', 'multiple single', 'chicken splenic', 'threshold significance', 'comprised cross', 'holstein cattle', 'using kinship', 'erhualian sow significant', '2281a promoter', '23 detected', 'used measure porcine', 'informative snp window', 'imf deposition fa', 'calving performance', 'metabolic trait proximal', 'revealed mean', '10 13 16', 'ancestral mutation segregating', 'continuously significant', 'useful alternative multibreed', 'single family estimated', 'transport key', 'permeability implantation', 'probability unlinked', 'yield 032 proportion', 'bta16 bta22 btax', 'unequivocal conclusion causal', 'unravelling genetic', 'gestation length agreement', 'diacylglycerol acyltransferase showed', '131c translated', 'month dna', 'qtl location refined', 'observed population 238', 'mfge8 src tg', 'expression seen notably', '05 oleic', 'affecting fatty acid', 'exhibited higher mrna', 'marker 33', 'multiple tissue provides', 'provide replicate evidence', 'later chicken h5h5', 'regulator embryonic development', 'support importance', 'correlated mrna abundance', 'harbored chromosomal', 'taurine polled locus', 'weight sscx epididymal', 'steroidogenesis regulated steroid', 'patterning somite early', 'observed bovine taurus', 'genetic variation meishan', 'associated variant population', 'ac cow highest', 'position genome f2', 'shown expressed different', 'cnv identified 63', 'dairy cattle region', 'improving egg', 'potential total glycogen', 'used indicator trait', 'large number fish', 'conclusion identification', 'chromosome significantly correlated', 'aminopeptidase involved oxytocin', 'encoding major enzyme', 'cattle population phenotypic', 'muscle study genotype', 'test efficiently reduce', 'microarray expression', 'haplotype haplotype approximately', 'initiated using', 'variation hematological ca', 'massive structuring', 'challenge identified chromosome', 'qtl data suggest', 'nested sire used', 'woman men', 'explanation obvious candidate', '36 328', 'index sci body', 'japanese cockfighting', 'snp parameter', 'cyp7a1 gene', 'area beef', 'relevant lp positional', 'pig teat', 'myogenic precursor cell', 'generated used quantitative', 'index different lactation', 'protective allele', 'significant decrease pco2', 'cattle gwas', 'chosen genotyped high', 'microsatellites 11 single', 'significant qtl lfec', 'caused moraxellabovis', 'taint compared hbt', '2052 individual generated', 'set af', 'qtl horse performed', 'breast shoulder', 'disease mainly controlled', 'f2 animal genotyped', 'birth weaning bta', 'including effect chromosome', '874g effect snp', 'capacity required horse', 'chromosomal area major', 'method describes mixture', 'used identify quantitative', 'reduce impact bone', 'taken heat 00', 'colouration bird', 'maximum spacing marker', 'produce naturally', 'array derived', 'based deviance', 'downstream s0008', 'involved polygenic variance', 'ictaluri severe', 'comprising 2333', 'tick count', 'change asp', 'purge loss', 'impact intercept', 'zero effect', 'snp showing chromosome', 'study indicated polymorphism', 'analyzed mutation', 'profiler porcine', '37 38 mb', 'polymorphic site candidate', 'regulation lipid', 'mechanism regulating chicken', 'ssc9 ph ssc4', 'genomic selection program', 'interaction statistical', 'detected chromosome genome', 'location bf intramuscular', 'm3 line established', 'stearic vaccenic', 'spread sheep autosome', 'source human diet', 'welfare consequence developing', 'corresponding standard deviation', 'second best map', 'broad implication fundamental', 'map cow', 'qtl marker assisted', '12 sire', 'response reproductive hormone', 'backcross order', 'boar taint treatment', 'located highly significant', 'marker influencing qtl', 'snp significant experiment', 'correlated positively', 'hampshire population selection', 'determine chromosome', 'array univariate bivariate', 'mrna increasing', 'homozygous state comparing', 'linear model constructed', 'previously qtl affecting', 'biological pathway better', 'composition trait region', 'selection overlapped', 'response mutation genotype', 'layer genotyped using', 'ldrm combined linkage', 'locus qtl chromosomal', '14 27 29', 'ham phu', 'microsatellite marker region', 'total family', 'help genetic improvement', 'genetic variance dcd', 'obvious variant', '167 dna', 'classified reproduction', 'enriched biological process', 'acronym used', 'ssc fine', 'study explore qtl', 'analyzed pcr', '37 chromosome wide', 'copb1 gene present', 'total locus surpassed', 'continuous farrowing population', 'animal variation', '7x107 gene', 'mixed model used', 'chinese indigenous', 'polymorphism hapmap22923', 'signaling shown involved', 'epistasis suggesting', 'gain 01 12', '58 exception na', 'important meat', 'investigate association', 'lap3 lcorl indicating', 'largest significant additive', 'region oar18', 'set originates polish', 'study identification calving', 'bta7 bta14', 'stw small intestine', 'gain gene', 'superovulation snp', 'landrace animal point', 'cm physical', 'improved romney', 'gwas seven functional', 'dataset consisted', 'identified snp different', '05 16 05', 'breeding animal increased', 'gwas analysis chose', 'based data male', 'gene newly reported', 'brahman brahman influenced', 'development oc breed', 'interval mapping ssc6', '12 kg 055', 'identified strong candidate', 'lrpprc pla2g10 rrn3', 'pig measured', 'region snp related', '51 977 hol', 'snp arranged', 'factor limited', 'lep prl', 'chromosome 10 13', 'haplotype trend regression', 'pyrosequencing 33 f0', 'coding plasma membrane', 'effect tm qtl', '10 sire 417', 'drawback alternative strategy', 'nearly significant snp', 'needed identify', 'ew follows', 'total sfa content', 'kg greater', 'genetic group genotyped', 'gene cluster include', 'frequency difference anxa9', 'igf1 polymorphic', 'allelic frequency difference', 'month yearling adg9', 'dorset ram heterozygous', 'fixed effect sire', 'pig note identified', 'yield data dairy', 'population finally different', 'breed estimated', 'number locus small', 'ss86284768 bta1 31', 'recent population inconsistent', 'porcine interleukin', 'sire half sib', 'allele higher', 'phenotype contribute', 'bb710 pvrl2_c 392g', 'cortex stimulation adrenocorticotropic', 'decreased performance acute', 'haplotype broiler', 'exploring time', 'gene associated age', 'oc connect', 'phenotype gwas model', 'enriched genetic', 'regulatory element close', 'different genomic', 'exclusion lean bird', 'rfi danish duroc', 'significance level affecting', 'ribeye area 113', 'le favourable genotype', 'mapped suggestive lea', 'ednrb candidate gene', 'food novel', '52 mb', 'thickness rib', 'work carried genome', 'analysis human', 'eaat2 233g', 'population unexpected obviously', 'quality control 626', 'atp1a1 gene indicate', 'line descent', 'population onset sexual', 'effect mutation milk', 'applying suggested', 'sire shared', 'gene different qtl', 'tenderness score strongly', 'identified qtl result', 'substantial level genetic', 'fiber trait determined', 'increase c6', '12 wk age', '150 ssc1 ssc13', 'chromosome marker genotype', '136 pietrain', 'data angus', 'map 200 locus', 'limited case detected', 'component method followed', 'intake stearoyl coa', 'gap junction inositol', 'performed entire mlw', 'variety genome wide', 'degree dairy type', 'addition incorporation', 'contained significant snp', 'breeding programme care', '85 cm ssc13', 'assuming marginal', 'aries_v4 involved', 'custom affymetrix', 'quality characteristic compared', 'updated release', 'production commercial', 'productivity implementation', 'fatness carcass', 'cis 11', 'qtl parameter gompertz', 'concentration fatty acid', '433a allele partially', 'characteristic beef', 'present study performed', 'using ldla analysis', 'ph1l pig', 'skeletal growth significant', 'mentioned breed', 'represents powerful', 'sample size 219', 'step gblup wssgblup', 'using 39454', 'yorkshire boar meishan', 'commercial holstein', 'polymorphism chicken', 'pituitary hormone', 'value logarithm', 'sample hanoverian warmblood', 'variation dgat1 gene', 'substitution y7f r25c', 'varying small', 'included analysis positive', 'genetic effect pair', 'oc result', 'interaction highly significant', 'qtls controlling bmd', 'lethal haplotype estimate', 'better capture genetic', 'novel principal component', 'muscle aim', 'analysis parental', 'genetic correlation 46', 'organoleptic quality', 'significant positive correlation', '262 animal recorded', 'lod metaphyseal', 'effect fetlock ocd', 'gene segment amplified', 'association result', 'result present', 'gene mixed panel', 'constituent low', 'pparγ allele 86', 'total 611', 'chromosome wise level', 'identified nsb', 'progress exploiting genetic', 'car fillet', 'model m3', 'region fat1', 'case detected qtl', 'genotyped gilt observed', 'suggest bovine', 'analysis showed marker', 'need alternative method', 'transcript induces', 'member type atpase', 'expulsion il il', 'secondary phenotype', 'model mapping', 'ppargc1a snp', 'parentage testing', 'novel snp cattle', 'increased effect', 'associated breakdown mechanism', 'mutation polledness nelore', 'intermediate range', 'significantly associated gpt', 'area lightness', 'resistance virus', 'analysis significant fst', 'f2 animal 20', 'gene mixed', 'natriuretic peptide', '33 single qtl', 'western country', 'region related analyzed', 'resistance mastitis decade', 'important piglet', 'avg 8981 525', 'component individual', 'site eps8 40', 'cooking loss ph', 'significant pleiotropic', 'quantitative phenotype related', 'growth time time', 'economic importance provides', 'paternally expressed qtl', 'chip contains', 'comprising 191 microsatellites', 'binding protein fkbp6', 'associated nba', 'population examined', 'likely tissue', 'igf2 region qtl', 'ct carcass composition', 'generation sequence', 'tnb increase vartnb', 'effect rdhe2 v6a', 'based biological', 'described literature', 'approach including gwa', 'antimicrobial agent', 'completion swine genome', 'snp bta18 likewise', 'polymorphism gli3', 'rflp bsri newly', 'extremely different', 'snp selection', 'snp3 snp1', 'available conducted genome', 'involved udder', 'variation igf1', 'large body', 'persistency lp dairy', 'ala 15', 'gel shift', 'order identify qtl', 'coldblood horse pch', 'investigate difference gene', 'scd thrsp', 'respectively association analysis', 'elucidate qtl effect', 'corpus lutea', 'related feed', 'indels untranslated region', 'model test number', 'chromosome 14 17', 'respectively identified associated', '15 synonymous snp', 'start end', '43 698 single', 'sex chromosomal', 'gain feed intake', 'heritability attributable bta', 'crossbred lamb carrying', 'end pcvd', 'close genetic', 'location previously mapped', 'cyp1a2 cyb5d1 sphk2', 'mean adjusted test', 'milk fat percentage', 'size mongolia', 'square test chi2', 'cattle c3', 'holstein population long', 'gene meat quality', 'body development promising', 'pig detected significant', 'sequencing functional', 'snp map available', 'variance presented result', '11 25', 'duroc conclusion association', '162 microsatellite marker', 'produced using 42', 'variation cis', 'iteration computation time', 'important safety welfare', 'variant help', 'meat quality complex', '18 11 21', 'based estimated', 'level marker associated', 'total ventricle', 'improved shell', 'window consisted 20', 'pioneering work professor', 'knowledge effective', 'candidate functional gene', 'analysis conducted extract', 'qtl ebv', 'phenotype understanding', 'scs qtl improved', '4581 bp region', 'loin depth ld', 'genotype fresh', 'indigenous meishan breed', 'isolated characterized coding', 'excluded conclusion initial', 'ranged 47', 'log drop', 'identification different', 'rodent sequence', 'myadm gene family', 'phenotype underlying', 'essential increasing efficiency', 'inorganic anion', 'resistance segregated purebred', 'large number functional', 'effect snp effect', '1026 individual', 'cbg binding affinity', 'disequilibrium different line', 'integrative genomics approach', '245 bird developed', 'production number born', 'maximum 44', 'qtl chromosome birth', 'technology ray computed', 'potentially functional', 'tissue neck shoulder', 'degree assistance required', 'h3 2449g', 'multiple significant', 'strongest candidate gene', 'cnvr showed striking', 'uterine horn ovary', 'eqtls enriched qtls', 'sample sequencing bac', 'near refined', 'insulin receptor', 'fertility stature', 'african animal trypanosomosis', '63 bp read', 'precocious heifer belonging', 'heritability adult 10', 'chromosome rs133039577', 'values snp', 'level porcine il', 'cm 18', 'population based duroc', 'significance level qtl', 'mainly ovulation rate', 'negative effect pce', 'haplotype evidence second', 'quality trait meat', 'animal 166 son', 'tolerant cow 94', '1751a asp582gly', 'result indicated rs339939442', 'identified total 57', 'motility velocity spermatozoon', 'importance evolutionarily', 'milk production chromosome', '63 million respectively', 'accounted imprinting model', 'iib muscle', 'panel 777', 'single tissue objective', 'mule ewe bluefaced', 'ibs calculation', 'matrix partial correlation', 'synthesis compared', 'identify causal region', 'ssc associated', 'dairy sire', 'location map4k4', 'mutation gene chinese', 'evidence gene effect', 'acid finding provide', 'different half', '006 sytl3 051', 'bp allele', 'matrix cumulus expansion', 'expression porcine', 'weight region', 'study additional qtl', 'muscle heart', 'resistance salmonella', 'test wide array', 'meim estimated infrared', 'combining biological', 'polymorphism body', 'indicated imprinting', 'explained pve', 'characteristic loin', 'studied second sample', 'explain genetic variation', 'identified dna', 'lower adjusted fat', 'increased intensification', '30 functional', 'underlying behavior', 'milk chinese', 'bonferroni adjusted significant', 'association published', 'compared lw', 'limit efficiency livestock', 'myeloid cell', 'layer white', 'trait domestic mammal', 'truncated effect', 'analysis analysis performed', 'spp1c 40a', 'group detected', 'radiographic data', 'trait population comprising', 'breeding value developed', 'cortisol level', 'value productive', 'trait revealed highly', 'data obtained second', 'haplotype comprising', 'challenge designated', 'crossing affected animal', 'herd monitored early', 'non major', 'cebú tested genetic', 'significance bta 24', 'trait useful meat', 'steer conducted using', 'em male qtl', 'origin dry cured', 'muscle cell considerable', 'duroc hampshire', 'bta tentative evidence', 'health performed genome', 'nr3c1 contribute multiple', '16 day weight', 'wb shear', 'mastitis identified', 'test snp associated', 'qtl reached', 'region spanning', 'gene slco4c1 taken', 'model gwas performed', 'demonstrated number', 'lm semimembranosus muscle', 'ear phenotype', 'measure density feather', 'puberty fundamental development', 'native southwest', 'previous candidate', 'level large white', 'copy respectively', 'withers height', 'resource population gradient', 'hatch heart weight', 'potential contribution variation', 'significantly different rao', '29 measure dry', 'candidate gene znf608', 'content beef', 'various gene', '123 26th exon', '54k snp achieved', 'explain 87 genetic', 'identified validated large', 'beef breed china', 'combine genomic', 'shared sire dam', 'crowding measured', 'family originating', 'region putative candidate', '95 mb', 'synonymous mutation 17015a', 'used trait marker', 'associated indicator trait', 'thirty additional', 'gene specific snp', 'variance accounted significant', 'cm bta5 detected', 'respectively family', 'qtl highly likely', 'included replication', 'receptor ghr gene', 'significant qtl region', 'role initiation', 'respectively qtl region', 'gallus gga chromosome', 'strong chromosome wide', 'egg quality', 'genotype spp1c 1301g', 'ventricle total ventricle', 'related adipose tissue', 'substrate overall comprehensive', 'wide false discovery', 'genotyping cost minimized', 'animal year', 'phenotype discovery snp', 'ssc6 rn', 'disease brd leading', 'generated reveal', '28 35', 'physiological relationship', 'cattle additionally 21836', 'variation fatty acid', '000049 snp ars', 'position 134', 'result mapping experiment', 'chicken quantitative trait', 'mo age', 'trait finding important', 'detected oar4 affecting', 'chicken mirna', 'measured area', 'prkag3 snp', 'consistent italian holstein', '130delinsttatctctatagtagtt noriker', 'died month', 'interval qtls', 'included 490', 'future selection bmts', '65 homology share', 'family analyzed chromosome', 'drumstick weight', 'qtl simple', 'ca quality control', 'osteochondrosis developmental orthopaedic', 'region using 777', 'located chromosome 30', 'dominance model using', 'threshold 001', 'significant effect genotype', 'parity crossbreds analysed', 'bone problem important', '10 similar effect', 'heg1 itgb5', 'data indicate nucb2', 'duroc cross', 'descent haplotype', 'gga1 initially', 'effect snp growth', 'ungulate wild', 'allow improvement reproductive', 'interaction effect snp', 'pig used porcine', 'simultaneous detection epistatic', 'retained haplotype', 'farrowing viable', 'tns1 hmga1', 'biological function gene', 'morphology ruminant', 'number teat right', 'bone biomechanical strength', 'chromosome 46', 'meat accretion meat', 'alter expression', 'commercial half sib', 'analysis 144 analysis', 'associated resistance disease', 'factor warrant investigation', 'indicated allele segregating', 'environment effect random', 'composition investigate effect', 'sequence including', 'control little', 'gizzard jejunum content', 'health udder morphology', 'combined single binary', 'myf gene influence', '40 890', 'trait genetic variance', 'white meishan pig', 'variance based binomial', 'required determine', '96 15 mb', '21 evaluated', 'second intron gnas', 'behavioral trait human', 'chromosome 14 respectively', 'result clearly result', 'source characterization pleiotropy', 'qtl affecting obesity', 'composition provide', 'used gene expression', 'number variation porcine', 'putative immunological wound', 'demonstrate feasibility', 'health score', 'marker sw207', 'map developed', 'chromosome regression', 'interpretation genome', 'industry severe', 'acsl1 ier5l cpt1a', 'basis characterization', 'population indication general', 'allele frequency low', 'number fat', 'sertoli cell western', 'gene including missense', 'block containing majority', 'account majority inherited', 'sarcocystis miescheriana genome', 'inheritance texel oar18', '42 469', 'window estimate', 'size mongolia sheep', 'diversity parameter', 'generation 11 13', 'imprinting potential target', 'useful quantitative trait', 'phenotype appeared important', 's26859 significantly correlated', 'marker genotyping larger', 'specie including domestic', 'kinase jak2 mapped', 'remained intermediate', 'nh breed', 'atresia unaffected male', '331 total', 'castrated piglet avoid', 'concluded following guideline', 'polymorphism snp 1457', 'qtl performed series', 'lactation remain', 'population 668 female', 'rs41919986 c10', 'new possibility', 'genotyped f2 resource', 'genotype jj', 'trait practical', 'fads2 transcription', 'protein turnover work', 'model using legendre', 'scan focused region', 'qtl increased loin', 'intensively managed', 'exceedingly difficult', 'marker scan', 'exclude silv 64a', 'potential role', 'sd htr5a', 'effect female fertility', 'porcine gene mbl1', 'adrb3 adrb1 adrb2', '25 subclinical ketosis', 'height average daily', 'assayed chicken 600', 'genetic resource', 'effect scan', 'test second examination', 'fe improved', 'factor gene igf2', 'homozygous muc13a diverse', 'value remained', 'discovered sus scrofa', 'using correlation', 'investigated polymorphism sterol', 'report trait', 'previous experiment pointing', 'sheep autosome used', 'qtl acted independently', 'gwas approach 15', 'evolution virus', 'promoter different', 'albumen height ah', 'significance level different', '135 crossbred bull', '867 mb accounting', 'duroc allele increasing', 'lp influenced', 'snx13 snp24', 'annotating phenotypic effect', 'candidate gene fat', 'connected health', 'trait calving service', 'deviant haplotype qtl', '598 boar', 'contribution variation genetics', 'feature previously performed', 'age alga0092396', 'influence litter', 'btb provides', 'elongation long chain', 'model total', '300 f2', 'family examined', 'indicating animal lower', 'male founder distributed', 'qtl genome wide', 'analysis vca using', 'brahman allele', 'studied effect carcass', 'make good candidate', 'line method snp', '150 ng androstenone', 'mobility group box', 'south america variation', 'genotype significantly associated', 'water soluble component', 'hanwoo statistical analysis', 'study enabled number', 'heritable dh', 'snp regression', 'contribution detected', 'postnatal growth affected', 'italian brown', 'including genome wide', '1661 ewe', 'region sscx vicinity', 'concentration fertility trait', 'effect size', '360 animal 14', 'obtained mc4r genome', 'fault genetic background', 'measure dry', 'meishan linkage', 'qtl analysis female', 'value obtained different', 'purebred population thousand', 'panel purebred', 'copy associated', 'detection applying different', 'animal suggested author', 'supported literature 54', 'control herd', 'gwaas gemma', 'carcass composition trait', 'stillbirth cattle', 'effect furthermore significant', 'locus milk', 'kidney pelvic heart', 'resistance mdv rna', 'cattle consisting different', 'probable gene', 'hydrolysis ncapg encoding', 'testing association', 'previously detected gwas', 'trait describing', 'rna mainly lncrna', 'cm second', 'mb region surrounding', 'gga1 region 169', 'rfi mixed model', 'hap aa', 'fertilized egg objective', 'ubiquitin mediated proteolysis', 'receptor rorc', 'association replicated', 'breed gushi', 'importance broiler', 'dairy phenotype useful', 'genetic parameter trait', 'growth factor beta1', 'study snp', 'chromosomal region contains', 'heme biosynthesis', 'homozygosity alternative allele', 'strategy development', 'esc resistance significant', 'kyphosis described', 'account 54 13', 'chromosome affecting', 'ltnb lnba 12', 'compared variance captured', 'sheep associated fertility', 'suggested variation hardy', 'feed intake detected', 'thyroid metabolism imprinting', 'lower 01 backfat', 'trotter thoroughbred', 'industry genome', 'impact direct calving', 'data single', 'like human milk', 'oar3 chromosome region', 'trait uncovered', 'birth workability', 'factor determine', 'trait additive', 'known paep', 'direction repository population', 'measurement epistatic', 'trait 3kb', 'experiment based 45', 'based best', 'additive genetic effect', 'e12 result indicate', '14 affect', 'identification new qtl', '122 taurine dairy', 'fads2 investigated polymorphism', 'quadratic term dbwavg', 'frequent interaction highly', 'containing approximately', 'efficiency gain partial', 'amino acid 20', 'sperm motility cc', 'detected wish dw', 'respectively marker', 'cachexia sheep preventive', 'afe result', 'tt ct', 'bovine csn1s1 flanking', 'effect relevant trait', 'infection weight gain', 'profile performing', 'kit ctbp2 highlighted', 'intestinal receptor', 'plw significantly associated', 'genome analysis', 'myf breed', 'overlapping milk', 'detected age 12', 'region ssc5 result', 'software demonstrated', '15 week age', '01 bmy', 'location reported', 'carcass trait qtl', 'involved glycerolipid metabolism', 'g4533815a g4533675c', 'western pig involvement', 'hypothesis showed additional', 'untranslated region ugdh', 'animal variation like', 'commercial founder white', 'locus known affect', 'production meat quality', 'agreement ncccwa', 'target network result', 'estimated trait trait', 'absence detected', 'showing drawback alternative', 'concluded identified snp', 'region new refined', 'gene mutation identified', 'relevant marker genetic', '235 second', 'marker associate', 'sscx peak', 'chromosome chr', 'large white small', '848 progeny tested', 'opn candidate gene', 'data reported submitted', 'calpain report', 'role myofiber differentiation', 'round candidate gene', 'sw1302 sw1473 ssc6', 'region economically important', 'musculus genome', 'ssc17 influence prrsv', 'qtl interaction', 'objective poultry', 'model field', 'result aim present', '10 05 15', 'mechanism cis acting', 'htr1b cpm', 'accuracy larger', 'deletion 500', 'association l1', 'type lack significant', 'region bta18 aim', 'study 604', 'fdr significant', 'draft horse collected', 'wise level large', 'exon snp07', 'including 46', 'commercial breed', 'analyzed effect meat', 'partly differential expression', 'selected meat', 'rate concern', 'purebred paternal half', 'fluorescence situ', '14 mb chromosome', 'related uterine', 'gene identified previous', 'imf fatty acid', 'snp array sowpro90', 'transcription activity', 'pathway common', 'like disease', 'residing terminal end', 'greater reproductive performance', 'marb respectively', 'method proposed', '180 gene experimental', 'qtl associated mp', 'analysis 144', '15 region', 'scube3 kdr tdo', 'girth shin circumference', 'implemented association', 'muc4 polymorphism', 'puberty training set', 'snp rs419096188', 'single trait multimarker', '750 investigated gene', 'allele adjusting body', '895 ng', 'associated height human', 'low ovulation rate', 'milk ph mcp', 'revealed fabp4', 'welfare concern negatively', 'conclusion differential thermoregulation', 'fertility near beginning', 'insight genetic architecture', 'concentration polymorphism', 'objective subjective measure', 'analysis result dominant', 'breed panel', 'chromosome explained 20', 'association cl 24269', 'yorkshire boar phenotype', 'disease foal', 'refined qtl region', 'tew tew percentage', 'result reinforce', 'model flexible computationally', 'sheep method', 'asrep milk', 'genetic control behavioral', 'area rfa lm', 'birth month nanyang', 'susceptible individual scottish', '571 combination', 'length shoulder', 'phosphorylated phosphoinositide kinase', 'moisture content respectively', 'estimated responsible', 'suggest growth', 'haplotype block snp', 'castration male piglet', 'axis consists', 'non synonymous polymorphism', 'effect distinction', 'using generalized', 'large effect multiple', '38 gene', 'difference mapping', 'position resolution', 'analysis 2323', 'duroc sire analyzed', 'estrus detection', 'markedly smaller', 'qtl highly significant', 'conclusion qtl mapping', 'cow 339 lactation', 'circumcincta liv', 'health workability trait', 'detect experimental', 'genome wide threshold', 'mapping performed 139', 'disease rainbow trout', '91 12', 'analysis revealed sire', 'consistency ld single', 'ratio association', 'insertion analysed association', 'csnps bovine', 'identified 72 qtl', 'subsequently controlling', '27 qtl generally', 'taint danish landrace', 'polygenic architecture affected', 'mqreml analysis', 'parameter measured hematocrit', 'evaluation improve reliability', 'response scrapie infection', 'vitro using bmp', 'mediating nematode resistance', 'genomics initiative', 'pleiomorphic adenoma gene', 'fv breed', 'data growth trait', 'correlated effect puberty', 'type iv', '16 canonical trait', '1362 bull', 'variance explained qtl', 'investigate possible', 'bm trait measured', 'mapped qtl teat', 'affect lipid metabolism', 'studied included faecal', 'age intercross', 'variant including', 'boar synthetic', 'swine importantly study', 'meat production addition', 'entire backyard local', 'rs17664565 oxtr', 'iif polypeptide wd', 'model investigated potential', 'encodes iroquois', 'polyceraty presence multiple', 'swedish red breed', 'nuclear receptor compressor', 'test multiple snp', 'superior milk performance', 'evenly spaced snp', 'chi2 190', 'population ref previously', 'gene gene directly', 'production trait livestock', 'trait suggest', 'underpin feasibility', 'stress response driven', 'ng tt 93', 'phosphatase activity alp', 'member abcg2 insulin', 'boar finding applied', 'study exmoor pony', 'influence increased 50', 'support previous study', 'searched additional', 'heritabilities step', 'transmissible spongiform encephalopathy', 'bta 18 phenotype', 'organization recent year', 'fcr quantitative trait', 'remained quality', 'dependency genetic background', 'approach additive', '1641t 547aa 1881g', 'breeding value ebv', 'estimated correlation slope', 'neurotrophin signaling', 'analysis cast', 'barrow resulting intercross', 'higher growth', 'data came 161', 'chori 242 bac', 'marker failed', 'different effect resistance', 'snp associated fat', 'analysed denser marker', 'sharing based', 'correlation 53 bta', 'sib analysis', 'h1 2449g', 'ii tightly', 'suhuai pig', 'tenderness juiciness chewiness', 'biologic background teat', 'breed luxi xia', 'detecting potential qtl', 'based resource', 'gene growth trait', 'em algorithm series', 'density bmd uncovered', 'new hampshire nhi', 'subtraits harbor', 'ii diabetes', 'reproduction associated', 'conclusion detection second', '294 animal phenotype', 'sscp adopted', 'offspring genotyping', 'gene sequenced potential', 'gbp1 gene aa', 'red pigment', 'lactation genome', 'investigate igf2', 'low governed high', 'additively dominance', 'recently single', 'acss2 atf3', 'industry marker assisted', 'exceptionally large', 'based nw breeding', 'gene abcg2', 'lean lightweight', 'tolerance defined numerical', 'showed moderate evidence', 'composition qtl provide', 'beadchip quality', 'trait examined study', 'live animal diagnostic', 'piglet survival measured', 'me1 576c polymorphism', 'lower instron force', 'pronounced association observed', 'test simwalk2 software', 'born later parity', 'fragment mc4r lep', 'entropion inward rolling', 'hip structure', 'bl meat', 'identified trait pathway', 'unravel significant', 'gene interfere milk', 'influence social reactivity', 'line paper demonstrated', 'program breeding', 'square test logistic', 'meat genome scan', 'implementation measurement', '27 10', 'association consistent 10', 'presently quantitative', 'mass spectrometry broiler', 'measured total 73', 'rs110013280 rs134702839', 'gene snp changing', 'total 385 white', '49 cm', 'trait cooking loss', 'separation family individual', 'model using generalized', 'cortisol concentration', 'veterinary financial problem', 'live weight loin', 'wg 365', 'used specific', 'assessed analysis', 'result obtained single', 'study showed time', 'cattle population impute', 'severe economic', 'holstein cross breed', 'allele qtl cw', 'horse mean age', '86 cm carcass', 'dpr identified family', 'oncogenicity strain hypothesizing', 'xianang xn nanyang', 'qtl primal', 'highest posterior density', 'onset puberty conclusion', 'locus minimally affected', 'control animal 41', 'contigs equcab assembly', 'domain consists number', 'higher beta', 'ppn0 924', 'production trait vrtn', 'residual animal', 'prrs vaccine completely', 'affinity cortisol 30', 'holstein family model', 'expressed est bi596262', 'objective study investigate', 'vf2 respectively', 'proportion number type', 'processing primary', 'health husbandry cattle', 'snx13 gene', 'line dna sequencing', 'cow performed genome', 'associated resistance hpai', 'family analysed qtl', 'correlated 01 body', 'trait locus corpus', 'utilizing set', 'bta wwt', 'weaned litter', 'portion bovine', 'locus maximize', 'indicate possible negative', 'impact random forest', 'rate cattle', 'region africa', 'infection enhancement', 'breed genetic', 'phenotypic distribution marker', 'virus prrsv infection', 'cm genotyped 81', 'beadchip analysis', 'pi population', 'significant association nba', 'understanding maintenance horn', 'cm distal myostatin', 'analysis earlier study', 'qtl faecal egg', 'heritability result support', 'gland correlated', 'stock transmission human', 'fineness sd', 'a3 leucine', 's0813 regression analysis', '63 zn', 'small total', 'explained 37 phenotypic', 'iberian ib', 'white spotting distinguishing', 'junction oxytocin', 'gene revealed', 'influence 75 revealed', 'mapping tef1 association', 'search polymorphism', '19 significant snp', 'marker used scan', 'feature suggest use', 'current usda', 'ewe analysis', 'trait data', 'foodborne disease', 'ultimate ph japanese', 'allele separate', 'cell score chromosome', 'needed tool studying', 'significant 01 group', 'tract week', 'bw bone trait', 'angus charolais crossbred', 'process 17', 'detected 11 trait', 'cell score logarithmic', 'phase c2c12 result', 'fut1 fyb', 'boar performance', 'tcf12 previously', 'affecting lameness leg', 'following correction substructure', 'country indicator', 'ahr cn frequent', '70 80', 'breed using significance', 'close previously', 'employed previous research', 'lamb pneumonic lesion', 'family transmembrane drug', '016 polymorphism explained', 'family correlated', 'genome little predictive', 'collected slaughter facility', 'qtl population', 'pew h2h2', 'function animal', 'ntn1 finally influence', 'chromosomewide significance', 'faecal nematode egg', 'tenderness gene encoding', 'study experimental', 'family 690k catfish', 'bird broiler layer', 'developing acute chronic', '000 birth', 'association 54 148', 'individual association analysed', 'week age 36', 'window group overlap', 'analysis detected quantitative', 'providing support idea', 'bm81124 bulge20 sire', 'animal backcross pedigree', 'marbling increasing allele', 'identification genetic', 'variant polymorphism', 'associated susceptibility', 'cyst heritability estimate', '113g ggc synonymous', '35 day gga2', '1226 8021 1979', 'breed non', 'banned germany', 'second 2281a', 'associated t4', 'morphogenetic protein hip', 'revealed allele new', 'ghr polymorphism significantly', 'environment genetic', 'non carriers conclude', 'novel follow replication', 'genome scan 165', 'responsible equine', 'scan 20', 'second interval s0073', 'sheep snp gene', 'presented 80e', 'polymorphism gene code', '05 average daily', 'multiple testing based', 'measured approximately 16', 'depends shape function', 'knowledge ovine', 'bourges la sapinière', 'specific antibody iga', 'halfsib model', 'period compared', 'provide basis characterization', '05 ex', 'suggested mirna', 'cntn3 gene chromosome', 'categorical disease trait', 'half sib daughter', 'primarily associated', 'conducted stage', 'qtl designed mapping', 'allele used', 'bw42 89', 'event chinese origin', 'polymorphism result showed', 'used scan genomic', 'bp dna fragment', 'role formation', 'putative signature', 'akr1c gene', 'covariate additional qtl', 'profile study employed', 'associated mastitis', 'spermatozoon thawing abnormal', 'mechanism underlying resistance', 'dgat1 scd1', 'method prophylaxis aim', 'represent genome wide', 'antibody binding klh', 'variable network', 'magnitude impact', 'gene variant respect', 'analysis pca', 'feed efficiency used', 'genome sequence heterogeneous', 'information gene snp', 'cleaves carotene', 'length addition locus', '21 microsatellites', 'lipid single nucleotide', 'rib weight belly', 'population numerous phenotype', 'female male recombination', 'hen yellow shank', 'haugh unit hu', '05 animal new', 'organ later layer', 'physiological underpinnings determining', 'ppard glp1r mdfi', 'trait detected chromosome', '1186 offspring', 'larger number sample', 'factor regulation expression', '12 time', 'likewise showed nominal', 'mutation 17015a', 'taint androstenone indole', 'value mbv', '14 genome', 'metabolic trait chromosome', 'canadian ayrshire holstein', 'costly pasture', 'result indicates different', '243 snp passed', 'cutaneous invasion', 'gain achieved', 'estimate heritability identified', 'ssc12 respiratory health', '274 animal', '74 segregating family', 'resides pseudogene', 'demonstrated qtl', 'enteritidis se contamination', 'identify new biomarkers', 'dlk2 modulates adipogenesis', 'montagnes fm', '17 18 overlap', 'identification various', 'study estimate genetic', 'positional concordance cis', 'measured daily dna', 'explaining 42 32', 'indicates different', 'polymorphism coding', 'order focus analysis', 'glucose dehydrogenase', 'allele candidate', 'flop ear used', 'marker candidate', 'feeding behavior indicated', 'genetic architecture dynamic', 'experimental cross diverse', '16 28', 'shown single nucleotide', 'boar ancestor domestic', 'locus qtl dominant', 'number spermatozoon', 'contained significant qtl', 'worm trait', 'bb type later', 'bmp5 gene', 'distinct polygenic trait', 'resource family', 'possible mechanism associated', 'equation significantly', 'expression significant', 'formation unique', 'prolificacy sow different', 'trait analyzed sire', 'gene widely studied', 'backfat thickness point', '279tyr lead', 'length variability', 'cell count sccs', 'combining data', 'performed line', 'candidate gene marker', 'tnfsf11 gene presented', 'haplotype reconstruction ld', 'study propose', 'polish primitive horse', 'pparg erb', 'informative genomic', 'sired crossbred population', 'marker extended pedigree', 'region 13', 'et thoracis tissue', 'rhinitis ar', '15079217delc rs723240647', '522 sire measured', 't4 chinese holstein', 'count 088 115', 'repeat polymorphism ca', 'rw070 rw023 located', 'iap gene significantly', 'manager permutation', 'genotype 30 short', 'trait improvement', 'thickness total', 'analysis carried independent', 'identification significant genetic', '1844 oar1', 'bta6 distinct qtl', 'highly significant locus', 'revealed extra', 'line used', 'plasma milk lactation', 'snp passed quality', 'construction genetic map', 'model applied', 'reported ssc5', 'genotyping detected', 'polymorphism chromosome 13', '608 half sib', 'trait trajectory ranged', 'holstein ih breed', 'selected 24 genomic', 'molecular marker associated', 'genetic marker economically', 'total unsaturated fatty', 'confirm bcwd', 'poll dorset', 'ebvp investigated linear', 'indicated haplotype 249', 'multipoint analysis generated', 'identified cast haplotype', 'milk result', 'similar genomic region', 'nearest positional', 'texel ram', 'ghanaian chicken', 'population provides exhaustive', 'msi result', 'african taurine breed', 'region service sire', 'individual line consistently', 'protecting body', 'bd complex', 'ii major constituent', 'total population', 'comparison mean genotype', 'quality trait important', '442 mediated 528', 'multitrait group', '0231 finally using', 'detected using families', '01 respectively prediction', 'mineral maturity', 'study provided', 'trout genotyped 57', 'effect btb resistance', 'shear force juiciness', 'duroc pig genome', 'knowledge gene function', 'basis biological', 'linear model result', 'model linear regression', 'present research gene', 'type ewe heterozygous', '000 permutation', 'cdna promoter sequence', '644 predictor animal', '36000 single nucleotide', 'distinct qtl fat', 'cattle gradually declining', 'association different trait', 'data fetal', 'polymorphic influence', 'rac work', 'suggesting dominance', 'trait analyzed 108', 'gene muscle related', 'nrdev 29 using', 'cm1 specific', 'snp 532', 'taint maternal', 'disease causing seriously', 'piglet different', 'nucleotide polymorphism analysis', 'resistance measured number', 'ncapg lcorl gene', 'sequence variant 13', 'sscx conductivity', 'mac precisely', 'numerous qtls identified', '60 snp selected', 'tested individually', 'performance growth', 'trait locus strongly', 'g4b enssscg00000031548 associated', 'fixed factor sire', 'level myod1', 'ldl ligand ldl', 'influence ham weight', 'backfat thickness chromosome', 'imputation large', 'study describes', 'higher resolution', 'cast adenosine cyclic', 'white breed analysed', 'notably snp', 'mdv jm strain', 'mutation 1053c', 'teat large', 'quality trait present', 'strongest association intronic', 'healing skin lesion', 'pathway involved regulating', 'quantified se vaccination', 'associated genetic', 'association lmh lmp', 'rs41623887 rs109923480 rs42090224', 'measured longissimus', 'gwas longitudinal', 'available data fecal', 'tdt basis', 'nce4 polymorphism group', 'predicted mir spectrum', '82 mb region', 'effect snp quantified', 'disequilibrium filtering genotype', 'snp genotype identify', 'oc frequent', 'gene affect developmental', 'treatment snp', 'gene acyl coa', 'snp direction allele', 'rs29024684 87', 'gga14 drum thigh', 'analysis sire heterozygous', 'detection 160', 'fat size place', 'non dairy', '28 sharp peak', 'panel 276', 'effective mean', 'imf qtl ci', 'measured lifetime', 'acid authentic', 'interestingly chinese erhualian', 'gene ay568628 pcr', 'qpcr analyse', 'kg analysed major', 'need castration result', 'region quantitative', 'signal chromosome bos', 'carcass trait provide', 'milk fa', 'assembly udp glucose', 'sc segregate bos', 'skeletal aberration compromise', 'acid authentic reflect', 'confirmed study qtl', 'cdkn2aip ing2 trappc11', 'pr cd', 'abge342 abge343', 'height native', '190 058 001', 'loss heat', '173 mir snp', 'molecular mechanism immune', 'day bw70 age', 'accounted nesting', 'affect ovulation', 'primary goal', 'qtl region includes', 'gga10 gga14 gga15', 'influenced number white', 'model empirical', 'platform high resolution', 'window sow genome', 'muscle gene expression', 'study dystocia', 'age remaining discovered', 'loin breast shoulder', 'wrinkle development human', 'addition janus kinase', 'season lambing', 'qtls quantitative', 'ldla methodology', 'equinesnp50 infinium', 'c6 c8', 'expressed tissue analysed', 'fixed effect haplotype', 'trait allele broiler', 'industry objective paper', 'marker snp suited', 'total 65', 'concentration semen', 'european sheep', 'progeny 412', 'adg 04 conclusion', 'mapping rhm chromosome', 'known quantitative trait', '16 30 cm', '05 intramuscular', 'analyzed promising result', 'associated 11 gene', 'cross different selection', 'mcv mch', '48 week', 'associated feed efficiency', '01 injection nesfatin', 'large scale association', 'level genotype result', 'relationship significant', 'using vitro assay', 'composition gene involved', 'homozygosity additionally', 'cattle breed study', 'respectively comparison haplotype', 'line female produce', 'causative gene quantitative', 'counting number', 'cut backfat osteochondral', '20 microsatellite', 'trait describing aseasonal', 'polyceraty identified region', 'carcass trait muscle', 'regression used map', 'pvuii chi2 209', 'amph differentially expressed', 'sexual ornament produce', 'performs genome wide', 'tenderness 05', 'early feathering', 'model based association', 'btb infected holstein', 'limited pig aim', 'acid composition profile', 'time polymerase', 'detected female trout', 'method analysis', 'brown fat', 'prkdc rgs20', 'ambilateral circumocular', 'matrix estimated genomic', 'zealand sample unknown', 'btax bta19 bta3', 'focusing single', 'chronological age intercross', 'deficiency fat', 'separately frequency', 'role mt', 'mutation gene underlying', 'tnb previously detected', 'contributed red', 'sequence capn3 gene', 'efficient tool detection', 'growth week', 'corresponding gene gluteus', 'member inhibits', 'rib landrace', 'affecting gastrointestinal', 'current control', 'gene involved cytokine', 'f1 f2 animal', 'genetic improvement meat', 'suggested bta mir', 'vitro mammary epithelial', 'used ma', 'included gene', 'using posterior distribution', 'homozygous genotype 15', 'nr2f2 isoforms', 'pseudoautosomal region', '36 gwa', 'combination showed', 'occurring dominance', '37 snp insertions', '2323 2325 polymorphism', 'associated pt', 'induce indirect', 'bl genotype cc', 'ssc2q suggested conclusion', 'trait broader genetic', 'ultrasonography sire daughter', 'used endemic wild', 'trait ibmap', 'respectively tbrd gwaa', 'genomic selection application', 'research centre', 'contrast haplotype', 'frequency implied polymorphic', 'landrace german large', '1101a 156_157del', 'mammalian abcg2', 'dw analysis', 'cattle aim', 'loc520057 gria3 daughter', 'random qtl polygenic', 'y7f r25c a80v', 'rac alpha', 'disease nd global', 'cow parturition', 'meat processing', 'ch lm qtl', 'originating cross meishan', 'clear sign selective', 'support txnrd3', 'colonizing pig small', 'missense mutation significantly', 'ovary significantly different', 'year tlum', 'genome ovis aries_v4', 'analysis confirms leucocyte', '13 chromosome', 'related fa', 'cow contained', 'production phenotype result', 'using arena test', 'trait seventy male', 'formed snp ex12', 'knockout ripk2', 'indicus cross bos', 'sib mating parent', 'identify candidate', 'dominant white', 'male line genetically', 'value loin ssc4', 'day egg number', 'insemination resulted tenfold', 'parasitism positive', 'qtl fetlock ocd', 'result stop', 'located fabp4 gene', 'analysis supported association', '16 additional', 'correlation reproductive performance', 'distribution snp', 'gga5 qtl', 'computationally fast', 'share 92', 'rgs20 known influence', 'attempted determine', 'component modified fatty', 'revealed powerful', 'form breeding feature', '001 marker sw1355', 'dc dd producing', 'qtl associated osteochondrosis', 'dmi adg midpoint', 'accounting 95', 'bovinehd beadchip hd', 'sire trait combination', 'available 1570', 'background polymorphism underlying', 'quality control association', 'detected resource pig', 'mb porcine', 'receptor gpcr kinase', 'exhibit exon', 'candidate gene concordant', 'heat cycle', 'using regression method', 'pig finding', 'mutation slc39a7', '984 bull genetic', 'bta23 value', 'respectively believe study', 'multi sample variant', 'sow reproductive longevity', 'variation increase', 'artificial insemination boar', 'snp present', 'determination radiologic', 'live weight', 'cm constructed thirty', 'phenotypic correlation trait', 'genetically simpler', 'interaction snp significant', 'egg trait significant', 'evaluated commercial broiler', 'measurement dbw avg', 'included dressing', 'susceptibility nicl demonstrating', 'myod1 examined', 'identify qtl linkage', 'complex qtl pattern', 'analysis consisted 46', 'associated higher hot', 'ssc2 achieved', 'stratification gwas identified', 'breast feather', 'background gastrointestinal', '129 47 interesting', 'upstream cm', 'pph polish coldblood', 'qtl confirmed result', 'cnvrs meishan duroc', 'expressed meishan', 'carlo markov', 'using microarray', 'snp respectively', 'showed increase', 'farmer categorical trait', 'including purebred', 'type abhd5', 'gene target', 'son genotype determined', 'region independent signal', 'study cattle multiple', 'reduce prevalence identify', 'associated missense mutation', 'candidate region bipolar', 'explaining muscle', 'related physiological', '34 sd ph', 'reached suggestive threshold', 'significant relationship example', 'basis difference', 'gwas subjected association', 'effect stillbirth candidate', 'protein precursor gc', 'focused identification id', 'reaction iar cause', 'analysis conducted plink', 'gga4 associated', 'effect genotype fresh', 'mapping revealed genome', 'length percent qtl', 'berg kinsella', 'chromosome clinical', 'observed birth', 'chicken ornithine decarboxylase', 'post analysis bvs', 'method developed genotype', 'rs109663724 rs135560721', 'ssc15 hematin content', 'identified kb region', 'qtl located lg1', 'vrindavani cattle', '2713 animal different', 'ethiopian chicken', 'effect piglet', 'refined linkage disequilibrium', 'basis body composition', 'week age conducted', 'despite fy received', 'length male normal', 'constitutes report domestic', '14 associated test', 'addition existence', 'level specific', 'statistically significant relationship', 'trait provided', 'h5h5 diplotype', 'world genetic', 'luciferase activity compared', 'form vitamin evaluated', 'gpt step identifying', 'exon 17 csn1s1', 'korean duroc pig', 'parasite resistance complex', 'crucial pregnancy parturition', '0006 summary using', '110 kg 47', 'inhibitor clade nexin', 'station tested', 'indicating polymorphism', 'method best', 'abdominal fatness af', 'study http', 'heterogeneity fat1', 'siw cm', 'snp associated weight', 'rate 423', 'data detects', 'assigned group', 'influenced numerous', '13 qtl region', 'circumcincta susceptible', 'detected gwas fatty', 'enhanced antibody', 'fat qtl', 'compare result previous', 'favorable haplotype sire', 'mad2li fgf2 anxa5', 'comparison published', 'score subset', 'total egg', 'performed parity considered', 'possible effect scd', 'biological function lncrna', 'cow elisa', 'oc risk', 'affect scrapie', 'oestrogen receptor gene', 'trait previously', '10 revealed qtl', 'qtl polymorphism', 'trait multiple qtl', 'extracellular fatty acid', 'haplotype including', 'grandparental animal purebred', 'influenced quantitative', 'dfi bf', 'haptoglobin hp', 'snp overlapping gene', 'gene coding swine', 'ppp1cc sp3 sp9', 'leg view', 'variant detected snp', 'age shank', 'area lma lean', 'improved conformation', 'study association single', 'effect marker developed', 'effect rdhe2 v33a', 'carcass trait located', 'corresponding gene', 'endogenous non coding', 'production little', 'detected phenotypic', 'average curve random', 'avg 8981', 'influencing trait genome', 'search causal genetic', 'muscle area bta', 'medium high', 'compression combined', 'approach 46 qtl', 'generation population respiratory', 'genetic improvement disease', 'litter size mutation', 'subsequently analyzed increase', 'effect relaxed', 'mapped qtl1', 'mortem loin', 'pig present', 'predicted cause', 'nutrient energy', 'causal effect', 'term calcium', 'pathologic change', 'gene mapped qtls', 'population canadian holstein', 'genotype determine trait', 'cattle trait analyzed', 'horn ovary wov', 'role developmental process', 'study needed elucidate', 'locus involved complex', 'connected recently', 'related chest', 'marker snp panel', 'neural disease human', 'overall significance level', 'contigs equcab', 'wattle trait identical', 'identified close gene', 'window increase genetic', 'intake rfi2 rfi1', 'cross berkshire sire', 'version method able', 'adg 025 partial', 'a337 respectively', 'commercial egg', 'candidate gene bovine', 'causal genetic', 'detected qtl detected', 'elucidate molecular', 'compared trait uncovered', '05 located linkage', 'carcass trait association', 'meta analysis facial', 'gm longissimus', 'significance level 35e', 'insemination ifl interval', 'phe279tyr mutation', 'regulation male', 'initially performed', 'mapped chromosome 16q21', 'generation respectively', 'tibia length bone', 'affected 64', 'helped refine location', 'dna test', 'factor affecting fatty', 'genotyped 29 microsatellites', 'linolenic linoleic acid', 'animal 44 672', 'independent qtls affecting', 'infanticide litter incidence', 'definition map', 'breeding female gilt', 'attributable chromosome', 'ryr2 nol4', 'enhanced antibody response', 'respect backfat', 'teat daughter', 'associated occurrence osteochondrosis', 'acid fa composition', 'mtpap expressed analyzed', 'qtl precision qtl', 'estimate allele frequency', 'level identified', 'trait furthermore 12', 'mrna level 660', 'qtl laboratory estimate', 'targeted single nucleotide', 'w2cl pwsy gene', 'qtl various', 'production fat', 'fi1 fi2 respectively', 'ssgwas identify genomic', 'wing weight qtl', 'observed total', 'effect gene', 'bta5 bta26', 'known polymorphism gene', '10 11 qtl', 'present study', 'rs29018921 chromosome', 'role mediating metabolic', 'regression test day', 'heritable detailed understanding', 'day somatic', 'acid composition used', 'genotype exon poll', 'hit 10', 'alga0022658 high', 'polled locus', 'pig population established', 'association sperm quality', 'associated phenotypic', 'reference population ref', 'body conformation', 'small effect increased', 'gelbvieh growth', 'hen generated using', 'located locus', 'mapping work facilitate', 'association analysis high', 'trait regression method', 'kinase kit', 'snp rs321666676 associated', 'pleiotropy affecting', '05 false discovery', 'bta26 second bta19', 'growth exist', 'model corrected principal', 'used npl', 'lectin mbl mediates', 'used scan family', 'characteristic animal', 'development ovulation mammal', 'expression detected', 'varying complex', 'related susceptibility ketosis', 'improving yolk trait', 'aim study perform', 'distribution intramuscular', 'segregating qtl duroc', 'study kind data', '05 reduction', 'associated early expression', 'harbouring cart', 'duroc boar estimated', 'indicated fabp3', 'fat mrna', 'unique amino acid', 'level isu', 'increasing second breeding', 'qtl finding', 'activity structural', 'carry salmonella displaying', 'significant challenge faced', '800 italian', 'fecxo fecxr fecge', 'identified maternal', 'conclusion identified candidate', '05 collectively', '10 03 08', 'grilled loin', 'breed fat', 'sow example unl', 'snp value', 'genotyped cohort holstein', 'qtl positional candidate', 'white marking maximum', 'chromosome proportional', 'analyzed expression characteristic', 'domestication improvement', 'index marker', 'model bayes', 'chromosome specific chromosome', 'identified eca raspf7', 'fat deposition additionally', 'collected piglet 20', 'grade pale 17', 'specific feature', 'affecting somatic cell', 'heritability epl score', 'disease dominant', 'intron 10 2886', 'harbored region act', 'lamb extensive', 'erhualian 14 white', 'previous study demonstrated', 'certain locus', 'mainly drug', 'industry identify subfertile', 'inorganic phosphorus', 'snp dressing', 'beef industry objective', 'located chromosome cattle', 'rib reflected', 'support stat6 candidate', 'muscle biochemistry ultimately', 'molecular marker body', 'high density microsatellite', 'association tibial', 'content cast', 'urea nitrogen yield', 'infarction present', 'population 427 individual', 'interesting marker', 'genotyping technology possible', 'discovered qtl', 'snp detected identified', 'tested alternative', 'spw stomach', 'harbored qtl milk', 'develop maximum likelihood', 'performance trait franches', 'weighed body', 'protects animal', 'detecting kit variant', 'icf day', 'qpcr result showed', 'gain loin', 'scrofa chromosome explain', 'interval gene phkg1', 'integrating number shell', 'region ssc4', 'confidence interval gene', 'gene interaction statistical', 'spanned entire', '28 showed moderate', 'glycoprotein gene', 'polymorphism explained residual', 'variance qtl', '217 249 cm', 'reduced 05 bw', 'myofiber diameter density', 'specific mechanism', 'pp pb', 'different genome wide', 'novel retinoid receptor', '106 cm ssc8', 'revealed significant 05', 'chromosome suggestive', '18 related increased', 'content involved signal', 'prkag3 ssc15 associated', 'infection sarcocystis', 'conclusion use higher', 'recorded cow', 'mapping project', '20 cm position', 'aggressive peck delivered', 'heterozygosity genetic knowledge', 'genetic marker growth', 'b9d2 pafah1b3 tmem145', 'affected sc marker', 'milk production little', 'pair assigned', 'weight snp significantly', 'association pp 10', 'background boar', 'genotyped fish', 'result showed total', 'equine tiling', '64 microsatellite', 'animal including 250', 'ssc7 qtl', 'resolved aa ag', 'mapped suggestive chromosome', 'underlying effect ssc7', 'cattle detect', 'count total hebraeum', 'gene apob causal', 'infected cow', 'including 180', 'non catalytic lobe', 'abnormality occurring population', 'study large', 'estimated scottish', 'represent useful reference', 'segment shorter', 'healthier product consumer', 'order narrow qtl', 'second qtl model', '1752816085 exon 12', 'insertion deletion variant', 'finding potential', 'model faecal', 'confirm presence segregating', 'chip snp', 'gwas cattle detect', 'population previously mapped', 'ketosis event restricted', 'alelle breed rln', 'unl commercial sow', 'based current state', 'tt genotype', 'population 370', 'level creation', 'focusing bw', 'oocyst shedding good', 'bta mir', 'autosome qtl study', 'improve accuracy', 'model identified 05', 'model combined model', 'molecular breeding scheme', 'skin weight bone', 'trait ref', 'suggestive md qtl', 'marker spacing 20', 'identified correspondingly', 'haplotype block 20', 'improve predictability genetic', 'depending growing', 'aa ac genotype', 'different tick', 'separately genotype', 'respiratory disease lesion', 'pig welfare concern', 'gene identification ultimately', 'length 13', 'marker sub', 'employ ige level', 'posterior standard deviation', 'approach able', 'interval 14 cm', 'linked proactive', 'fat depth site', 'develop apply method', 'receptor tgf', 'cattle superior female', 'frequency infanticidal', 'predictive ability population', 'parity experiment experiment', 'ketosis jersey cattle', 'revealed p13k', 'secondly data', 'autosome identified sperm', 'pomc gh crh', 'cluster breed', 'array subsequently pedigree', 'susceptibility discovery new', 'moisture content longissimus', 'trait haplotype analysis', 'significant association smaller', 'sequence including promoter', '24 experiment wise', 'create data null', 'economically important stress', 'pattern significant snp', 'analysis reveal genome', 'coincident present study', 'consistent italian', 'lifetime daily gain', '115 cm ssc7', 'ssc6 ra type', 'bos grunniens bos', 'diameter different muscular', 'responsible similar phenotype', 'selection individual', 'country significant qtl', 'impact gene', 'sow derived', 'treatment heritabilities ranged', '465c 353c bp', 'data merino', 'based elite dairy', 'gene participates', 'seasonally polyestrous traditionally', 'effect qtl allele', 'genotyping approach second', '21 22 largest', 'linked milk', 'associated adg future', 'support published', 'data restricting', 'different response scrapie', 'nuclear extract muscle', 'energy balance paper', 'shoulder weight chromosome', 'cell volume snp', 'genomic resource applied', 'gene identified plausible', 'segregating result', 'haplotype 70', 'relevant commercial population', '219 genotype', 'locus chromosome', 'thermoregulation equilibrium', '80 microsatellite', 'family transmembrane', 'qtl bcwd resistance', 'factor ccaat enhancer', 'bmp binding endothelial', 'challenged pleuropneumoniae', 'largest organ', 'raspf7 measured', 'interval snp used', 'study designed', 'age parity ewe', 'component effect', 'clear advantage classical', 'thickness chromosome', 'length metacarpal', '26 autosome', 'fat 62', 'afe g593a affected', 'insemination ai sire', 'chicken breeding scheme', 'effect mutation affected', 'white 353', 'fmo5 map orthologous', 'dd higher cd', 'prevention critical factor', 'extract information', 'study quantitative pcr', 'kg day important', 'known gcnf', 'chromosome bodyweight', 'day gestation ovary', 'controlling systematic', 'myristic palmitic', 'model approach single', 'risk detected', 'middle telomeric', 'rate predisposition pleurisy', 'rxra explain', 'result ram obtained', 'follows ascertain', 'mutation functional significance', 'illumina chip', 'content involved', 'scope selecting', 'variant analysis detected', 'snp respectively play', 'frequency chinese pig', 'identified study determine', 'population 386', 'dna pool applied', 'population diverse', 'snp position', 'serum concentration', 'promising candidate c10', 'combination allele derived', 'contamination poultry product', 'piglet born', 'form vitamin', 'analyze identify single', 'level 14 chromosomal', 'parasite resistance following', 'v371m polymorphism previously', 'purebred duroc gilt', 'ga ct', 'minor suggests', 'homozygote allele', 'eastern germany management', 'needle sharing best', 'region bta2 contained', 'using material', '10 bpi', 'qualified qtl phu', 'used analyze backfat', 'p2rx3 nr2f2', 'region ssc6 carcass', 'perception food safety', 'proved successful strategy', 'play major', 'breed displayed genetic', 'information previously investigated', 'better collagen cross', 'color redness bco', '083 standard deviation', '01 mean', 'equilibrium 05', 'conducted 238 chicken', 'pig allowed', 'genome different', 'mapping facilitate', 'niemann pick type', 'small sample size', 'large positive', 'molecular basis mineral', 'subclinical day 28', 'sequenced cdna zfat', 'backfat 15', 'breed radiation hybrid', 'region africa display', 'region putatively linked', 'total production cost', 'important human nutrition', 'verified qpcr', 'aspergillus fumigatus raspf7', 'analysis imputed', 'herdmates lactation', 'new method context', 'org uk', 'reproductive trait overall', 'ucp3 polymorphism', 'fat suet', 'mb includes candidate', 'diverse gelbvieh', 'cy dairy', 'layer dam', 'diarrhoea risk piglet', 'score located scrofa', 'variance explained marker', 'interval investigated 004', 'analysed denser', 'sfa mufa', 'mstn sod2 mc5r', '306 steer 707', 'qtls c18 c18', 'gwaa using 856k', 'map brd', 'line cross interacted', 'animal used genomic', 'qtls identified', 'dairy cattle milk', '03 f1', 'total 150 snp', '10 case', 'identify gene', 'muscle qtl located', 'tissue lung', 'trait motility abnormal', 'knowledge biological', '97 cm confirmed', 'family combined fact', 'snp novel indels', 'estimation separated', '300 animal losing', 'qtl multiple qtl', '89 06 tibia', 'testis brain', '313 bp indels', 'association test bioinformatic', 'gene tested using', 'investigated genome wide', 'pig order relate', 'study wool production', 'detected bmw', 'trait qingyu', 'beef yellow', 'decreasing adipocyte size', 'affect fertility', 'animal stratified age', 'italian heavy pig', 'adolescence period intensive', 'qtl map software', 'analysed separately previously', 'indicating different measure', '26 mb primarily', 'fifth strongest', 'associated t4 study', 'progeny accounting 17', '647 499 oar23', 'group dairy cow', 'group heritability epl', 'polymorphism fatness', 'indicated candidate gene', 'finding genome', 'weight carcass characteristic', 'provide basis molecular', 'strategy aim', 'value ranging', 'identified trait low', 'qtl strong positional', 'associated small effect', 'lda log10p', 'trait represent', '54 association', '73 mb', 'absence quantitative', 'diet agree', 'micrornas target study', 'processing chicken meat', 'associated femur', '05 study provides', 'genome sequence using', 'association snp milk', 'polymorphism snp beadchip', 'cyp21a2 candidate gene', 'thrsp gene suggesting', 'located ssc6', '404 dh dj', 'assessed data', 'cattle progeny testing', 'nce7 polymorphism', 'marker showed significant', 'agent reduced', 'confidence interval microsatellites', 'fat lm measurement', 'fat deposition lead', 'factor respectively', 'level gene apoh', 'yorkshire granddams', 'represents blv', 'ovine chromosome 18', 'myadm gene', 'hematopoiesis mafb', 'egg average weight', 'input production', 'predicted 31 984', '19 28', 'number significant qtl', 'individual marker trait', 'approach pig breeding', 'curvature fibre second', 'trait genetically diverse', 'holstein cattle analysis', 'value project additionally', 'cluster largest association', 'association meat quality', 'sixth thoracic vertebra', 'total 105 microsatellite', 'afe tgc1tgc1', 'discovered snp necessary', 'weight broiler high', 'fertility linking', 'vitamin rdhe2 convert', 'hematocrit hemoglobin', 'fp ebv variance', 'qtl chemical body', 'slc45a2 chromosome 16', 'suggesting partially', 'genomic selection promising', 'strain revealed', 'effect increasing number', 'identified study causal', 'key mapping specific', 'using ovine', 'divergent line sheep', 'used validate', 'trait positive reactor', 'composed 65 steer', 'bl trafficking kinesin', 'granddaughter 19', '2007 previous study', 'common hm', 'map status 1644', 'variant designated intron', 'developed genotyping array', 'indicated small region', 'state meat', '99 03 26', 'composition used genome', 'pig 273', 'total 92 553', 'development morphologically variant', '708 offspring chicken', 'csrp1 csrp2 csrp3', 'suggest ssc5 explains', 'thinner fatness heavier', 'breed holstein resulted', 'count essential', 'based approach used', 'varies black', 'bf imf', 'weight r2 493', 'data equivalent', 'disease incidence population', 'phenotype genomic prediction', 'rich lipoprotein constituent', 'area harboured', 'perform ssgwas bootstrap', 'warmblood horse pwh', 'multivariate analysis', 'member trait w2cl', 'associated uc', 'information similar study', 'genotype class', 'concentration 300 measured', 'aged year', 'consequently mll area', 'cm yield grade', 'color baroque', 'population gwas meta', 'variation lead', 'primer result', 'teat size udder', 'fe 111 mn', 'mapping association', 'human bd complex', 'aptitude retain', 'expression profiling', 'human candidate', 'group allele taurine', 'involved regulation bovine', 'cattle criollo', 'count region largest', 'confirmed effect genomic', 'poor growth reproductive', 'genetic association', 'inheriting differing genotype', 'ip 1049 alp', 'position sus', 'carcass lean percentage', 'variance explained mb', 'aimed improving', 'infection included zinc', 'able identify', 'tggaca cagaca used', 'suis worm burden', 'hock stifle', 'month tested', 'taint potential application', 'bovine keratoconjunctivitis ibk', 'chromosome igf2 substitution', 'chemical body composition', 'cow clinical sign', 'qtl trait grid', 'level average', 'region elovl6 533c', 'c14 c18 c18', 'information content 62', 'significant qtl detected', 'chain lh located', 'joint osteochondrosis', 'appetite pig affect', 'specie calpains inhibited', 'covariate model', 'discrepancy allele substitution', 'estimating disease progression', 'strain revealed total', 'cattle purpose', 'pcgs identify', 'metabolism specie', 'cow increased', 'kinase cd27', 'result used genome', '83 significant', 'chromosome 18 texel', 'line result haplotype', 'gene 13', 'connected indicates complex', 'genetic variant affecting', 'dgat1 gene capn1', 'homozygosity contains transcript', 'gene slc30a2', '24 reached maximum', 'cnv result', 'en300 egg hatchability', 'lma δ2', 'interaction porcine', 'reveal cryptic', 'obtained progeny using', 'polymorphism growth meat', 'significant logp', 'stimulated preovulatory', 'trait native', '34 microsatellite', 'identify susceptible', 'organization play role', 'qtl 119 mb', 'type slc27a3 diacylglycerol', 'genome sequencing fine', 'leghorn wildtype red', 'cnvrs cnvrs proximal', 'detected utr', 'lumbar vertebra 05', 'challenge spleen cecum', 'site 1001t nc_037332', 'breed located near', 'obtained rna', 'pair affected percentage', 'interacted dam line', 'new ones', 'genetic basis sexually', 'meat shear', '1001t polymorphism', 'weight duodenum', 'developed build haplotype', 'debvs derived estimated', 'hypothesis major gene', 'cattle saa2 gene', 'cross reanalyze jointly', 'discrepancy identified mutation', 'yw analyzed using', 'predisposition environmental stimulus', 'snp associated percentage', 'crossbred cow genome', 'solution problem', 'wide qtl detected', 'result biology mttp', '17 detected imprinting', 'region horse relevance', 'mga quantitative transmission', 'underlying mutation problematic', 'shin circumference quality', 'analysis 13 suggestive', 'including wnt3 gh', 'new statistical', 'revealed 897 expression', 'calf dam genome', 'twinning yr phenotypic', 'lap3 encoding leucine', '05 genome wise', 'week hen age', 'study determine', 'significant imprinting', 'analysis remaining 13', 'qtl trait performed', 'located coding', 'participated cell cell', 'association remained', 'initiative aim', 'holstein jersey', 'trait locus newly', 'gene abc', '003 average', 'f2 cross igf2', 'segregating sire family', 'initial result imprinting', 'investigates link ovine', 'returned control', 'content c18', 'yield py ax', 'map qtl behavioural', 'mrna abundantly', 'piétrain resource population', 'snp marker associated', 'specie knowledge', 'fat line total', 'based association fresh', 'effect zero ppn0', 'femur humerus bone', 'suggestive qtls identified', 'region underlie', 'mineral density fbmd', 'drop snp snp', 'energy balance study', 'european prrs virus', 'excluded conclusion', 'equine sarcoids', 'commercial line slow', 'selection report result', 'strain addition', 'total ct tg', 'including ph', 'significant difference observed', 'litter size sow', 'negatively regulates insulin', 'analysis performed highly', 'disequilibrium linkage disequilibrium', '139 microsatellite marker', 'trait reproductive success', 'gene porcine', '150 01 lower', 'ketosis included acat2', 'gene thought', 'selection imposed', 'decrease confidence interval', 'shank growth period', 'scan high', 'intensification worldwide production', 'coding nucleotide', 'snp cox significantly', 'lactation clinical ketosis', 'excluded candidate', '606 006 snp', 'qtl chicken chromosome', 'cutlet area 36', 'genomic breeding program', 'percentage performed population', '18 btas', 'effect bw70 bwg', 'associated gene potentially', 'coverage sequencing', 'included fine', 'texture parameter toughness', 'protein product revealed', 'genotyping identify', '704 bull deregressed', 'basis phenotypic variation', 'endemic wild', 'data 23', 'parasite nematode', 'sequencing phkg1', 'suggests epistasis', 'intramuscular fatty acid', 'coat slick dominantly', 'haplotype reconstructed', 'accounted approximately genetic', 'associated lightness', 'analyzed included average', 'specific quantitative real', 'support hypothesis locus', 'expression level hypothalamus', 'gene finding strongly', 'semi membranosus muscle', '18 joint analysis', 'genome qtl analysis', 'detected difference', '370 significant', 'factor pathogenesis', 'genetic polymorphism material', 'prolificacy performance high', '26 pcgs involved', '225 bp', 'calf mortality paternal', 'myog gene birth', 'purebred horse', 'mrpl48 hcr', '16 churra ram', 'analyzed half sib', 'threshold bovine chromosome', 'previously detected pig', 'identified panel snp', 'estimated s0008 tenthrib', 'gwas melanoma occurrence', 'genetic susceptibility addition', 'concentration goal', 'significantly higher juiciness', 'acid suggested qtl', 'analysis previously', 'trajectory time', 'carotene metabolism', 'including frmd4a hoxb1', 'qtl cv', 'observed em qtl', 'tested selective genotyping', 'scan muscle fiber', 'share qtl allele', '14 located', 'beneficial characterize', 'determine gene contribute', 'locus ggaluga348521', 'screened polymorphism', 'lp respectively', 'protein polymorphism potential', 'white allele', 'architecture imf', 'varied grandsire', 'single snp mixed', '33 qtl', 'animal aim study', 'semen trait marker', 'application await genome', 'feature suggest', 'resistance additional', 'qtl individually', 'bmp15 exon1', 'porcine rfi', 'growth ultrasound measure', 'performed producer recorded', 'yield trait breed', 'c19orf42 tmem38a 047', 'empirical significance threshold', 'bluppf90 postgsf90', 'iranian indigenous chicken', 'performed 40 100', 'extreme parasite', 'pcr length', 'breed helpful understand', 'represents candidate causal', 'progeny using', 'bead chip marker', 'trait mechanism resistance', 'population required', 'base population realistic', 'fewer sertoli', 'ecotypes newcastle', 'gene vtn kera', 'indigenous village', 'mutation agc 113g', 'signal provided', 'vasopressin receptor', '427 10', 'form basis early', 'located 41', 'dna technology', 'trait chromosome', 'explored single', 'lt ph 45', 'afflicted fescue', 'fabp excluded candidate', 'impact early growth', 'covering 248', 'previous study soay', '24 sire', 'hen divergently selected', '21 kg', 'marbling qtl bta6', 'region order identify', 'set analysis', 'seven novel', 'susceptibility scrapie mainly', 'segregating allele environmental', '02 40 436', 'linked association', 'qtl gw identified', 'specie faecal sample', 'region appeared', 'cell knowledge member', 'weight gizzard', 'associated 01 somatic', 'gregarious factor account', 'trait tested 16', '15 porcine', 'content feed conversion', 'causal gene quantitative', '940 descendant', '1574 mrna d28521', 'identified specie including', 'breeding experiment', 'muscle wide', 'genetics ovulation', 'increase lamb', 'complex low heritability', 'associated lipid', 'qxpak analysis included', 'genome qtl interval', '05 15', 'dag ceramide', 'linked dgat1', 'range effect', 'polymorphism anxa9', 'segregating snp evaluated', 'gene sheep growth', 'experimental population discovered', 'ibk beef', 'loin significant', 'mstn associated dcd', 'high quality single', 'qtl rib thickness', '124 statistically', 'jersey holstein dairy', 'limousin evaluate', 'detected qtl lean', 'snp mapping region', 'developmental qtl dq', 'gene fabp encoding', 'following genome', '533c genotype', 'gxe interaction investigated', 'boundary bovine gli3', 'significantly associated feed', 'skin cock subcutaneous', 'changed considerably past', 'tumour affecting', 'lepr 1987c polymorphism', 'nte nve', 'qtls meat technological', 'cow calf herd', 'power test', 'binding site protein', 'throughput genome wide', 'inheritance conclusion', 'population detected joint', '277 cow', 'widely expressed 14', 'f2 charolais', 'fto genotyped pcr', 'infected herd', '05 finding', 'aid characterize important', 'chromosome family showed', 'pigmentation trait expressed', 'previously identified susceptibility', 'study identified endocrine', 'im lavc ldl', 'cell derived', 'involved developmental', 'qtl mapped half', 'equus caballus', 'candidate gene located', 'weight carcass weight', '300 day egg', 'based performed quantitative', 'including residual feed', 'ovarian function', 'kif16b ptpn3 gprc5a', '600 single nucleotide', 'underlying milk', 'mfi genotype', 'th1 type', 'record regressed', 'currently used finland', 'mirna ca aa', 'chromosome bms2142', 'metabolic trait pig', 'snp int3 significantly', 'susceptibility immune', 'nominal log10p values', 'frequency 40 additionally', 'variance trait primarily', '437g silent me1', '264 cow', 'health event dairy', 'responsible subcutaneous', 'unavailable straightforward', 'mapped gga1', 'supply nutrition', 'study sheep', 'affecting susceptibility', 'explaining muscle yield', 'mcmc method', 'red earlobe trait', 'detected close proximity', 'sd haem score', 'sire used sire', 'thyroglobulin tg producing', 'fatty acid taurine', 'parity prominent level', 'derive gene network', 'relevant liability develop', 'nominal significant', 'milk quality health', 'demonstrates leverage potential', 'scan holstein', 'sod1 gene localized', 'enable rapid cost', 'genome compared', 'study relatively large', 'present study associated', 'weight number egg', '021 significant', 'marker particular', 'composition quarter meishan', 'polymorphism non', 'trimmed ham result', 'used quantitative trait', 'gene biological function', 'score molecular polymorphism', 'newborn offspring 24', 'cnvs contribute genetic', 'data estimated', 'conducted hypothesis', 'functioning musculoskeletal pig', 'fy milk', 'gene involved placental', 'test time', 'sscp used', 'rao heaves asthmalike', 'platform marker', 'phenotype sequence data', 'used linkage association', 'analysis revealed', 'density swine', 'chosen spaced polymorphic', 'lipid deposition energy', 'reported using association', 'deletions totally', 'danish udder', 'evaluated growth trait', 'glycolytic potential imf', 'represent overall pathogenic', 'infected herdmates lactation', 'general association', 'jersey jer', 'analyzed total 1425x19179', 'database objective', 'chromosome gene involved', 'reported previous study', 'located ssc6 objective', 'considered positional candidate', 'fatness trait previously', 'qtl mutation recombinant', 'scored corrected genoprob', 'comparison controlling', 'detected qtl length', 'imputation genome', 'ssc genotypic data', 'cm direct', 'information generated', '43 asiatic', 'gga3 gga5 gga6', 'healthiness dairy', 'previously associated genetic', 'examining age attainment', 'ag significantly', 'cattle integrated', 'model 24', 'elimination host', 'production female corticosterone', 'level sod1', 'trait analyzed cast', 'cpd known chronic', 'molecular genetic marker', 'oleic acid polyunsaturated', 'innovation high throughput', 'different test', '370 snp formed', 'genotype milk', 'method set', 'predict option', 'palmitoleic stearic vaccenic', 'marker extended', 'f2 progeny selected', 'larger prediction accuracy', 'fa 19 grandsires', '21 highly significant', 'viable piglets high', 'loin muscularity', 'rapidly increasing nematode', 'resistin retn am157180', 'fabp haeiii locus', 'ef hand', 'effect identify', 'mutation 1053c missense', 'seq library', 'fed dairy cattle', 'determined using permutation', '186 animal measured', 'identity human irs4', '373 042', 'genetic relationship boar', 'marker equally spaced', 'detected method', 's0102 mapped 70', 'snp predictive', 'paratuberculosis map', 'pig analysis conducted', 'related trait chinese', 'gemma used association', 'hap9 adapted environment', 'genotype imputed genome', 'technological property milk', 'mainly affect nve', 'lactation macrophage', 'close mcw0106', 'colour trait ssc8', 'cause devastating outbreak', 'mortality reduced', 'age 43w ew43', 'including ripk2', 'genotyping performed', 'npy gene contribute', 'systematically associated', 'analysis chinese chicken', 'compared fetal', 'mscc 15', 'litter 12', 'necrotic material linkage', 'lld analysis', 'approach revealed quantitative', '97 mb holstein', 'bta6 pdgfra', 'acid showed', 'multipoint mean', '28 suggestive presence', 'report parasite', 'gene sod1 amino', 'pedigree exposed acute', 'intron previously reported', 'freezing cooking', 'tmem117 transforming', '993 snp', 'composition provide valuable', 'related keratin', 'cow typed geneseek', 'growth model fitted', 'residual phenotypic', 'frequent snp', 'wide screening', 'greater shear force', 'regulate aldbsscg0000001928 expression', 'perform snp', 'result verified', 'used gwa', 'feature pig industry', 'gene silico', 'initially performed microsatellite', 'genome potentially affected', 'birth 98 week', 'intergenic region intron', 'reported previously updated', 'wh 11 body', 'square test', 'rapidly reduces', 'indicator mineral status', 'higher density', '2574_2576delgtc production trait', 'region major histocompatibility', 'expressed analyzed tissue', 'life calf underdeveloped', 'declaring qtl determined', 'bw70 fcr', 'underlying qtl analysed', 'me1 dra genotype', 'gr expression', 'study provides novel', 'potential pathway associated', '27 using linear', 'axis inhibitor', 'identified giving additional', 'mapping used evidence', 'muc13a glycosylation', 'vertebral malformation', 'activity linkage analysis', 'diarrhea mortality neonatal', 'peak included lcorl', '205g substitution exon', 'variant affecting cell', 'protein val27ala different', 'median network', 'analysis family using', 'hspg2 snp', 'colour category conclusion', '53 08 respectively', 'confirm involvement earlier', 'size world', 'ppard glp1r gene', 'mechanism lead', 'fiber diameter coefficient', 'obstructive pulmonary disease', 'respectively positive', 'effect rs14934924 mutation', '543bp open reading', '03 wild', 'microsatellite locus', 'time direct', 'yield bta7', 'weight advantage joint', 'effect service', 'adaptation environmental', 'especially gene slco4c1', '26 33 4mb', 'tnfrsf1b plod1', 'growth factor igf', 'dgat1 maternal nonreturn', 'conservative amino', 'holstein heifer conception', 'pig meishan', 'score variance component', 'quality difficult trait', 'minolta insr', '1138 216t substitution', 'reached economic value', 'role muscle development', 'associated dna sequencing', 'pig autosome result', 'syntenic hsa', 'horse owner caretaker', 'corrected daily feed', 'sire pertained btb', '1013 genotyped animal', 'additional pair', 'evaluation united', 'haplotype block gga27', 'protein conclusion pparg', 'publication tested dominance', 'segregating large', 'greater reproductive', 'strong correlation', 'effect locus', 'sib progeny 522', 'increase live weight', 'detected significant level', 'individual family', 'boar genotyped porcinesnp60', 'insight predisposing', 'significantly associated esc', 'recently shown', 'gene slc9a3r1', 'kcnh7 cdc42bpa', 'present continuous', 'current breeding', '2379cc associated', 'showed nucleotide', 'set randomly selected', '144 microsatellite', 'low birth', 'unaffected carrier', 'content differed breed', 'demonstrated genome wide', 'studied separately', '76 snp 190g', 'met substitution', 'region common snp', 'study revealed snp', 'identified total 14', 'segregation qtl commercial', 'fertility productivity', 'scan detection', 'tolerance johne disease', 'parity ltnp snp', 'cluster especially', 'serum antibody', 'content composition significant', 'chl_milk gwas', 'dressing percentage 05', 'growth feed consumption', 'crossroad immune regulation', 'microtia congenital deformity', 'population developed dissect', 'iib muscle fiber', 'share high sequence', 'duroc pig ph', 'cell autophagy', 'method purebred', 'number teat essential', 'population 578', 'eye cancer', 'established step', 'macrophage h1', 'immune capacity beneficial', 'count genotyped', 'inconsistent varied', 'study fold objective', 'help uncover', 'lower 01 mean', 'weaning bta', 'remained md', 'examining age', 'moderate slope', 'significantly affected level', 'potential growth qtl', 'population belong', 'ratio value qtl', 'descent inheritance', 'content based finding', 'possibility select specific', 'based duroc berlin', 'friesian charolais', 'genotyped capn3', 'dramatically smaller', 'week age obtained', 'profitability pork industry', 'german landrace dl', 'mutation contribute genomic', 'used analysis method', 'validated using scenario', 'qtl interval current', 'gene chromosome 18', 'property milk aim', 'pig genomic', '17 21 respectively', 'gene control litter', 'origin univariate', 'finding suggest gnas', 'seven located', 'accounted genetic', 'differed hf population', 'cloning candidate', '05 suggestive qtl', '29 detected', 'gene showed', 'level behavioral autonomy', 'role onset puberty', 'interval region snp', 'lactoglobulin variant refined', 'significant effect lm', 'background na', 'bacterium muc13a glycosylation', 'gene functional validation', '670 axiom', 'analysis included following', 'improve efficiency classical', 'phenotype actively contributes', 'bb animal conclusion', 'layer line 90', 'generation relaxed rel', 'depth meat area', 'decreased insulin induced', 'favorable greater', 'snp association performed', 'associated fat related', 'churra sheep detect', 'udder leg conformation', 'acid metabolism pathway', 'depth 3rd', 'fp frequent red', 'perspective practical application', 'data candidate', 'mhc haplotype', 'fat deposition related', 'map qtls', 'important poultry breeding', 'possible apply marker', 'lead considerable economic', 'obtained high', 'bovine npc1', '13 19 affect', 'tissue instance', 'ibk severity treating', 'gene qtl interval', 'acid qtl', 'trait subject', 'cow commercial dairy', 'haplotype capture', 'chinese simmental', 'gene identified missense', '14 17 18', 'use protein', 'chromosome bta01 bta02', 'confirmed large effect', 'organization formation', 'qtls milk', 'drenches control gastrointestinal', 'trait markedly 05', 'snp nearby 25', 'estimate moderate varying', 'explained heritability genome', 'bta 15 qtl', 'generation design consisted', '72 week age', 'using resource broiler', 'joint design consisted', 'crossed population iberian', 'trait multiple', 'increased density', 'fasn gene animal', 'analyzed cast', 'breed contain', 'trout genotyped', 'biosynthesis significant association', 'marker low density', 'segregated purebred population', 'set kept constant', 'porcine tgfbr1 gene', '698 animal 50', 'melim sequencing exon', 'function layer', 'study revealed quantitative', 'genetics ghanaian', 'parity sow', 'fry cattle associated', 'used select lamb', 'need refined', 'pleiotropic linked qtl', 'period animal continually', 'protein s20 rps20', 'powerful target region', 'clinical disease', 'consisted trial pig', 'extreme incubation period', 'haematocrit hem', 'need functional study', 'regulating rfi', 'density protein', 'batch bull selected', 'condition compared zebu', 'gluteus medius skeletal', 'causal difference', 'map result', 'protein o1 ectodysplasin', '403 f2', 'explained 25', 'function ovary located', 'bone black organ', 'microsatellite genotype', 'bta29 bft', 'estimated tested multiple', 'involved oxytocin', 'human rodent', 'endometrium vle fetal', 'genotype associated higher', 'particular important region', 'level pregnancy status', 'novel known genomic', 'skin ulceration interfering', 'windows 12 significantly', '10 abnormal development', 'state estimated breeding', 'sample chromosome', 'maximize economic', 'amplification sequencing using', 'insulin triiodothyronine thyroxine', 'weight identified gga2', 'ham pig slaughtered', 'related gene 14', 'gene maternal infanticide', 'selection enhance heat', 'mcw0168 gct0006 explained', 'bovinesnp50 beadchip containing', 'rainy dry genotyped', 'persistency lp defined', 'chromosome analysis genome', 'classified small 215', 'confirmed experiment', '52 51', 'oar3 analysis demonstrated', 'trout genome wide', 'obtained contained', '40 890 784', 'controlled region hmgcs1', 'play significant role', 'understanding molecular genetic', 'analysis genome sequencing', '200 day', 'detected commercial', 'spleen weight spw', 'cluster bta11', 'revealed candidate', 'leading reduced', 'analysis 11 qtl', '111 bb 47', 'study employ variant', 'word genotype', 'level low', 'defect established elucidate', 'significant 01 snp', 'analysis uncovered 285', 'percentage eviscerated', '95 96 215', 'autosome genome', 'known bovine fabp', 'igg1 week', 'number heritable trait', 'ubl5 imf', 'autosome 19 26', 'bw body weight', 'number teat absence', 'frequent use', 'implying potential', '05 prioritization common', '1111a produce', 'interval associated', 'reproduction efficiency offspring', 'nipple csrp1', '98 duroc', 'bwg feed intake', 'located non coding', 'population 186 twinning', 'qtl 90', '65 32 detected', 'indicates complex relationship', 'snp duplication locus', 'btax bta2', 'gland cause', 'dairy control 129', 'cbat random forest', 'trait length width', 'inheritance frequency haplotype', 'respectively significantly', 'specific gene gene', 'identify specific genomic', 'chromosome gga5 using', 'carotene oxygenase', 'factor tgfβ superfamily', 'skin disorder', 'genetic variance td', 'specificity result interpreted', '19 affect', 'population 446 slaughtered', 'identified partial correlation', 'merit linkage disequilibrium', 'segregating allele higher', 'scored boar abnormal', 'targeted region', 'genetic variation breed', 'reduced chromosomal', 'study gwas carcass', 'tharparkar cattle', 'activity supposed impact', 'protein o1', 'value birth weight', 'variation bovine npy', 'bird response', 'obesity marker single', 'ms pig showed', 'result 322 lw', 'association marbling 001', 'understanding mechanism involved', 'gwas milk', 'gene cxxc5 ryr3', '95 variant', 'improved increasing', 'respectively muc4 gene', 'significance 05 qtl', 'characteristic measured autofom', 'snp promoter studied', 'evidence qtl mastitis', 'suggestively significant', 'thirty qtlr 19', 'trait grouped represent', 'reared tropical', 'approach genome wide', 'dataset nearly twice', 'lower milk protein', 'number finnish ayrshire', 'basic information gene', 'hour post', 'threshold susceptible', 'suggests nonsynonymous polymorphism', 'conclusive determination causal', 'infanticide behavior ssc1', 'correlation marker short', 'rs315831750 rs313726543', 'using selective genotyping', 'landrace animal', 'used compressed mixed', 'fat weight mlc', 'data obtained', 'swine proportion cd4', '13 single qtl', 'curd solid cysolids', 'chromosome use', 'conservation identify candidate', 'mapping study result', 'overall carcass muscling', '18 oleic 18', 'sequencing phkg1 revealed', 'ovine snp50 beadchip', 'bone located sscx', 'glycerolipid metabolism fat', 'individual northeast', '191 genotyped 16', '000 600 individual', 'catalytic subunit prkag2', 'dc 01 water', 'applied determine qtl', 'probe incubated nuclear', 'initially detected prim', 'compared strategy validate', 'marker perform genome', 'primer polymerase chain', 'haplotype surrounding vrtn', 'expression suppressing expression', 'analysis genotype major', '000 animal', 'red earlobe provide', '035 animal using', 'pig challenged wild', 'beard chicken', 'trait region specific', 'bone quality chicken', 'variant observed population', 's0102 mapped', 'tolerance utt rainbow', 'trait evaluated included', 'phosphoribosyltransferase oligodendrocyte transcription', 'variant kit', 'oar 21', 'approach used', 'cow sire', 'gene responsible subcutaneous', 'box test shearing', 'biological architecture trait', 'average 159', 'low demand', 'trait incorporation dna', '353 progeny', 'tested sole', 'tender palatable', 'incidence randomly', 'investigation necessary illustrate', 'mb new', 'variation aseasonal reproduction', 'enabling modern', 'factor provide', 'data finnsheep failed', 'uterine expression', 'propose polar', 'finger gene gli3', 'achieve characterized', 'data affected 289', 'biological pathway interesting', 'record 3359', '2005 2007', 'cnv associated embryonic', 'identified respectively', 'chip f1 individual', 'conformation trait response', 'result suggest gdf10', 'breed specific polymorphism', 'alternative splicing', 'dissecting complex trait', 'gene conclusively', 'marker mcw241', 'extent facial wrinkle', 'desire functionally', 'percentage protein percentage', 'quantitative phenotype tolerance', 'average 231 sire', 'cd higher cc', 'trait segregating future', 'influenced percentage', 'remarkable selection response', 'variant 22', 'cattle require dietary', 'thickness association', 'kyoto encyclopedia', 'canal following necrosis', 'level location qtl', 'qtl oleic', 'health event data', 'conducted eqtl', 'day feed intake', 'data targeted region', 'heme content qtl', 'functional study', 'growth parameter growth', 'help avoid', 'oncorhynchus mykiss genome', 'unaccounted random genetic', 'white meishan', 'disequilibrium causative mutation', 'androstenone ssc6', 'produced 1310 lamb', 'embryo nte cd', 'map chromosomal region', 'studied 371t 805g', 'trait nucleotide breed', 'inheritance included', 'raleigh nc', 'related vps10', 'association mutation', 'analysis indicated significantly', 'snp statistically significant', 'variability especially', 'negative correlation pre', 'dna genotyped using', 'score linear udder', 'gene slc9a3r1 nos2', 'pig haematocrit', 'genetics refining estimation', 'trait diagnostic parameter', 'previously mouse', 'information contained data', 'pcvd overlapped marker', 'common expensive', 'lower number somatic', 'development gene marker', 'modulates impact', '35 novel single', 'heifer 483', 'analysis genomic data', 'allow accurate estimation', 'pig study confirms', 'taken parity total', 'catenin target gene', 'potential ssc1', 'analysis enabled identification', 'enzootic bovine', 'ct detect partially', 'microsatellites covering pig', 'mtmr2 dlg1 cga', 'snp targeted resequencing', '480 purebreed duroc', 'association variable', 'domestic chicken 36', '16963 31', 'associated elovl6 gene', 'using equinesnp70 bead', 'difference ltn', 'comprehensive systematic', 'eqtl stress related', 'using mouse', 'associated polymorphism', 'cattle jersey explore', 'chicken technique', 'designed investigate effect', 'underlie reproductive efficiency', 'q16 using', 'gene presented', 'environment increase embryonic', 'particularly incidence', 'estimated subcutaneous', 'klh measured', 'number potential association', 'trait concentration', 'genotyping transcriptome', 'report showing', 'ebv 177', 'aimed ass pleiotropic', '20 novel promising', 'largest associated', '02 higher', 'improvement fe', 'cattle screened', 'nimblegen sequencing technology', 'exon 13', 'different sheep', 'map main epistatic', 'state homozygous fecx', 'mb position 131', 'number fat cell', 'relative extended', 'needed tool', 'associated ap fertility', 'measurement range', 'population explained major', 'oc disturbance process', 'second region identified', 'mitochondrial fusion', 'trait pair', 'nil polymorphic nearly', 'genetic variance female', 'performed gwas meta', '27 trait genome', 'gene detected qtl', 'suggests difference ability', '171 kb', 'bovine bmp7 gene', 'test effect', 'process result', 'snp snp chip', 'relative wild', 'search demonstrates', 'fabp3 fo', 'higher adg bft', 'family qtls', 'steer breed', 'releasing hormone receptor', 'trait ii conduct', 'trait behave', 'total 1213 ewe', 'detected mapped chromosome', '05 lr non', 'exon 8398g', 'phenotype proposed list', 'conserved region', 'gwa analysis oar3', 'higher case', 'sample 152', 'sc hmga1', 'uac showed', 'fat weight significantly', 'resistance enable effective', 'flanking region ass', 'gene sheep possible', 'nucleotide bw bone', 'fat weight measured', 'indigenous village chicken', 'ensure level exposure', 'qtls detected sla', 'genetic biological mechanism', 'help elucidate', 'fertile expect', 'burden form', 'trait locus reproductive', 'receptor located', 'significant association pax3', 'urea nitrogen', 'associate density contour', '306c located position', 'detected associated f4ab', 'dumi significant qtl', 'fat tissue result', 'type pai', 'objective explorative study', 'kept 58', 'important trait dairy', 'rich qtl', 'function chicken fat', 'potential causal factor', 'adipoq promoter showed', 'bmd used', '368 selected bull', 'qtl c18 detected', 'male analyzed', 'trait biological', 'lead complex', 'disease md represents', 'gene mbl1', 'finding identified', 'milk kg milk', 'daughter pregnancy rate', 'requires characterization', 'seven time', 'quality detected quantitative', 'imprinted gnas cluster', 'gga autosome chromosome', 'salmonella infection eggshell', 'component analysis carried', 'chip analysis', 'emmax method relationship', 'revealed fasn', 'high lactose', 'inheritance different allele', 'chip haplotype qtl', 'control digestive', 'dam age significant', 'korean holstein data', 'mac warner bratzler', 'kosambi cm', 'window significant snp', 'identified grivette olkuska', 'modern day cattle', '27 polymorphic snp', 'reducing economic', '14 16', 'trait including plasma', 'minolta ph 45', 'animal generation f3', 'lei0071 lei0101 254', 'qtl chromosome 14', 'qtl question depend', 'cholesterol value animal', 'lesion gm', 'responsible development', 'resulting d7g change', 'excluded analysis', 'mir206 level', '31 mb', 'located outside', 'composition fatty acid', 'overcome employing gene', '1000 bp', 'selected chicken', 'underlying ibh', 'fat level', 'gm equus', 'identified suggestive qtl', 'fec serum', '46547859c decrease', 'product primary source', 'association study backfat', 'statistical effect', '000 non', 'pathway significant 05', 'information exploited', 'panel chinese', 'component trait genomic', 'including 115 marker', 'marker individual', 'polymorphism previously identified', 'simultaneously powerful', 'floppy ear', 'egg ewfe 0389', 'late life', 'yield loin primal', '80 case', 'regulatory region isolated', 'feed intake trait', 'hd imputed', '12 18 24', 'fetal viability fv', 'region epistatic pair', 'effect chromosomal region', 'condition infection south', 'cause diabetes', 'ga gg', 'new finding gene', 'bull semen production', '22 c14 significant', 'cd dd', 'hip width body', 'use breeding', 'actual region markedly', 'extension putative', 'snp28 snp31 linkage', 'affymetrix probe', 'pig breed duroc', 'localisation substantially narrowed', 'single locus critical', 'included corresponding', 'proposed procedure prioritizing', 'sample applied map', 'bull fv', 'association moderate', 'gwa result showed', 'lastly evaluated', 'meta analysis multi', 'previously correlated fatness', 'trait regression', 'directly affecting fatty', 'production decreasing feed', 'qtl influencing different', 'rfi 175', 'complete coding exon', '600 chicken', 'nba 370 number', 'level analysis', 'longissimus dorsi area', 'marker analysis snp', 'showed association cause', 'low qtl variance', 'qtls small moderate', 'subcutaneous fat significantly', 'total 360', 'clustering european', 'generation hybrid chinese', 'coming backcross', 'related association region', 'diego ca single', 'level suggestive', 'mitf gene clearly', 'muscle adrb3 expression', 'ab ac', 'region bta18', 'polymorphism sscp', 'analysis identified region', 'pig selection', 'plasma antibody', 'including chemical', 'study biological mechanism', 'region overlapped qtl', 'snp allelic', 'explaining large', 'corresponding bacterial', 'investigated recessively', 'sample bacteriological', 'gblup approach', 'chromosome porcine resource', 'indicated allele', 'explained region small', 'landrace half sib', 'surrounding significant', 'polymorphism nucleotide snp', 'non carrier male', 'tested 16', 'bco gga11 addition', 'study gave evidence', 'hematological parameter located', 'mapping initiated using', 'objective milk production', 'ripk2 influence', 'erhualian intercross performed', 'disorder 31 mb', 'progressive degenerative alteration', 'creb atf areb6', 'wide analysis performed', 'moisture content total', 'snp06 significantly associated', 'polymorphic sire evidence', 'uncoupling protein', 'gene milk chl', 'identified putative snp', 'polymorphism 1111g', 'founder white', 'qtl located non', 'involved desaturation stearic', 'experimental line examined', 'chromosome aim identifying', 'indigenous breed 5678784a', 'fkbp5 gene involved', 'separately specie', 'trait population duroc', 'encodes nuclear', 'behavior bird', 'metabolic disease high', 'afe egg production', 'difference uterine expression', '056 003', 'head furnishing trait', '20 cm experiment', 'program applied', 'round despite', 'predictive model', 'suggest moderate', 'investigate additional genomic', 'snp vwf snp', 'candidate study increase', 'subsequently investigate positional', 'genotype mutation akt3', 'rate result identified', 'pelvic width', 'snp regulatory region', 'ovine 50 snp', 'paratuberculosis holstein cow', 'multiple strategy', 'prior selection', '165 chicken', 'twice daily', 'italy pool comprised', 'autosomal linkage', 'plasma membrane', 'bp downstream flanking', 'linkage warrant', 'scanning followed', 'trait region contained', 'control 18 436', 'background harness racing', 'sequencing approach', 'bayesian estimation', 'bta21 14 15', 'cdna library', 'mutation functional', 'associated allele', 'value region', 'cm middle bovine', 'male longer', 'gene associated muscle', 'sensitive sampling method', 'nutrition dairy product', 'selection antagonistic', 'subsequently supplementary', 'marker bulge20 bm81124', 'qtls chromosome possibly', 'bta affecting', 'landrace f2', 'contributes physiological', 'showed maternal', 'demonstrate multi', 'chip order run', 'relevant body measurement', 'level identified 27', 'influence quantitative', 'associated adiposity growing', 'senepol cattle', 'inflammation previous', 'analysis identified putative', 'orthopaedic disease', 'allele frequency 98535683a', 'demonstrated fmo3 fmo1', 'conservative region', 'consisted single pedigree', 'myo19 cpt1b acsl1', 'tenderness long chain', 'chromosome eca2', 'regression considering', 'reproduction research', 'collected worm', 'dxa peripheral', 'experimental knp landrace', 'age microsatellite', 'annotation support txnrd3', 'important source nutrient', 'vaccination 14 16', 'total 37', 'chromosome cattle identified', 'whey protein', 'grandparental animal', 'eimeria maximum single', 'associated c14', '00 51', 'associated mo vol', 'used comparison finding', 'analyzed polymorphism previously', 'fi2 respectively', 'family 900', 'conclusion gwas', 'gene subfamily hydroxysteroid', 'texel sheep crossbred', 'kg negative', 'family genotyped 18', 'sire derived northeast', 'indicate ncapg', 'marker chromosome located', 'present study atp5b', 'snp analyzed 370', 'imf respectively', 'vestigial deformed horn', 'anai4 value', 'gene involved wound', 'trait basis', 'chromosome eth10', 'descent approach high', 'cholera pm resistance', 'collected 599', 'associated ocd fetlock', 'increased sc', 'intron liver fatty', 'marker seven', 'gene underling', 'underlie fat metabolism', 'family japanese black', 'genomic background', 'based cheese ability', 'obtained crossing affected', 'backfat qtl qtl', 'line daughter differed', 'age similarly detected', 'hypothesis parasite', 'enhanced selective', 'morphology genotype', 'level 04 02', 'qtl py', 'search genomic', 'prenatal survival study', 'result gwas selection', 'low birth weight', 'milk casein cn', 'lifetime average service', 'bos taurus bta', 'animal protein percentage', 'position result study', 'block snp region', 'share qtl', 'phenotype association analysis', 'placental function genomic', 'contained fkbp5', 'founder hen phenotyped', 'hnrnpd ahr placental', 'carcass trait nuclear', 'variance canonical trait', 'davisdale line', 'siva1 respectively identified', 'negative effect', 'identified present', 'gene ifn gamma', 'gene akr1cl2', 'compared previous experiment', 'causative gene region', 'genetic network result', 'live classical swine', 'located 50 43', 'evaluated potential', 'dna marker complex', 'pig chromosome detected', 'snp identified used', 'trout unselected', 'significantly higher marbling', 'heat intensity', 'near csrm60', 'help detect', 'progeny novel approach', 'biology fat', 'useful guidance', 'chromosome qtl significant', 'trait identified beef', 'bta5 identified', 'duroc allele generally', '11 single nucleotide', '1557t 1948g snp', 'number known unknown', 'segregating oar3 chromosome', 'infection resource', 'applied infectious disease', 'adipose tissue accumulation', 'limk2 etv5', 'chromosome 14 25', 'desirable undesirable', 'aspect cow milk', 'addition 36 snp', 'sow number properly', 'qtl data analysed', 'growth examine', 'adl0201 mcw0241', 'xinghua chicken', 'investment second identify', 'kif16b ptpn3', 'occurrence eyelid malformation', 'farmer government worldwide', '61 snp', 'mb ssc13', 'model fitted asreml', 'signal significant', 'related muscle deposition', 'largest effect number', 'trait combination observed', 'finding consistent', 'bta associated', 'variation phenotype explained', 'odds lod 47', 'vetsci usyd edu', 'pou domain class', 'method total', 'application marker marker', 'polymorphism snp snp', 'bta12 cbfa2t2', 'significant snp significant', 'line susceptible', 'feed intake predicted', 'functional category pathway', 'included diallelic dgat1', 'genetic susceptibility', 'population 123', 'analyzed different', 'encompassing callipyge locus', 'based multipoint', 'family 36 member', 'approach new', 'fat colour', 'dik1054 dik082', 'tentative evidence', 'resistance developmental', 'time igg1 igg2', 'expression level backfat', 'analysis sequence', 'additive allelic', 'obstruction rao', 'variant control feed', 'mb line single', 'related glycolysis', 'need studied', 'region progeny', 'proposed improve characterization', 'chick line', 'muc13 gene encodes', 'snp intron gene', 'omy17 omy9 window', 'qtl lm', 'identified intron porcine', 'tert locus', 'contained detectable qtls', 'number swine minor', 'cost minimized genotyping', 'methane emission rfi', 'performed corrected', 'maximize genetic variation', 'weight gain phenotype', 'identify ketone', 'level allele', 'significant percent', 'length gl', 'resulting joint analysis', 'sheep growth meat', 'subset inra', '878 calpain', 'locus number qtl', 'regulation growth chicken', 'fatness saturated', 'key enzyme lipid', 'left fore', 'mood disorder animal', 'effect small preventing', 'pad covariate qtl', 'rs15675065 ghrl significantly', 'angus hereford', 'family initially panel', 'trait genetic correlation', 'colostrum method', '73 qtl identified', 'study provides', 'health genetic', 'genotype related', 'level triglyceride tgs', 'lipid aim', 'nematode main', 'pregnancy qtl', 'shortage hco', '35 new marker', '22 mb androstenone', '606 006 marker', 'chromosome result study', 'cow 442', 'mutation underlies', 'acid histidine respectively', 'cb qtl result', '110 kg', 'functional expression', 'background avian coccidiosis', '32 uoi', 'paternal broiler line', 'role defense', 'percentage fp lactose', 'measured parasite load', 'qtl identified examined', 'random effect result', 'extracted genotyping total', 'aimed confirm', 'egwas performed muscle', 'horse classified', 'afe phenotypic correlation', 'maml3 microsatellite genotype', 'senepol romosinuano carora', 'loin region moment', 'alpha 144 kg', 'various meat', 'significance threshold following', 'linked sensory meat', 'varied 29 119', 'chip best', 'hook hmga2', 'menorca purebred horse', 'exploiting selective', 'population study phenotypic', 'correlated influenced average', 'level production decreasing', 'expression tnp1 bull', 'mapped f2 cross', 'possible ibh', 'marker assisted genomic', 'quickly efficiently production', 'ranged 56', 'tested snp genomic', 'performance genome wise', 'alpha ppargc1a', 'locus missing homozygous', 'family transforming', 'increased im lavc', 'qpcr gene expression', 'secondary phenotype genetically', 'trait locus prior', 'collected japan result', '128 genetic', 'loin muscle area', 'meat arises trait', 'yw smaller', 'factor influencing complex', '55e 08 homozygous', 'located associated', 'morphology health', 'acvr2a associated female', 'breed snp potentially', 'pig ear trait', 'beadchip array', 'analysis indicated polymorphism', 'position widely', 'qtl coincident', 'receptor d3 drd3', '14a exon', 'day 180', 'peptide identified', 'skeletal muscle contraction', 'cn 77', 'bovine follicle', 'identify useful snp', 'population derived fast', 'obtained genomic', 'productivity feed requirement', 'tg chol', '214 highly polymorphic', 'leucocyte number vitro', 'behavioral response social', 'cryptic relationship qtls', 'qtl fertility important', 'like ap', 'region considered individual', 'mhc chromosome', 'presented mosaic', 'beneficial detect', 'pi bvd pi', 'powerful method promote', 'beta carotene subsequently', 'regulated paper sox', 'sided displaced', '05 animal inheriting', 's0073 s0214 affect', 'tg backfat', '01 expression', 'detected bta6 bta7', 'consequence genomic selection', '10 mum 10', 'study aim characterize', 'function ovary', 'egypt correlate', 'considered positional functional', 'standard deviation locus', 'wise 05 detected', 'heritability lung', 'holstein population combined', 'qtl large', 'important regulator cell', 'csn1s1 main casein', 'significant effect c16', 'examined 729', 'dissipation bird', 'bioinformatic predictive study', 'rs29018921 chromosome close', 'ssc4 confirmed', 'trait conclusion gwas', 'substitution effect decreasing', 'trait question', 'effect c14', 'anatomical location', 'included multivariate', 'detailed milk', '203 microsatellite', 'af536174 321c microsatellite', 'basal inducible', 'generation meishan large', 'lr h2 27', 'growth factor igf2', '024 976', 'model confirmed', 'total tick', 'sp scan', 'breed result showed', 'spanning bms690', 'wfe cumulatively accounted', 'genotype influence lipid', 'steer trait', 'carcass weight car', 'pig performance trait', 'highest fst snp', 'ibk score showed', 'genotyped putative', '1b pde1b bovine', 'wide gene expression', 'concentration animal set', 'position indicating segregation', 'season identification', 'fatness simultaneously change', 'body length 24', 'snp sire heterozygous', '2552 animal elucidate', '18 fertility', 'head suggestive', 'salmonella poultry stock', 'allelic peeling algorithm', 'gene bac', '511 significant', '1574a marker associated', 'used adjust', 'weight tew', 'association expedited emmax', 'confirm qtl ssc4', 'understanding genetics host', '239 001 pvuii', 'inra jxau', 'dressing percent ssc7', 'allele segregating unequal', 'piglet using', 'associated gl', 'content previous study', 'differential thermoregulation different', 'decline pcv', 'allele ph24h', 'panel 30k', 'measurement given', 'showed highest milk', 'organization mapped ssc6q12', 'sequenced 439 porcine', 'molecular determinant', 'artificial selection imposed', 'il 12 study', 'score marb respectively', 'indicated heritabilities se', 'fold luciferase', 'phenotyped bw21', 'selective gene', 'threshold suffolk texel', 'threshold 1e 05', 'conclusion based pietrain', 'coat colour', 'reported strong association', 'colour redness', 'zinc finger gene', 'development finding provide', 'gene proposed explain', 'gain weaning yearling', 'mapping red colouration', 'program selecting healthier', 'eimeria tenella', 'fn424076 96c', 'snp considered rsnps', 'genetic basis fatty', 'asp298asn limited', 'affecting raw', 'genetic heterogeneity', 'merit beef', 'steer born', 'site provided candidate', 'respiratory disease emmax', 'alteration cattle', 'acid gene rxrb', 'aries region', 'associated t3 snp', 'snp 1751a asp582gly', 'calving trait linked', '05 seven ultrasound', '65 marker', 'intercross explore possibility', 'thirteen qtl', 'tef1 variant highly', 'breast percentage', 'associated higher eating', 'pig carcass trait', 'population fatty', 'interaction analysis indicated', 'frequency infanticidal sow', 'stress complex', 'dwarf dam', 'intracerebroventricular injection nesfatin', 'equivalent phenotypic', 'factor insulin', 'bind streptococcus trigger', 'snp genotype', 'gizzard weight r2', 'response infection regarding', 'trait french beef', 'presenting bilateral symmetry', 'sample used genetic', '292 son', 'map locus explaining', 'weight 41', 'designed reduce', 'na bind', 'qtls identified oc', 'snp false discovery', 'tb time', 'weight 10', 'autophagy soga1 spondin', 'resistant control', 'statistical result', 'including ocrl', 'data single qtl', 'lm area ph', 'concentration phenotype analytic', 'evaluation model improve', 'hgb mean corpuscular', 'cross model 12', 'increase number favorable', 'primary porcine', 'fracture risk', 'conclusion qtl', 'cg result', 'gene fld', 'ssc9 near previously', 'blot analysis', 'cattle single nucleotide', 'trait represent overall', 'dairy population result', 'gene discovery carried', 'fertility carcass meat', 'qtl channel catfish', 'chromosome bta4', 'included bovine interleukin', 'producer vary sow', 'score sc', 'region identified ssc4', 'value 2x10', 'composition selective', 'ac regulatory region', 'determined peipho', 'chromosomal region different', 'ebv hap21', 'marker ear', 'mass candling', 'inherited eye', 'mutation litter', 'suggestive identified', 'bovine autosome analyzed', 'polymorphism underlying qtl', 'test followed', '284 750 250', 'asian breed', 'cut total carcass', 'previous model', '46 70 mb', 'content 05 e3', 'hanoverian dutch warmblood', 'higher reproduction performance', 'significant qtl determining', 'study improve', '18 growth trait', 'odds lod', 'luxi nanyang', 'chest circumference', 'week nominally', '05 associated body', 'potentially affecting subclinical', 'harbored qtl', 'production 36', 'polymorphism identified 12', 'fifth chicken', 'status significant', 'mle freely', 'synonymous mutation exon', 'significant snp novel', '38 attributed', 'autosome pig', 'corrected genoprob', 'italy austria jointly', 'oar3 analysis', 'qtl affecting number', 'finished feedlot', 'italy pool', 'chronic pastern dermatitis', 'interaction mir 224', 'region subset 161', 'variant improve meat', 'analysis 14', 'bta2 bta3', 'speed msp', 'defined consistent behavioral', 'horse investigate contribution', 'characterized progressive', 'tissue piglet', 'trait moderate heritability', 'different bco2', 'improve heat', 'difference strength rump', 'pl polish', 'spotting dairy cattle', 'ovulation rate genotyped', 'addition present new', 'followed antibiotic treatment', 'detected gm', 'survivor control', 'study method genome', 'kiaa0999 fkbp10 muscling', '12 fold', 'bmper inhibitor bone', 'cattle fetal growth', 'value subsequently used', 'including snp', '96 family', 'chromosomal marker', 'option gensel', 'confirmed qtl identified', 'mature body', '39 438 snp', 'recent porcine', 'traitwise error', 'differed markedly', 'consistent study showed', '21 microsatellites bta5', 'association bta14 rs109146371', 'ww 27', 'ab optimal', 'agricultural university resource', '05 lc model', 'qtl false', 'population distinguish pleiotropic', 'resulted smaller', 'analysis epistatic qtl', 'physiology result single', '40 100 500', 'participate gonadotropin', 'qualification qtl', 'frame shape segment', 'performed bta26 using', 'affecting egg trait', 'qtl carcass chemical', 'conducted 912 bird', 'variance proportion', 'population produced crossing', 'resolution 10', '590 holstein', 'gene ssc15', 'snp3 completely linked', 'data resource population', 'age puberty predictive', 'superiority relative advantage', 'select new breeding', 'content located proximal', 'yds detected', 'yorkshire pig selected', 'influencing resistance', 'pinpointing novel', 'region identified bta', 'salivary gland extract', 'result previous report', 'domain containing 26', 'time higher compare', 'lactoglobulin cow aa', 'fat1 qtl region', 'remaining 79 deletion', 'protein product', '39 haplotype substitution', '195 f2', 'relatedness thirty snp', 'model decompose', 'homozygote affecting fat', 'suggest scd', 'total 94', 'human animal variation', 'association ghrl ghsr', 'tmem18 skeletal', 'bayes method', 'bone physiology bone', 'gga4 gga5', 'holstein population quantitative', 'population respiratory disease', 'useful reference', 'implementation polymorphism marker', 'wssgblup used perform', 'content addition', 'gys1 marker interval', 'infection including', 'avlwt result', 'conclusion combining meishan', 'basis sheep unknown', 'expression mtpap', 'brown layer', 'defined female', 'region chromosome association', 'health synthesis tt', 'position putative', 'significant associated region', 'differentiated snp', 'phlpp1 highlighted functionally', 'study constitutes', 'qtl interaction word', 'gpt nt5c2', 'effect dominance deviation', 'weight ssc18', 'micrornas mirnas influence', 'number piglet', 'individual 44', 'short term submaintenance', 'group eggshell', 'tenderness longissimus', 'additional roan allele', 'domain prl gene', 'cornea perforation cornea', '37 bf', 'ccp procedure', 'size trait assessed', 'qtl chromosome 16', 'underlying pig', 'seven significant', 'mapped region multipoint', '17 21', 'folding extent facial', 'putative qtl selected', 'broiler trait determined', 'developed linkage analysis', 'population spanish', 'genetic marker rear', 'score sc performed', 'in3 g3072a causative', 'constraining weighting', 'beadchip evaluated', 'e47 broiler', 'oar3 largest', 'trait domestic', 'genome snp data', 'shell weight', 'fatness trait chinese', 'region analysis breed', 'variability mitf', 'valuable prior information', 'prioritize selected', 'oppositely correlated trait', 'significant growth', 'difference prkag2 transcript', 'identified 19', 'member hydrolase family', 'particularly long', '11 fold 95', 'analysis provides substantial', 'left significant snp', 'property haplotype deletion', 'trait pig laid', 'highlighted candidate gene', 'consistent report parasite', 'lameness global', 'regarded pivotal candidate', 'individual half', 'qtl analysis qtls', 'qtl surrounding encompassing', '04 protein content', 'galnt13 xin', 'highest ttn', 'likely play', 'analysis previously detected', 'wise level', 'sample 35', 'covariate level genome', '05 qtl analysis', 'detected feed', 'jinhua suggested meat', 'gip hoxb3 associated', 'growth affected component', 'linkage analysis assigned', 'breeding value derived', 'result important', 'significance qtl effect', 'systematic view', 'mu musculus', 'white duroc chinese', 'validated fine', 'male similar conclusion', 'cheese region mediterranean', 'reduction 90 confidence', 'scan fertility', 'family clustered', 'fine mapped calpastatin', 'concern hepatic transcriptome', 'architecture lowly heritable', 'chi square analysis', 'negative parity trait', 'qtl 57 snp', 'number tfn qtl', 'process resulted little', 'showing beneficial effect', 'sorf2 bait', 'arginine glutamine amino', 'bco2 genotype', 'statistical interaction pair', 'lta located gga5', 'artificial insemination caused', 'marker 300 kb', 'studied resource population', 'scale mapping animal', 'group majority multivariate', 'qinchuan cattle aged', 'support idea', 'bearing libechov', 'exon snp27 snp28', 'extended pedigree detected', 'constructed 50', 'composed qtls', 'conducted eqtl analysis', 'ancestor modern pig', 'present study carry', 'omy325uog significantly associated', 'variant study used', 'cxcr2 gin', 'shortens autumn changing', 'snp database huge', 'gwas demonstrate', 'variation skatole level', 'juvenile salmonid fish', 'ankyrin ank1', 'proportion bone carcass', 'echs1 stat1', 'marker included gwa', 'variant btas 14', 'allele increased fat', 'control abdominal fat', 'result elovl6', 'yorkshire f2 population', 'chicken northeast', 'sample obtained', 'world wide', 'distance locus shorter', 'promoter non coding', 'specificity staph', 'breed origin trait', '119 marker', 'gene result increase', 'global picture', 'difference activity enzyme', 'association respiratory', 'hsp90aa1 positional functional', 'protection sheep', 'bb ac', 'origin identified qtl', 'analysis conducted line', 'chromosome 23 genome', 'period age', 'f1 bull', 'trait parity different', 'calpain regulatory', 'identified strongly', 'specie goal', 'hmga2 snp jf748727', 'trait conclusion identified', 'validation independent sample', 'rs134702839 rs109551605', 'gastrointestinal nematode favouring', 'circadian clock', 'pcr study exhibited', 'single canonical trait', 'composition significant', 'tg cast', 'test mendelian', 'biological mechanism', 'weight 003', 'associated relative', 'decreased 0001 ltnp', 'gain fertility possible', 'exhibit complex genetic', 'lamb detailed', 'cfd difference', 'interval cm', 'meat ph', 'reliable marker pig', 'analyzed using mixed', 'homozygous genotype potentially', 'red colouration quantitative', 'model applied classify', 'kinase erbb2', 'qtl disease', 'known variant showed', 'equine recurrent laryngeal', 'trait associated meat', 'ct tg low', 'analysis 27', 'implemented latest', 'trait affect', 'aj885515 445t xirp2', 'main cattle', 'caspase inhibitor apoptosis', 'architecture broiler', 'mapped region examined', 'improvement programme aiming', 'result main', 'grammar gc approach', 'branched chain', 'region growth carcass', 'yield association protein', 'imprinting closely', 'alpha vitamin receptor', 'calving performance affected', '12 snp highest', 'ft located 68', 'characterized objective', '05 estimated breeding', '5025 5019', 'maternal infanticide result', 'log mps', 'growth factor ii', 'assisted selection backfat', 'podotrochlosis main cause', 'study phenotypic', 'variant discordant', 'prrsv specific antibody', 'microsatellite marker scd', 'health region', 'shock transcription', 'significant association ltn', 'imf quantitative trait', '26 result', 'assist identification candidate', 'cloned porcine tea', 'analysis experimental verification', 'locus applied', 'allele chromosome respectively', 'cla heritable', 'pig animal', 'statistical model total', 'study population', 'stress chicken candidate', 'imi integrated imi', 'bayes credibility interval', 'production trait region', 'cow validated', 'shank gga3', 'clinical footrot', 'developed approach', 'project development', 'parameter identified contrast', 'qtl qtl effect', 'significant 001', 'slanting length week', 'taurus genome present', 'dgat1 dozen gene', 'statistical evidence link', 'designed polymorphism', 'australia temperament', 'improvement livestock population', 'morphological feature', 'cattle increased sharing', '05 adjusted', 'coefficient feed intake', 'different algorithm help', 'mdv mapped', 'strength analysing f2', 'qtl test', 'gwas cattle depend', 'data detected according', 'eqtl search', 'substitution position 134', 'synonymous snp nucleotide', '17 jointly explained', '31 dairy trait', '17 175', 'gene meat trait', 'index danish', 'interestingly hmga2', 'polymorphic genotype', 'qingyu pig 30', 'intake qtl result', 'design total 105', 'teat defect porcine', 'genotyped seven variant', 'calculated allelic genotypic', 'production related disease', 'signal bta 11', '18 month 05', 'role value assessment', 'different impact', '928g polymorphism occurs', 'leghorn apovldl ii', 'lm quantitative trait', 'porcine ctsk', 'analysis mirna', 'ayrshire ai', 'bull sire', 'reported strong', 'basis combined sire', 'carcass weight individual', 'metabolism immune', 'block spp1c', 'productive day', 'variance group', 'insight genetic base', 'mscc 15 py', '12th 15th generation', 'total 765', 'dopamine receptor d3', '10 associated tew', 'component trait tested', 'c231t c896t influenced', 'predictor footrot resistance', 'autosome search', 'determine extent r2', 'remained analytical model', 'abundance scd', 'bta phenotype', 'associated various emotional', 'sta milk somatic', 'backfat majority', 'confirmed linear', 'frequency economically favorable', 'fitm2 linked', 'female result', '401 locus respectively', 'cattle deviant haplotype', 'sox5 pthlh', 'confirm qtl', 'backfat 21', 'segregating f41', 'bovine phenotype', 'population analysed estimated', 'phenotypic value', 'merit investigation', '001 different', 'daily gain loin', 'trait variant', 'mutation rate', 'duroc erhualian constructed', 'crossed population involving', 'seven promising', 'vtn ssc12', 'gene responsible oc', 'result host', 'locus associated cortisol', 'polymorphic locus potential', 'matn1 cpvl hyal1', 'heifer open following', 'polygenic effect fixed', 'welfare trait help', 'sufficiently large', 'qtl analysis pig', 'affecting total family', 'effecting gene contained', 'nc_006091 1773t located', 'association analysis powerful', 'generally resilient disease', 'line chicken', 'mutation arg682his kit', 'line report identification', 'difference roh', 'sp9 wdr92 prokr1', 'assisted selection scheme', '104 pig', 'confirmed application modified', 'human puerperal psychosis', 'semen ph', 'particular fatty acid', 'later replicated fine', 'emmax linear', 'short tandem', 'different plumage', 'verify consistency', 'marker population genome', 'arl4a snp10 xr_027435', 'proposed mathematical', '660k snp data', 'site real', 'genotype bb', 'dairy herd', 'protein ctnnal1 wingless', 'opportunity snp', 'poultry especially', 'qtl rac', 'carcass trait nellore', 'body depth direct', 'exceeded threshold', 'respectively frequency pparγ', 'tbg qtl', 'cm assumed', 'stature sta', 'hypertrophy accumulation fluid', 'using ggp', 'milk yield proportion', 'basis fourteen', 'taint strong perspiration', 'ndei polymerase chain', 'associated trait seven', 'gelbvieh beef', 'untranslated region ptpn11', 'correction multiple testing', 'area rfa semispinalis', 'end lcorl', 'genabel using', 'previously refined linkage', 'selection strategy improve', 'location total 131', 'score sc exhibit', '280 susceptible using', 'cla snp', 'maximum ratio value', 'highly selected', 'used obtain comprehensive', 'canchim zebu dam', 'f2 female genome', 'data beef cattle', 'locus porcine muscle', 'mcp criticized new', 'date identify specific', 'mechanism affecting behaviour', 'based snp effect', 'significant snp 314', 'analyzing milk component', 'length width area', 'milk measured opn', 'snp marker bta14', 'allowed identifying qtl', 'transformed serum', 'identification validation', 'mammal strict control', 'phenotyped texel sheep', 'phenotyped intramuscular fat', 'abdominal fat correspond', 'effect mutated', 'genotyping 80', 's26449 closest', 'region sh3rf1 herc2', 'constituted 62 vrq', 'polypeptide vip', 'chick higher', 'sequencing used genotyping', 'using pre selected', 'possibly using', 'analysis genotype', 'previously related', 'binary case', 'cross total 698', 'known gene seven', 'proposed model achieved', 'higher residue', '89 mb bovine', 'h7h7 smallest', 'breeder farmer', 'percentage milk', 'plasma cortisol concentration', 'interval analysis performed', 'role specific stage', 'autosome bta significant', 'located chromosome oar3', 'marbling bta4', 'autosomal linkage group', 'holstein jersey respectively', 'dairy cattle population', 'snp expression mature', 'family 14', 'method genotype determined', '185 493 bp', 'involvement gene molecular', 'production trait line', 'isomerase like ppil4', 'developmental programme', 'resulting aspartic', '36 week 37', 'moderately heritable', 'produced mating', 'length limb bone', 'literature revealed potential', '27 reported previous', 'associated cattle breed', 'regulator gene ppara', 'gene network gene', 'axis multiple', 'low ldl', 'population identified additional', 'tenderness texture', 'time dq affected', 'interval test', 'milk jersey', 'allele body weight', 'significance contrast effect', 'bovine tlr2 card15', 'stress conclusion', 'model allowed detection', 'posterior distribution', 'disequilibrium ld estimated', 'frequently reported trait', 'polymorphism snp spanning', 'palmitoleic monounsaturated', 'usda animal improvement', 'sscx achieved 01', 'oar 22 significant', 'infection causative', 'genabel package high', 'taint component snp', 'haflinger shetland pony', 'spacing approximately 16', '24 compared', 'simple trait qtl', 'validated crossbred population', 'caused moraxellabovis ibk', 'fmo5 map', 'explore role footrot', 'bm subcutaneous fat', 'population young sheep', 'assumption trait', 'candidate gene selective', 'dorset selected', 'polymorphism snp biomarkers', 'seq snp', 'station total 598', 'threshold consumer', '24 respectively', 'insemination linkage', 'simultaneously using 2900', 'panel assessed trait', 'genomic variant regulating', 'resistant fayoumi', 'significantly influenced disease', 'type ft chinese', 'bovinehd beadchip 770', 'sire marbling haplotype', '97 additive dominance', 'investigation genetics', 'poorly informative italian', 'node signaling', 'performance identified', 'tissue rna seq', 'osteoclast differentiation pathway', 'muscle contraction furthermore', 'including cell', 'causal mutation defect', 'occurring 000', 'highly valuable qtl', 'statistical power high', 'beef cattle seven', 'polymorphism decr1 cbfa2t1', 'significance threshold set', 'promising haplotype identified', 'comparison epistasis suggesting', 'conclusion genetic parameter', 'polymorphism associated following', 'residual variance model', 'collected using', 'individual including bw', 'ranging 27', 'control including enhanced', 'testing performed 49', 'qtn genetic effect', 'enabling manipulation', '43 qtl', 'detection qtl fixed', 'based illumina bovinesnp50', 'architecture italian heavy', 'later tissue remodeling', 'target fsh receptor', 'serpina6 suggests expression', 'animal 47 mb', 'simple model general', '1194 human mouse', 'gene combined genotype', 'marker sf3b1', 'current study body', '1001t polymorphism promoter', 'determines trophy', 'significant ph', 'genetic polymorphism level', 'measure dry matter', 'genome present study', 'gene like', 'study genotype mstn', 'quantile plot', '45 lipid related', '01 positive effect', 'markers birds genome', 'subsequent generation', 'matter yield high', 'breeding mainly increased', 'associated increased circumcincta', 'alternative classical pathway', 'sow selection', 'recommended use united', 'acop cattle', 'chromosome bm6425', 'genomic data genome', 'elucidated performed', 'cc ct genotype', 'trait 54k snp', 'behavioral trait controlled', 'polygene based', '01 snp', 'applied using', 'bhb concentration', 'associated trait related', 'bull time', 'estimation genetic effect', 'resistance qtl dependent', 'beef industry tenderness', 'conformation polymorphism dna', 'present genome', 'validate effect candidate', 'sheep genotyped', 'line differential susceptibility', 'performing genome scan', 'pigment eumelanin', 'tentatively identified', 'illumina beadchip', 'identified seven qtl', 'qtl variance female', '15118951g significant difference', 'ng applying', 'control quantitative', 'position 1740 fabp', 'locus qtl region', 'ssc3 01', 'mendel law trait', 'mapping study identification', 'marker lower', 'gene developed', 'arrest g0', 'generation sequence data', 'allele frequency gene', 'luciferase gene', 'ndv response trait', '14 tissue tested', 'score analysis', 'asian miniature pig', 'proportionate dwarfism fleckvieh', 'investigation needed evaluate', 'qtl confidence interval', 'keto reductase', 'associated vl chromosome', 'horn likely', 'fp milk protein', 'population suggesting good', '07 genetic correlation', 'refine localization', 'showing tissue consistent', 'lp defined rate', 'belonging second generation', 'population map quantitative', 'polygenic nature investigated', 'used allocate 122', 'model test', 'physiological difference', 'nte cd dd', 'qtlexpress confirmed', 'considerable variation exists', '38 candidate', 'composition commercial crossbred', 'cbg variant', '54 marker', 'suggestive association body', 'srb qtl udder', 'measurement trait influenced', 'key performance', 'value calculated snp', 'trait qtls harbored', 'initiator element', 'meat quality attribute', 'rfi pig', 'university wisconsin madison', 'allele occurred lowest', 'expression pattern muscle', 'information identify', 'located example', 'muscle area tg_x05380', 'phenotype proposed', 'variation fat content', 'climate change', '83 cm 19', 'lep 1382c', 'muscle color', 'taint offensive urine', 'trait 15', 'level trait range', 'modern population strong', 'indicus cattle tropical', 'intron5 mtpap', 'dominance effect model', 'non conservative', 'polymorphism sample 360', 'weight lwgt end', 'associated growth carcass', 'improve economic', 'analysis bigger sample', 'descendant used', 'landrace fact ewe', 'born 288 recorded', 'association clinical mastitis', 'implemented mainly', 'qtl related genes', 'cattle milk sample', '808543 evaluate', 'early termination', 'genetic variation associated', 'body leg trait', 'genotyped 125', 'lipid transfer', 'cross university', 'pig 326 erhualian', 'great concern pig', 'yield normal phenotype', 'region associated ibk', 'conducted predicted birth', 'chromosome detected using', 'length sparerib weight', 'protective allele originating', 'animal model used', 'complex trait revealed', 'sequence variant identified', 'virus infects chicken', 'compared genotype tt', 'predicted participate', 'effect proportion', 'conducted resource population', 'total variation identified', 'cryptic allele', 'qtl bta', 'indicated low', 'regardless meat', 'transfer protein', 'component genetic parameter', 'leu phe', 'lutea fine', 'cohort selected epidemiological', 'model accounted', 'chromosome activity', 'mn na se', 'posterior mode residual', 'maternal expression drip', 'cmlm perform', 'sheep selected', 'gene biological evidence', 'imputed single nucleotide', 'showing extreme', 'additional genome', 'maternally apparently', 'size genotype', 'infection vaccination viral', 'gene map gene', 'mutation exhibited', 'cow 103 case', 'correlation repeated measurement', 'autosome bta 11', 'data 37 590', 'trait canadian holstein', 'haemoglobin content', 'colour dilution different', 'dq124298 243a dq124298', 'bta26 chromosome qtl', 'autosome chromosome genotyped', 'desaturase d9d', 'fa composition milk', 'current study compare', 'including marker near', 'layer dam local', 'second selected 24', 'handling previously reported', 'iqch candidate', 'trait milk', 'chip data deregressed', 'bta20 respectively', 'plxnd1 dlx3', 'association snp litter', 'bw13 month post', 'qtl region seven', 'delineated 32', 'mechanism underlying trait', 'trait prlr s18n', 'mineralization mineral homeostasis', 'region previously', 'strategy work investigated', 'ac showed higher', '01 allele', 'chicken chromosome', '571 ovulation rate', '10 05', '81 02 79', 'response influence', 'trail pleasure horse', 'bovine bmp7', 'marker beneficial', 'progeny test result', 'proposed genotyped', 'basis resistance susceptibility', 'comprising 166', 'genotyped horse descended', 'daily gain', 'putative qtl proximal', 'structure resource', 'mastitis resistant', 'yield located', '25 96', 'kg day', 'thoroughbred percheron revealed', 'decrease age', 'holstein cow genotype', 'sequencing bacterial', 'wise significance bonferroni', 'cast gene polymorphism', '148 microsatellite marker', 'af 3000 snp', 'analysis using regression', 'qinchuan xianan crossbreed', 'mb qtl', 'mutation perform association', 'ma different', 'specific interaction verified', 'fatness nt fabp6', 'height cannon circumference', 'substrate irs4', 'production tested', 'provide useful model', 'torbiscal entrepelado iberian', 'swedish holstein cattle', 'respectively identified outbreak', 'calculated different criterion', 'cm identified significant', 'production trait australian', 'triglyceride tgs', 'change rfi altering', 'population strong support', 'mapping resolution remains', 'displayed region chromosome', 'ssc8 consistent previous', 'comparison indicated', '56 association mapping', 'pietrain sire breed', 'efficient high resolution', 'pool probability infection', 'based 50 000', 'dopa dopamine', 'content 11 yr', 'genetic locus single', '18 18 consequently', 'test bioinformatic predictive', 'coli respectively', 'sample collected 274', 'hapmap31284 btc', 'contributing variation observed', 'fec 1st', 'host genetics resistance', 'qtl reported polymorphism', 'region bta19 41', 'group desaturation', 'influencing sheep growth', 'evidence overlapping nonoverlapping', 'gga1 candidate', 'ax 185120896 bta', 'pig growth fatness', 'africa indigenous', 'tick borne disease', 'parameter manych', 'aggressiveness disease number', 'edg1 referred 312a', 'variant cd46', 'crh cocaine amphetamine', 'blood biochemical examination', 'average average tolerance', 'qtl search free', 'qtls exceeding', 'pirm syndrome', 'refined interval', 'mb shown', 'bias phylogenetic analysis', 'power gene detection', 'development adult homeostasis', 'population interaction effect', 'pair mbp chromosome', 'conduct single step', 'diversity showed', 'diplotype chicken', 'genetic marker microsatellites', 'affecting resistance parasitic', 'detected ssc8 using', 'shift expression', 'enormous economic loss', 'desire genetic', 'female line', 'nominal detect', 'involved pig', 'meat quality 64', 'length lepr coding', 'cross diallelic', 'slower commercial broiler', 'trait adolescence period', 'trait allow', 'genotype 79', 'known strong candidate', 'supported existence qtl', 'associated physiological', 'various production trait', 'sheep experiment described', '10 site correlation', 'week age 10', '_copb1_90 cm association', 'region genome wide', '26 protein content', 'fat lower muscle', 'age 240', 'association common', 'animal quantitative trait', 'lobe domain containing', 'male advantage fl', 'analysis 1000 conducted', '712 comparison locus', 'link possible causal', 'epididymal weight seminiferous', 'address hypothesis', 'chromosome associated embryonic', 'locus subtly influence', 'measured vivo', 'limited number', 'alongside direct effect', 'month 05', 'replication study', 'parasite muscle', 'analysis using half', 'genotype serum', 'linked lei0101', 'total 724', 'trait teat', 'bp downstream', 'genotype beta', 'qtl region detected', 'synthetic commercial line', 'composition identified', 'hatch obtained', 'usually retain', 'pair genome', 'piglet mummified birth', 'potential cause', 'qtl affecting body', 'abdominal fat female', 'score pleurisy', 'alternative use', '52 la', 'factor ngf nerve', 'porcinesnp60 beadchip quality', 'reproduction trait 924', 'fat yield performed', 'managed indigenous', '26 carried', 'chicken linkage', 'encyclopedia gene', 'occurring seed region', 'genotype data candidate', 'illinois uoi', 'breed egg', 'influence transcription identify', 'substitution pro192leu', 'id gene', 'profile beef affect', 'fatty acid category', 'marker experiment', 'variance observed', 'polymorphism affect', 'scan data', 'conformational pcr sscp', 'result tested robustness', 'average weight average', 'country include', 'disease infectious keratoconjunctivitis', 'identified 74', 'shorter thicker', 'snp phenotypic data', 'point milk', 'mhc gene study', 'benefit existence', '72 zn', 'uac mac', 'chronic obstructive', 'region bayes factor', '285 animal', 'growth mineralization adipose', 'tibia twisting', 'likelihood using correlation', 'close akt1 siva1', 'milk trait result', 'respectively gene common', 'ifl covering ability', 'immune function identified', 'adipocyte differentiation energy', 'nexin plasminogen activator', 'analysis called', 'joint data 26', 'taurine zebu cattle', 'carcass weight 23', 'cause foodborne', 'cock subcutaneous', 'alpha identified potential', 'nearby gene znf608', 'potential deliver solution', 'milk based', 'gene 15', '10 39 accounted', 'study resource', 'hypothalamus gene adrenal', 'xin actin binding', 'performance trait likely', 'semen characteristic morphology', 'proposed genotyped snp', 'fcr number visit', 'identified variant gfra2', 'qtls pig health', 'abundantly expressed', 'mean distance', 'synthetic sino', 'detected 57 cm', 'snp complete linkage', 'statistical model result', '489 cm', 'trait suggested', 'cn αs1', '8398g identified', 'progeny cull', 'simulation experiment', 'genetic mechanism growth', '100 single', 'quantitative trait reported', 'analysis model lald', 'containing 28 480', 'scd ube3c', 'liver adipose tissue', 'selection run', 'genotyped chromosome outbred', 'illinois population conclusion', 'population worldwide survey', 'objective estimate', 'adjusted fat thickness', 'hypothesis association', 'better cope', '22 largest number', 'mashen pig effect', 'snp segregate low', 'loss salting', 'qtl dominant effect', 'afflicted fescue toxicosis', 'rfi trait relaxed', 'bovine chromosome 22', 'role redistributing total', '490c snp associated', '64 15', 'movement meiotic cell', 'property associated', 'conclusion additional marker', 'model isi', 'forward unraveling', 'qtl protein lipid', '10 statistical', 'effect heterozygous qtl', '05 identified combining', 'used italy produce', 'type sry sex', 'commercial breed analyzed', 'compared cc', 'associated endoparasitic', 'knowledge multibreed genome', 'female progeny', 'chromosome bull iii', 'myod family member', 'separately cross step', 'undetected various preventive', 'receptor signaling', 'mapping im linkage', 'exotic inheritance', 'minolta insr observed', 'bta04 annotated snp', 'genotype trial 200', '109 horse using', 'marker chromosome 13', 'resilience needed', 'derived intercross white', '16963 study', 'test days', 'control analyzed using', 'scd fatty', 'trait ranging adjusted', 'method describes', 'second intron', 'rflp commercial pig', 'showed highly significant', 'sox5 interestingly hmga2', 'trait cow estimated', 'holding capacity depends', 'eye depigmentation', 'commercial population different', 'gh genotype fatness', 'growth trait plag1', 'existence haplotype block', 'polymorphism myostatin gene', 'divergent adult line', 'holstein 10', 'majority association observed', 'original line difference', 'family 72', 'behavior indicated', 'consecutive generation', 'finding contribute', 'insertion spef2 gene', 'contributes directly whirling', 'persisted ovary', 'fish ncccwa', 'study used high', 'showed considerable', 'calf genome', 'pa 209 brahman', 'different fat thickness', 'ssc1 10 result', 'locus trait log', 'infected map tolerance', 'region explaining genetic', 'snp jointly', 'context expression', 'nagoya breed', 'data 144', '20 identified', '32 charolais', 'cmya1 gene assigned', 'h3 low h1', 'heat tolerance heat', 'modulation etv5', 'region oar19', 'similarity finding', 'ssc8 ssc14 including', 'trait proximal', 'underlie body', '155 gpr155 fyve', 'characteristic pig breed', 'carotene retinoic', 'encodes catalytic subunit', 'gene polymorphism snp3', 'population established', 'test seven qtl', 'region replicated', '11 temperature humidity', 'decreased mean', 'gene coding protein', 'ai service', 'family phenotypic', 'mid infrared spectrum', 'genotype nearly', 'mutation remaining rs41919999', 'study fisher', 'suggest fmo5 cyp21', 'effect 19 38', 'intercross chicken line', 'dietary need human', 'disequilibrium information proposed', 'ld identified', 'fat deposition shorter', 'female fertility probably', 'nutritional management environmental', 'dam corrected', 'evidenced overlapping region', 'window used compared', 'association test', 'unfamiliar animal', 'fat 88e 05', 'gg genotype significant', 'day ew300', 'investigated 2007', 'pleiotropic role major', 'previously reported harbor', 'simultaneous detection fragment', 'tph1 gene result', 'yorkshire 173 association', 'epistasis shown important', 'reported identified', 'improvement program genetic', 'breed result kit', 'future marker', 'related productive', 'using matrix', 'altering mutation showed', 'snp direction', 'comparison 53', 'function gene lead', 'bta19 23 25', 'mechanism valuing pig', 'conducted pig', '2x10 16', 'effect production level', 'trait valuable improve', 'gene 604 individual', 'measure functional annotation', 'defined rate', 'tested 16 family', 'day 113kg marker', 'seventeen significantly', 'association npc1', 'ghr rs109136815', 'osteochondrosis report step', 'reproductive trait swine', 'estimated parameter', 'evidence support importance', 'reaction pcr transcript', 'understand functional mechanism', 'negative costly', 'frequency marker highly', 'calf ranch bvd', 'qtl position using', 'mirnas target', 'holistic expression', 'using rna', 'total 155 cnvrs', 'detected difference qtl', 'qtls osteochondrosis oc', 'expression data suggests', 'early development', 'respectively reached', 'xxiv alpha', 'position overlapped major', 'fcr feed', 'saharan africa west', 'performed replication', 'mucin enriched distinct', 'new possibility available', 'eu eu eu', 'chest circumference snp', 'disequilibrium true causal', 'genetic variance resistance', 'mapped bovine', 'subgroup fat tailed', 'cow experimental farm', 'trait distinct', 'asia europe', 'correlation repeated', 'pigmentation pattern', 'production efficiency', 'functional trait thousand', 'network significantly greater', 'location horn locus', 'selected analysis related', 'useful ma', 'cie yellowness', 'tt aa', 'interval mapping technique', '73 daughter', 'animal used impute', 'resistance newly', 'sire minor allele', 'synonymous single nucleotide', 'eye area lea', 'used 14 single', 'based selection', '18 candidate', 'meishan sow backfat', 'different situation', 'production important objective', 'related trait study', 'il 12', 'association study carried', 'matrix produced', 'genotype distribution allele', 'increasing backfat thickness', 'characteristic performed genome', 'implemented number country', 'dna 113', '42 cm genotyped', 'method logarithm', 'associated content diverse', 'case control analytical', 'decreased 305 day', 'approach population 12', 'population measured fatty', 'crossbred bull genotyped', 'energy homeostasis chinese', 'gene play minor', 'sheep identify novel', 'genotype cc ct', 'igga level significantly', 'body weight qtl', 'variance estimated gblup', 'platelet implicated', 'low bone', 'significantly associated fads2', 'revealed arginine serine', '1031 chinese', 'conclusion using f2', 'speculate individual carrying', 'cumulative milk', 'identified experimental', 'gene receptor interacting', 'parental line highly', 'specie qtl exhibited', 'negative regulatory', 'holstein cow identified', 'oar 12 13', 'qtl identified ssc', 'polymorphism snp 76', 'day qtl', 'af weight', 'fgf8 snp', 'gene ube3b ube3b', 'male offspring female', 'goal poultry production', 'identification susceptible animal', '100 resistant 150', 'gene dairy', 'validation procedure estimated', '45 marker including', 'seen individually snp', 'using gibbs sampling', 'snp mapping chromosome', 'action obesity', 'polymorphism 0e', 'rt rr', 'cd emerging', 'performed pcr', 'involved cow', 'trout population selectively', 'population result clearly', 'drawn notably german', 'sequencing verified', 'pair analysis', '1216 progeny', 'known paep mfge8', 'intron bmp', 'duroc pietrain f2', 'paper correlation ctsd', '35 ttn', 'theory approach', 'genotype nearly 6200', 'mc bta', 'cost poultry', 'non zero', 'positionally phasing', 'milk identified selection', 'association low somatic', 'göttingen miniature sire', 'mdv remain poorly', 'wg42 viral load', 'polymorphism snp 11', 'permutation performed', 'depth fat', 'overall size 433c', 'previously described snp', 'industry attracted', 'significance week maximum', 'analyzed family qtl', 'specific depends genetic', 'breed polymorphism', 'pig qtls', 'respectively genotype', 'situation swine originates', 'lumbar vertebra', 'peak tolerance pt', 'potential application selective', 'dutch f2 experimental', 'gallus using large', 'network suggests', 'pregnancy change expression', 'nebraska lincoln', 'cut 01 average', 'berkshirexyorkshire population revealed', 'intron used association', 'analysis clinical', 'simulation indicated', 'prrsv free', 'number vertebra half', 'meat quality value', 'grammar genomic', 'testing correction', 'muscle lm association', 'fewer qtl detected', '1387c fully', 'using different', 'measurement polish landrace', '5b stat5b', 'castrated boar compared', 'increasing fat yield', 'f1 male backcrossed', 'allele transmitted dam', 'population crossbred', 'estimation putative', 'snp make candidate', 'acid 0001 0040', 'develops hereditary cutaneous', 'control abdominal', 'production adrenal', 'ability memory important', 'su included', 'identifying causative', '2005 fall 2007', 'detected nearest preceding', 'polymorphism ryr1', 'covering 29', 'prevalence swine respiratory', 'conclusion teat number', 'japanese black japanese', 'analysis including gene', 'bratzler peak', 'lameness dairy', 'age bw42 tibia', 'evidence ahr', 'kgf 40', 'trait locus trait', 'breed 15g snp', 'chemical pathway', 'region characterized based', 'determining fertility animal', 'frequency 03', 'sign separately chromosome', 'sum bone', 'model case control', 'slaughter date age', 'assisted association analysis', 'milk synthesized', 'time rt pcr', 'fecx 55e 08', 'report qtls affecting', 'bird measure', 'chromosome ssc2', 'collected data 211', 'model marker chromosome', 'qtl 05 detected', 'additively evidence', 'regressed estimated', 'open reading', 'significance threshold approximately', 'study pig', 'underlying complex low', 'mbp sequence gene', 'trait time negative', 'improved increasing number', 'incorporation ld using', 'interval 13 mb', 'coopworth sheep', 'line gene slc12a9', 'snp identified 15', 'va previous study', 'birth weight phenotypic', 'ssc14 relative', 'egg production blue', 'distance 50', 'vertebra half body', 'qtl affecting growth', 'individual linkage', 'association behaviour trait', 'recognized genetic disorder', 'age puberty 09', 'follow replication study', 'ovlv infection methodology', '16 locus', 'member akrs tissue', '17 29', 'backfat ebv ranging', 'trait association particularly', 'wfe covariate additional', 'screened icf', 'rs81465339 rs81394585 rs81423166', 'study prompted investigate', 'association diplotype sex', 'ttc29 suppressor', 'locus slc52a3', 'databank brazilian', 'extension genetic analysis', 'level mtnr1a hypothalamus', 'variance canonical', 'exterior appearance', 'female fertility measured', 'protein lactose milk', 'mapped numerous', 'cast c7h19orf60 mrpl48', 'cofi rflp', 'developmental instability', 'model order identify', 'revealed overlapping qtl', 'region qtl snp', 'rabbit bovine rhesus', 'compared traditional univariate', 'association expedited', 'animal used 20', 'multiple strategy evoke', 'state substituted', 'zo coding', 'sphingolipid signaling', 'fras1 reported', 'production adrenal cortex', '72 trait', 'fyve domain containing', 'intermediate non double', 'bootstrapping result showed', 'trait chicken genome', 'family program applied', 'effect fitness', 'refines understanding landscape', 'vicinity significant snp', 'highly polymorphic evenly', 'milk yield postulated', 'lamb carrying', 'earlier identified region', 'perforation cornea occur', 'local linkage disequilibrium', 'involved ca', 'aim identify molecular', '05 body weight', 'aa qul ab', 'variation form', 'gene localized', 'rainbow trout significant', 'revealed region bos', 'separate sire dam', 'meatiness adjusted', 'year old used', 'pressure treated', 'effect study unclear', 'caecal bacterial', 'causal mutation 4581', 'polymorphism affected', 'acid based winter', 'step mixed', 'analysis result suggest', 'low 07 shear', 'interaction jointly', 'leptin gene determine', 'line chromosome', 'play role regulation', 'slc39a7 gene closely', '021 078 sd', 'heterogeneous stock', 'birth using ovinesnp50', 'edu similarly', 'negative selection', 'importantly qtl comb', 'total animal genotyped', 'pneumonia body', 'trait mapping qdg', 'decline 24 sm', 'place second', 'lrt 22 c14', 'min ph', 'qtl region ssc1', 'gene elovl5 essrg', 'region gon4l', 'immediate assessment frequency', 'aquaculture industry catfish', 'appears feasible applying', 'morbidity mortality', 'rs13905622 significant effect', '698 single', 'cv validated', '01 water holding', 'identify causative', 'introduced plant breeding', 'hf cattle occur', 'array study included', 'keds melophagus', 'reactor skin test', 'study gwas cattle', 'gene strategy proposed', 'nutritional cheese making', '42 post infection', 'opportunity genetically altering', 'stillbirth significant', '05 1e 07', 'criterion deal stratification', 'wov total', 'polymorphism affecting susceptibility', 'snp 995a 311a', 'indexing pig line', 'growth process point', 'resistance influenced', '662 significantly associated', 'region meat quality', 'color thawing', 'chinese purebred laiwu', 'snp growth', 'test 01 significant', 'ho approximately cm', 'mineral danish', 'grade qul analyzed', 'snp ghrl', 'swine fever csf', 'differ footrot', '503 bird', 'point 05 intramuscular', 'allele dam based', 'capture temporary increase', '198 day', 'including increase pulmonary', 'smell taste cooked', 'overall milk production', 'weight 11', 'roan allele', 'ssc using pig', 'bm81124 marker encompass', 'powerful imputation based', 'reared outside weaning', 'phenotype segregate', 'breeding strategy', 'heritability trait low', 'dairy beef', 'higher somatic', 'large number genomic', 'affecting fertility milk', 'significantly 05 associated', 'analysed 11 genetic', 'variance epistatic qtl', '2004 pig', 'association improved thermo', 'dq detected', 'narrowed sharply', 'assay result revealed', 'snp based gene', 'act determination', 'univariate outbred f2', 'primitive horse', 'marker showed', 'landrace pif1 german', 'metabolism proteolytic', 'biology gin', 'growth rate parameter', 'obtained disease', 'significant locus associated', 'trait 2004 pig', 'infected status', 'variation causative', 'liver fatty acid', 'report using population', 'evidence association significance', 'region 30 55', 'quality qtl', 'ce muscle', 'factor play numerous', 'backfat identified chromosome', 'experiment study', 'chromosome qtl effect', 'snp potential association', '21 genome wide', 'linolenic acid', 'gdd wide', 'time negative', 'weak steroid hormone', '30 day', 'content oleic', 'diverse pig', 'adipose tissue gga2', 'human fto fat', 'urine milk', 'information locate', 'novelty arena', 'arl4a snp10', 'animal research', 'exon cause substitution', 'intercross wildtype domestic', 'stillbirth stature', 'effect serum', 'cross low', 'analysis incorporated 062', 'trait upper', '826 pig distinct', 'phu polymorphism', 'method single trait', 'region marker suggestive', 'underlying mechanism', 'association resistance result', 'c14 0064', 'normande holstein hol', 'approach focused', 'pig breed polymorphic', 'type low virulent', 'derived debvs including', 'score heritability', 'bone related trait', 'analysis construct protein', 'snp marker significantly', 'asp298asn limited warranted', 'significant haplotype spanned', 'carcass trait 235', 'map total', 'pig lifetime', 'following natural', 'investigate seven red', 'muscle 278', 'adipocyte fatty acid', 'level determined 42', 'obtained gm', 'wld su wld', 'reported vrtn', 'multiple snp regression', 'investigation necessary identify', 'breast abdominal', '24 egg trait', 'set marker genotyped', 'using vaccination', '145 sexually mature', 'total 129', '12 major', 'androstenone 52 08', '4010 respectively genotypic', 'cholesterol chol glucose', 'truncated effect scs', 'ability sow reproduction', 'signifies presence', 'affecting linolenic acid', 'majority bird antibody', 'pcr sequence', 'sequence variant revealed', 'animal summer', 'length ham', 'using panel 198', 'harbor exon', 'significance compared', 'sapinière inra', 'day ssc4 23', 'wish dw analysis', 'affected 10', 'analysed finally', 'group housed', 'gene transcription', 'determined elisa 12', 'cross positional candidate', 'associated low androstenone', 'phenotypically independent', 'intercross resource population', 'danish holstein nordic', 'phenotypic sd', 'expression gene regulate', 'suggested il 15', 'animal dpi', 'process bovine milk', 'cm analysis', 'virus mdv major', 'gene analysis based', 'genotyped 800 animal', 'located confidence', 'white landrace', 'secretion activity', 'downregulated postnatal development', 'nutritional value impact', 'list snp', 'deterministic approach estimate', 'rs320439526 snp cry2', 'lonrf1 sequencing lonrf1', 'allele respectively permutation', 'study detect snp', 'fertility directly', 'chromosome bta strongly', 'rs15675067 ghrl', 'source economic loss', 'feather bird previously', 'genome genome', 'heterozygote result supported', '862t tnfsf11 gene', 'cw cw', '26 putative qtl', 'highly demanded genome', 'content data', 'tissue larger effect', 'non compensatory', 'shamo inferior', 'spectrometry maldi tof', 'located related known', 'gwa analysis construct', 'linked qtl causing', 'breeding castrated', '33 snp significantly', 'bco2 considered jointly', 'broiler male line', 'obtained using deregressed', 'tabulated threshold corresponded', 'utt rainbow trout', 'association study embryonic', 'prl selected candidate', 'reduced association', 'longissimus thoracis', 'occurring response', 'qtl chromosome 24', 'related protein', 'analysis segregating maternal', 'jersey f1', 'duroc population growth', 'total chromosome', 'breed 760', 'potential cation channel', 'prl csn3 highest', 'indicates relationship', 'chain reaction asp', 'gene possibly linked', 'biochemistry ultimately', 'disease horse analysis', 'previously identified oar3', 'weight bw 12', 'breeding conservation identify', 'peak ninth marker', 'analysis snp', 'genome scan retained', 'heterozygous type', '128h cac', 'animal spotted', 'population stratification angus', '28 bta 18', 'allele disease', 'reported study qtl', 'associated bw70', 'related dopamine antagonist', 'use selection cow', 'calpain mu', 'day record milk', 'analysis suggested possible', 'gastrointestinal nematode result', 'autosome sire marker', 'multiple gene influence', 'genotyped using illumina', 'observed birth weight', '52 07', '60 100', 'dna polymorphism', 'bf loin depth', '10 suggests selection', 'variance 22 studied', 'chromosome 90', 'fcr qtl region', 'snp association snp', 'tph2 serotonin transporter', '79 trait related', 'epas1 cast', '071 073 pp', '510 awassi merino', '1000 bp intranslated', 'index locate candidate', 'located bta14', 'thousand marker increasing', 'showed large effect', 'correlation small', 'study conclusion result', 'array quality control', 'genotype approximately', 'gene xin', 'correlation obesity', 'total 160 marker', 'training set', 'dominant genotypic inheritance', 'irregular parent', 'gbp1 average daily', 'individual family corresponding', 'marker inra40', 'receptor ring finger', 'information quantitative trait', 'additional paternal', 'remains discovered animal', 'using 777 snp', 'study bos', '119 boar', 'megallele genechip', 'analysis iteratively applying', 'winter milk result', 'ease ability', 'day conception bf', '08 kg', 'draft beef breed', 'cox15 ih overall', 'approach beginning', 'animal 93 additional', 'cm interval chromosome', 'trait including age', 'romney suffolk sheep', 'western pig breed', 'marker population', '444 additional f2', 'prrsv vaccination', '518 spanish churra', '49 70', 'associated chronic obstructive', 'population snp rs321666676', 'missense mutation leading', 'squared test', 'size pig report', 'genotype 11 fold', 'expressed striated muscle', 'method large number', '40 sample industry', 'ability generate', 'cattle independently', 'group consecutive', 'pedigree trait genotype', 'significantly larger', 'content additionally', 'dairy cattle imposing', 'marker oar2_132568092 mtx2', 'production dairy cattle', 'known impact', 'parasite tolerant', 'important role determining', 'role na defense', 'polymorphism myostatin', 'study suggest fabp', 'mechanism immune regulation', 'test metabolic', 'uk worldwide host', 'base complex trait', 'sw1336 sw512 qtl', 'nematode gin infection', '39 cm', 'etiology thoroughbred', 'present study northeast', '39 07 lw', 'traditionally breeding day', 'suggestive lea qtl', 'assigning genome wide', 'canal bone', 'daughter sire', 'standard score', 'effect genomic best', 'newly 24507g', 'pathway testing', 'cattle mapping', 'antibody prior', 'yield 82', 'result study lead', 'including 4993 progeny', 'result recent selection', '865 cow total', 'addition finding', 'points pre post', 'avpr1b meat', 'position estimate addition', 'value analyzed', '05 snp4 chr', 'marchigiana breed mstn', 'result bring', 'remain elusive pig', 'radiography 117', 'survived 21 day', 'qtl detection model', 'expensive trait measure', 'genotyped 882', '274 snp used', 'bovine chromosome harbour', 'carry genomic', 'suis particularly prevalent', 'relevantly associated multiple', 'usually analysed separately', 'grandsires 833', 'bone index commercial', 'puerperal psychosis extreme', 'crp3 muscle specific', 'associated wbsf breed', 'used gwas significant', 'chromosome specific', 'mcw0225 ntn2lsts1', 'architecture controlling variability', 'epistatic interaction mechanism', 'study egwas', 'estimated identical', 'dependence hatch gender', 'cm scored corrected', 'carried new zealand', 'mirna function provide', 'snp cross', 'cckbr2 associated', '2399 located', '113 day ultrasound', 'dissecans ocd thoroughbred', 'health related effect', 'distance existed map', '21 breed', 'mutation ser15ile thr257met', 'chromosome targeted', 'genotype varied', 'ldl ratio 45', 'seven trait year', 'additive dominance epistasis', 'verify qtl hypothesis', 'igg blocking percentage', 'snp potential', 'stallion revealed significant', 'breed showing microtia', 'holstein nrr56', 'fabricius weight located', 'response ndv single', '16158g snp exon', 'linear transformation', 'size eth10', 'animal bco2', 'crossing nematode parasite', 'sudden accumulation homozygous', 'causing loss weight', 'male weaponry animal', 'mb region gene', 'qtl influencing female', 'composition yield', 'motility motility score', 'production genetic', 'bull included', 'phenotype resource', 'mfi rib', 'pre corrected', 'region necessary order', '17 24 30', 'cattle study assessed', '32 snp exhibiting', 'blasso analysis identified', 'extreme feed', 'marbled high', 'development novel', 'lacking 40', 'improve sexual', 'alternative complementary method', 'cmp trait', 'component based approach', 'qtl subcutaneous fat', 'resistance immune', 'landrace yorkshire', 'behaviour milk', 'cm mcw0123 ros0005', 'relaxed threshold cut', 'allelic substitution effect', 'genetic relationship matrix', '124 mb snp', 'signal bta', 'bta1 12 14', 'taint maternal breed', 'support implementation multiple', 'qtl population fine', 'field challenge', 'hem haemoglobin', 'symptom dwarfism', 'analysis traditional fertility', 'breed china high', 'loinmax lm', 'testosterone concentration 300', 'economical loss', 'expressed additive', 'value ranging 27', 'novel variant in1', 'cow bb beta', 'farm breeder aim', 'selection domestication', 'affect gpihbp1', 'hy line brown', 'animal heterozygous type', 'gene proposed', 'acid composition ruminant', 'mm 15 mm', 'related gene important', 'milk yield association', 'culicoides spp allergen', '23 effect', 'mechanism phenotypic variation', 'suggest body weight', '23 result', 'gain ssc1 suggesting', 'ssc7 contains ortholog', 'trait eimeria', '703a utr exon', 'implicated measured trait', 'significantly decreased mln', 'allowed confirming qtl', 'correlation se population', 'different behaviour test', 'conclusion knowledge', 'qtl mc fp', 'qinchuan jiaxian', 'zebu zebu', 'differ breed age', 'selection artiodactyl myadm', 'genotyped allele', 'phu post mortem', 'fat weight backfat', 'value 0e 04', 'fat percent', 'reduced joint analysis', 'teat estimated 30', 'mastitis square', 'qtl larger', 'gga9 gga23', 'affecting stress', 'growth il2 body', 'size pig', 'complementary approach', 'genotyped 36', 'vs low', 'total 835 f2', 'beneficial selection', 'lascs scs sd', 'nematodirus strongyle fec', 'distance cm low', 'associated milk trait', 'effect gamete', 'understanding functional', 'thickness body weight', 'tenderness new', 'individual effect increased', 'trait measured wwt', 'exert effect birthing', 'population comprising seventh', 'mrps30 tex14', '16 18 19', 'examined difference prolificacy', 'family derived intercross', 'locus experimental', '22 72 cm', 'important clue controlling', 'cm bovine', 'prrsv infected uninfected', 'qtl region imputed', '470 litter selected', 'trait provide novel', 'association egg', 'safety tennessee', 'fbxo43 tssk6 pkd1', 'imputed high', 'content 126 876', 'effect gamete correlated', 'horse 917 horse', 'horse genome', 'puberty trait', 'hsp90aa1 gene', 'according disease incidence', 'sample 4350 daughter', 'pathway peroxisome proliferator', 'trait controlled multiple', 'including 33 microsatellite', 'identified elovl6 scd', 'level word genotype', 'position interpolated', 'small acidic protein', 'conformation service sire', 'genetic variance moderate', 'improve qtl different', 'gene expression allele', 'power loss inflate', 'highest marker', 'reproductive research', 'white pig genotyped', 'backfat decr1 012', 'gene fine mapped', 'bta29 15 cm', 'acid content backfat', 'day 90 kg', 'family challenge', 'gene pam', 'genetic marker resistance', 'opportunity examine pleiotropy', 'course lactation ii', 'trait respectively male', 'laboratory repository', 'composition site study', 'significant 29 putative', '74 genetic variance', 'width sire', 'white 98 duroc', 'economic value', 'correlated trait body', 'profile posse multiple', 'chromosome studied identify', 'lm qtl produced', 'chromosome white', 'dominance effect fat', 'negative regulation expression', 'anti ndv', 'analyzed 60k', 'addition hotspot', 'pathogenic haemonchus', 'growth relative bwt', 'strongest near gws', 'acute chronic pleuropneumonia', 'overlapped region associated', 'recent availability 57', 'potentially genetic variation', 'included analysis detailed', 'number significant', 'olp revealed', 'sequence allele', 'power especially', 'associated su rf', 'using non', 'bull distributed', 'origin 107 cnvrs', 'content important aim', 'mtpap mitochondrial poly', 'explained mb window', 'strategy nematode', 'snp explained additive', '003 feed conversion', 'compared tt chicken', 'duroc meishan', 'gene related fa', 'genetic diversity prrsv', 'specific haplotype explaining', 'haplotype confer divergent', 'steer 161 bull', 'effort rest', 'passing quality', '10 16 70', 'overall functionality dairy', 'salmonid specie', 'significance peak', 'increased substantially', 'significance 05 01', 'fumigatus goal study', 'effect substitution', 'major objective', 'selection result confirmed', 'yield trait dr', 'accumulative en 21', 'qtls mt reported', '24 unique', '48 198', 'chromosome possibly', 'oar3 qtl', '430g spp1c', 'particular qtl region', 'dmu used', 'distinct causal variant', 'receptor npffr2', 'gwas using sequence', 'autosome bta 14', 'additional region smaller', 'gene gene pig', 'gyr sire', 'role chicken aggressive', 'beef breed performed', 'breeding value genotyped', 'candidate region analysis', 'length 148 cm', 'based pedigree information', 'born number', 'encoding proteasome 26', 'locus identify closely', 'myostatin mstn previously', '66 mbp', 'association strategy genotyped', 'weight including igf2', 'lactation convincing', 'f2 analysis significant', '93 96', 'chromosome ssc7', 'pew h2h2 greatest', 'trait nellore', '06 polyphen 95', 'additionally bird gg', 'cell growth survival', 'detection result using', 'c6 additional gene', '16 286 868', 'considers analytical', 'variability study litter', 'related boar', '607 snp', 'gwas demonstrate variant', 'rm1 solo', 'fat1 locus porcine', 'embedded illumina bovine', 'region gga1', 'identified potential growth', 'sweden denmark joint', 'play significant', 'lp observed', 'processing fate follicular', 'abhd16b detected western', 'hirta st kilda', 'type pft using', 'control pathogen commercial', 'specific coagulase negative', 'difference genotype', 'white german landrace', 'mlma conducted', 'microsatellites generated', 'site data analyzed', 'atgl chicken', '1395 pig', 'fp detrimental behaviour', 'nematode infection grazing', 'dna sequencing pcr', 'ph searched silico', 'suggest qtl significant', 'ocrl additionally based', 'selection chinese meishan', 'capacity pork effect', 'polymorphism possibly', 'genotype available 1185', 'absent 95 02', 'qtl bw', 'cattle using imputed', 'keeping snp', 'snp putative qtl', 'study concordance test', 'genome wide scale', 'indigenous bovine result', 'parental g1', 'content 11', 'utmost importance constitute', 'polymorphic snp analyzed', 'correlation detected trait', 'effect highly consistent', 'significantly associated protein', '527 holstein cattle', 'variance population imprinting', 'disequilibrium position genome', 'mb significant measured', 'trace cnv identified', 'wide family fat', 'gene study required', '30 informative', 'low explanatory', 'composition trait gwas', 'genomic effect mlk', 'mar qul beef', 'low used directly', 'allele pony', 'conclusion high ld', 'product man2b2 discovered', 'ph base', 'adipsin cfd', 'fat carcasses', 'previous research differentially', 'nba heritability trait', 'weight ssc9', 'cell surface signal', 'associated mastitis bvs', 'genotyped high', 'region wide significance', 'breed world result', 'gene encodes plasminogen', 'blood play', 'decreased 15 20', 'ssc12 presence', 'dna genotyping objective', '195 trickle infected', 'genotyping 647 bp', 'result genome', 'eqtls suggesting mutation', 'breed suggesting', 'control association', 'en 21 56', 'sequencing coding region', 'mass obesity', 'cattle haplotype defined', 'explained common', 'bm4528 selected 918', 'potential overlap', 'body depth rump', 'haplotype 27', '2013 fleckvieh cattle', 'consistent previous study', 'variant differ footrot', 'gene specific single', 'gene located sheep', 'potential transcription factor', 'measurement trait bovine', 'detection mapping genetic', 'threshold 001 significant', 'translation lead severely', 'wfe chromosome', 'snp selected candidate', 'feathering chick early', '50 chip', 'number parity allelic', 'responsible overlapping qtl', 'novel genomic', 'mannose binding lectin', 'identify possible mutation', 'example qtl chromosome', 'chromosome 17 wg42', 'coatomer protein complex', 'identifying gene gene', 'gestation length gl', 'useful identifying gene', 'located 171', 'μg matched litter', 'addition principal', 'family sampled', 'genetic variation resistance', 'interaction verified coimmunoprecipitation', 'colt arabian colt', 'quality important consumer', 'position 122', 'relevant trait specifically', '49 70 identified', 'bovine mln', 'bta29 common', 'cattle growth qtl', 'opn animal study', 'study calving', '0044 rl', 'affected muscle depth', 'growth failure', 'specific plasma', 'snp marker phenotyped', 'bm8246 mcm130', 'born alive snp', 'significance association trait', 'birth mum', 'production carry genetic', '78 cm association', 'ovine ghrhr', 'qtl showed dominance', 'sequence data trait', 'bw70 bwg ct', 'conclusion pleiotropic', 'ssc1 regard', 'single locus', 'achieved overall', '649 698 bp', 'study step insight', 'population f2 backcross', 'bft vivo', 'bacteria cause', 'percentage ratio lean', 's0143 ssc12 respiratory', 'rs80891106 ssc7 rs81477883', 'qtl effect ranging', 'resolution qtl pedigree', '100 vrindavani', 'cattle deviant', 'cheese yield coagulation', 'gland infection', 'protein altered', 'allele given', 'block defined', 'parasite suggesting', 'genotyped capn3 1538', 'chromosome chosen', 'homozygote finding brings', 'substitution causative ph', 'trait proc mixed', 'date entropion', 'yield deviation dyds', 'variation gr gene', 'hypothesis locus', 'qtl affecting sc', 'identified region ranged', 'major influence', 'potential qtl', 'study total', 'quality nutritional', 'high priority pork', '119 pig animal', 'individual aa', 'experimental f2', 'phlpp1 gene', 'genome chromosome wide', 'close 60', 'normal individual', 'acting eqtls suggesting', 'resistance susceptibility nineteen', 'chain luteinizing', 'epistatic region numerous', 'hif1an gene', 'high heritabilities ibdv', 'genotyped 183', 'ssc2 10', 'length polymorphism technique', 'viability fv genotyped', 'association analysis demonstrated', 'quality control removal', 'genome analysis detect', '196 sib', 'cross white plymouth', 'disease different', 'nutrient human', 'avfec pcv', 'efficiency gain', 'lead accurate', 'role regulating prrsv', 'association polymorphism growth', '16 70 mb', 'cattle totally 39', 'involvement genomic copy', 'contortus infection position', 'reported affect', 'genetic defect identifying', 'evaluated simultaneously', 'rfxank oar3_84073899 oar3_115712045', '10 beef', '551 pig', 'removed genotype', 'performed identical', 'snp expression', 'spot14alpha gene', 'undertaken detect quantitative', 'additive accounted', 'significantly differ', 'susceptibility etec f4ab', 'lr cross detected', 'teat placement chromosome', 'higher marbling', 'processing plant heritability', 'nucb2 gene associated', 'multiple trait animal', 'tibia twisting generally', 'lumborum mll', 'response main role', 'trait improving', 'adipocytokines involved', 'variant fcr qtl', 'weight kidney', '18 22 mapped', 'breeding research', 'brazil nellore cross', 'facilitate accurate identification', 'obtained silico cloning', 'quality identified', 'trait used positional', '39 261', 'suggest elovl6 potential', 'decade study applied', 'qtl data identified', 'problem posed significant', 'qtl location tnb', 'allele snp detected', 'located chromosome upstream', 'genotype bovinehd beadchip', 'affecting protein', 'resistance limit', 'stock f6 pig', 'caused md virus', 'genotype rsnp', 'marker identified ssc7', 'considerable research development', 'performance detected large', 'step association signal', 'method significant genome', 'le active form', 'recombination coldspot 34', 'set haplotype based', 'collected kunming', 'locus prkag3 gene', 'resistance susceptibility swine', 'underlying selection sc', 'investigated confirm', 'effect region small', 'belgian texel', 'data 144 individual', 'research evaluate polymorphism', '18 muscle subcutaneous', 'sd 02', 'muscle present study', 'health data reproductive', 'protein family play', 'seventh generation pig', 'splicing process', 'analyzed subsequently controlling', 'cm 16 30', 'gene expected', 'located bta14 previously', '698 animal', 'parameter far', 'sliding window', 'associated higher total', 'carotene milk', 'hdl ssc2', 'using glm procedure', '245 mb', 'previously qtls novel', 'snp assigned casein', 'duroc 32', 'difference ram divergent', 'sarcomere length allele', 'snp ex1', 'means lod score', 'genotype individual', 'provide information complement', 'epigenetically regulated maternally', 'significance level total', '131 polymorphism', 'wide level including', 'composition respectively meat', 'region segregate haplotype', 'vasotocin receptor avpr1a', 'high hdl density', 'region mb snp', 'phenotype qtl', 'bovine endometrial epithelial', 'population develop', 'respectively gene', 'architecture italian', 'nucleotide 12978 12979', '34 common frequency', 'industry sustainability complexity', 'contributes 60 total', 'clearest effect', 'swine industry genetic', 'help uncover understand', 'greatest lrt', '31 phenotypic variance', 'cfd 306c 73', 'microsatellites average spacing', 'dr used', 'variability number teat', 'genetic variation largest', '0003700 nucleus gene', 'approximately phenotypic', 'associated leg', 'close association backfat', 'weight analysis model', 'trait gwas explained', 'associated blv proviral', 'control gastrointestinal', 'human puerperal', 'significant association fertility', 'tibia 82', 'genome scan useful', 'ag ga significant', 'using 132', 'class large positive', 'snp considered', 'consistent candidate region', 'tissue regulation elovl6', 'sequencing overall identified', 'detecting gene associated', 'production chinese meishan', 'intercrossing large', '49 13 genetic', 'identifying locus', 'genotype higher', '524 piglet intermediate', 'cow 90', 'liability develop elevated', 'sequence capn3', 'study employed reduced', 'coagulation process', 'known homozygous', 'gene association', 'response appears delayed', 'architecture trait identify', 'metabolism aim', '622c furthermore', 'puberty earlier tend', 'using 49', 'variance moderate low', 'design genome wise', 'muscle increase 78', 'half sib bull', 'finding provide useful', 'gwas widely', 'model jph1 68x20', 'polymorphism meat trait', '05 div pig', 'sire homozygous', 'associated log10p 12', 'specific ige igga', 'time point suggesting', 'gene highlight ednrb', 'regression approach using', 'snp 42 cm', 'identified deleted', 'repeated measure', 'human mouse showed', '2589 sire', 'analysis detected 102', 'hoc simulation study', 'chromosome harbour major', 'proviral concentration phenotype', 'subsequently genome wide', 'variant qtl', 'ss319607402 variation', 'replacement leucine', 'potential applied selective', '25 55', 'human based current', 'sub family', 'meat ph firmness', 'basis eventually unraveling', 'gland tissue', 'heat stress represents', '24269 sw2429', 'fish obtained consecutive', 'adg extreme', 'detected result', 'packing plant harvested', 'region associated leg', 'new partial linkage', 'fat kph hot', 'score principal component', 'protein line', 'implicated risk factor', 'associated fertility linkage', 'beta gene', '53 16', 'fat yield fat', 'ew follows highly', 'precision le linkage', 'haplotype tended decrease', 'selected maternal', 'using rank based', 'piglet born breed', 'provide helpful', 'correction values', 'cambridge sheep', 'qtl pathogenic', 'polymorphism snp biec2', 'potential polymorphism dlk2', 'confidence interval bw', 'gene hd panel', 'junglefowl rjf domesticated', 'molecular information confirmed', 'superfamily play important', 'ultrasonic backfat total', 'enrich population recent', 'variant classified missense', '05 higher', 'primary antibody', 'gland different domesticated', 'slaughter 35 lamb', 'conformation scoring', 'tissue specific tissue', 'indicator mhc', 'breast muscle bm', 'population hen', '10 additionally suggestive', 'identified fewer', 'phenotype massive', 'lep 1723a genotyped', 'bdnf oxtr', 'normality dna extracted', 'mediates effect fescue', 'process pathway', 'including information previously', 'second parity cm2', 'various qtlr element', 'mapping lea', 'fat depth decreased', 'tissue instance slc22a18', 'genotype 05 result', 'tested additional', 'yearling measured approximately', 'reported hydrolyze', 'body depth bde', 'quality mechanism cis', 'variation exterior appearance', 'pufa moderately', 'tested association sensory', 'sow 05 data', 'suggestive qtl effect', 'avenue exploring gene', 'locus qtl increased', 'associated fatty', 'non conservative mutation', 'affecting genome', 'capn3 gene tested', 'gestation meishan', 'incidence gg genotyped', 'breeding mastitis', 'identify segregation', 'ibp4 gene pcr', 'chicken anka broiler', 'region mucin', 'program meishan european', 'result significantly', 'program brief', 'bta11 peap', 'marked increase', 'shown previous', 'analysis genotype gh', 'aggression group', 'synonymous snp acaca', 'landrace cross', 'g3072a locus', 'importance muscle growth', 'sire ranging', 'fatness heavier ham', 'appear controlled chronological', 'yield fy economically', 'reproduction efficiency', 'centre sheep', 'unaffected horse', 'ssc6 fabp gene', 'wrinkle evolutionary', 'tph2 rs107856757 rs107856818', 'effect presented', 'equation primal meat', '001 chi2 118', 'detailed clinical', 'significant effect specific', 'aim paper use', 'gestation difference', '95 cm', 'detected ssc3 11', 'mean homozygote', 'tolerance generation grandprogeny', 'lm qtl compared', 'tailing weight', 'holstein friesian sire', 'individual cow cy', 'conclusion able', 'detected bta14', 'mfi mar estimated', 'eating satisfaction benefit', 'loc100518755 cyp21a2', 'mammalian small intestine', 'pmp2 plin1 mfge8', 'cm step reduced', 'pig breed erhualian', 'predominant haplotype differing', 'wide snp genetic', 'require validation conclusion', 'wt 99 genotype', '15 16', 'growth 54', 'thickness analysed method', 'weight significantly associated', '42 883', 'ssc6 15', 'breed resistant etec', 'industry carcass', 'gene melanoma', 'mhc gene involved', 'aminopeptidase involved', 'design french', 'trait lepr 1987c', 'phenotype hcr1 gwaa', 'region conducted 16', 'tm qtl non', 'let 7c mir', 'variation examined association', 'additional genetic proof', 'carried qtl body', 'background epistatic interaction', 'reject possibility interaction', 'constraint functional element', 'specific component gc', 'studied 371t', 'associated fat tail', 'number nc_007312 sequence', 'contains lg', 'gene variant', 'larger myofiber', 'gwas study random', 'cmya1 gene expressed', 'biologically associated', 'detected pig time', 'end performance', 'wise genome', 'polymorphism analyzed', 'mastitis resistance nordic', '30 fat related', 'carcass breast percentage', 'duroc pig genotyped', 'lma marbling', 'plcz snp', '42 002', 'regulatory region prl', 'roan phenotype segregating', 'concentration substrate cbs', '10 infected cow', 'coronary artery', 'subsequently genotyped cohort', 'cohort heavy', 'substructure gwas', 'bull receive', 'variance considered', 'relative contribution additive', 'bta14 promising', 'high test', 'mucosal immunoglobulin igg', 'size ranging', 'analysis genotypic variation', 'affecting birth weight', 'population excluding', 'breed involved study', 'despite relatively strong', 'meat yield loin', 'polymorphism economic', 'type tenderometer equipment', 'variable genome', 'chromosome upstream', 'milk yield trait', 'trait test statistic', 'addition 29k', '23 kg', 'emmax haplotype trend', 'gamma genomic region', 'allele bone quality', 'kilda scotland naturally', 'study inform future', 'fine map genetic', 'receptor tlr identified', 'progeny tested genotyped', 'red cattle transcript', 'fatty acid improve', 'ssc13 ssc15', 'coefficient corresponding', 'test used calculate', 'regression model principal', 'information support potentially', 'analysis result novel', 'filtering 29', 'gene loc781182', 'sample comprising', 'comparison controlling false', 'defect chromosome 10', 'foetal growth', 'associated trichostrongyle', 'revealed cytokine cytokine', '42 469 snp', 'cnvs 32', 'regulatory region saa2', '57 additional', 'existence qtl maternal', 'equine snp50', 'silico post gwas', 'eu sire carrying', 'explained heritability total', 'reproductively competent adult', 'frequent sequence', 'difference proportion animal', 'tropical climate meat', 'detect qtl interaction', 'level segregation identified', 'cluster formed', 'potentially useful marker', 'concentration 190 day', 'involved female fertility', 'tssk6 pkd1 foxp1', 'using previously', 'gene studied association', 'range 23 82', 'owner caretaker', 'method using heifer', 'response milk', 'substitution fn424076 96c', 'sampling heritability estimate', 'mutation useful', 'detect quantitative', 'fraction lymphocyte lym', 'previously quantitative trait', 'gwas performed finding', '153 qtl including', 'blood 417', 'additionally confirmed factor', 'trait selected', 'increase understanding genetic', 'significant qtl weight', 'variance marker', '223 belgian warmblood', 'region exon utr', 'yield concentration associated', 'detected strong', 'breed estimated solving', 'disequilibrium test', 'phenotype fecx gr', 'standard 120 cm', 'nominally significant effect', 'late growth extent', 'ewe purebred', 'allele frequency merino', 'bri3bp scd gpat4', 'block defined significant', 'sow using porcinesnp60', 'missense deduced', 'cause subfertility single', 'trout tested association', 'ph 24h eye', 'study density contour', 'locus ssc12', 'function gene tcf12', 'grandsire family 054', 'study improve understanding', 'fat qtl fatty', 'genotype real time', 'associated btb holstein', 'technique chicken', '240 individual', 'approximate daughter yield', 'chromosome identified qtls', 'fecx allele', 'breeding program validating', 'gwas efficient tool', 'juiciness tenderness', '21 microsatellite', 'region mapped', 'resistance trait including', 'significant chromosome wise', 'nucleus gene', 'consumption measure metabolic', 'similarly detected qtls', 'study identified panel', 'gene variant intron', 'weight half weight', 'chip study aim', '22 sire', '199 iberian pig', 'pig locus chromosome', 'ram 852', 'natural pasture', 'breed represented logistic', 'ccl2 il8 il8ra', 'natural grazing condition', 'transcribed gene snp', 'qtl suggestive level', 'process chromosome', 'cow shown', 'type slc27a3', 'substantial effect', 'trait pbonferroni', 'breed holstein overshadowed', '05 hgd', 'identified potential causative', 'mutation hmga2', '8981 525 240', 'normande holstein', 'polymorphism putative transcription', 'tool study genetic', 'oar 12 16', 'risk developing acute', 'significantly associated fetlock', 'thermoneutral heat', 'increased adding additional', '20 gene represented', 'background pleuropneumoniae', 'use selection process', 'elucidate gene affect', '147 genome wide', 'information assign weight', 'human melanoma gwas', 'tended effect', 'involving 30 romane', 'mastitis pathogen used', '14 affected', 'ornament comb fowl', 'dorsi ld drip', 'f4bcr locus used', 'genomic region encompassing', 'expression regulation', 'ssc17 conclusion result', 'mode considered', 'chain reaction rflp', 'strong eqtl', 'conclusion initial', 'haplotype associated greater', 'polymorphism represented', 'animal trait 31', 'population marker intragenic', 'refining location selecting', 'vertebra thoracolumbar vertebra', '95 02 associated', 'mbp candidate', 'linkage analysis taking', 'family level extended', 'breed study step', 'beadchip quality control', 'molecular marker described', '07 kg allele', 'gene akr1cl2 akr1c1', 'qtl using snp', 'set complex', 'kg whilst australian', 'shown specific', 'longer individual', 'using lc model', 'average average', 'gradient gel electrophoresis', '12 82 mb', 'significant snp candidate', 'hampshire nhi white', 'rural area africa', 'blup method', '60k dna chip', 'potential gene major', 'adipose triglyceride lipase', 'pc1 describes overall', 'trait bull', 'limousin ancestry', 'relative transcription', 'ngs 28234 bovine', 'trait region attained', 'comparison performed using', 'backfat 0001', 'previously based', 'ar qtl muscling', 'laiwu pig', 'rs41642251 highly', 'polymorphism 44g', 'region region associated', 'rib duroc', 'start site', 'specific common qtl', '09 ancestral', 'black organ white', 'preadipocytes haplotype involving', 'survival rate risk', 'number insemination ai', 'available used perform', 'detected various', '129 microsatellite marker', 'ib resource', 'level large number', '32 fbxo32', 'located promoter', 'carcass weight absent', 'polymorphism pcr', 'enrichment analysis functional', 'model compared', 'erhualian pig adhesive', 'confounding total 74', 'rate ultrasound measurement', 'exert role different', 'family genotyped', 'total 57 putative', 'polymorphism snp positional', 'control existence', 'category conclusion', 'increased notably', 'pig lead increase', 'qtl ranged', 'gilt barrow 22', 'ruminant milk', 'rft marb bta10', 'carcass trait determined', 'analysis nearest 26', 'reported contribute', 'chromosome bac', 'adg adfi', 'function integrity tight', 'number significant region', 'measured predominantly', 'birth weight weight', 'obtain comprehensive list', 'shown associated milk', 'loss genome', 'main eye colour', 'chinese merino sheep', 'score scs sd', 'trait marker genome', 'lepr cyp2j2', 'high resolution', 'significant haplotype odc', 'acid c6', 'erhualian breed', 'variation prdm16', 'in1 significant association', 'chicken 36 white', 'chicken challenged mdv', 'egg trait qdg', 'production addition significant', 'breeding program studied', '29 autosome marker', 'qtl operating intra', 'economically le', '32 adg', 'h2 associated', 'trait ignores important', 'mixed animal', 'number ovum tno', 'way gene identification', 'unique informative', 'ibk american angus', 'pup anxa10', 'agg showed', 'akr1c gene akr1cl2', 'associated resistance susceptibility', '64 68', 'ld declined 15', 'sheep body size', '38819398g mutation exon', 'intron point mutation', 'obesity snp identified', 'result bring new', 'propose mutation', 'snp novel candidate', 'enhanced genetic improvement', 'candidate gene mirnas', 'group trait cft', 'pig breed decade', 'large sample size', 'total 24 tag', 'gene known affect', 'trait based phenotypic', 'environmental condition genetic', 'fmo3 fmo1', 'beadchip 412', 'origin suggesting', 'novel addition identified', 'roy berg', 'linkage gga2', 'snp 1457 aj571671', 'strong linkage', 'genotyping 1365', 'carotene secondary pathway', 'prlr late feathering', 'proved cost', 'broiler population bird', 'egg hatchability ha', 'feeding rate afr', 'snp estimating genomic', 'parameter lightness redness', 'claimed putative lethal', 'classified missense', 'second gene vegfa', 'qtl cosegregated grandsire', 'trait performed white', 'snp revealed genotype', 'human mouse little', 'various genetic', 'underlying fitness', 'list obtained', 'displayed significantly higher', 'disease status total', '30 ile265val substitution', 'considering function', 'work fine map', 'complex trait improvement', 'dehydrogenase ehhadh gene', 'statistical power detecting', 'affecting single trait', 'nucleotide polymorphism qtl', 'length hap3 hap3', '8646g 16158g snp', 'higher using geneseek80k', 'scoring mainly influenced', 'volume sperm concentration', 'tnps major', 'divergently selected line', 'previously detected using', 'indicated tnp1', 'response distal chicken', '474 494', 'cell score scs', 'line significant 05', 'distribution chicken', '286 dam qtl', 'cannon circumference withers', 'cg used', 'distributed ssc8 result', 'pathophysiological process', 'mc4r phkg1 retn', 'role protection', 'haplotype segregate', 'measurement trait bmts', 'bta11 bta13 bta18', '129 ayrshire ai', 'transcription level', 'pre breeding', 'gwa genome', 'mrna study 296', 'gu253337 320t', 'compressed mixed linear', 'provide basis genome', 'calving ease result', 'commercial packing plant', 'typically observed', 'attention breeding', 'motility acrosome', 'genetic variance commercial', 'transporter member', 'wdr83 gene', 'population 842', 'divergent phenotype addition', 'npr2 natriuretic', 'excess hco3', 'ability sow discrete', 'sc combined', 'associated body size', 'correlation number', 'included analysis additive', 'suggests regulation appetite', 'activity structural integrity', 'prrsv resistance', 'mass result', 'ability 705 irish', 'mammary gland aim', 'porcine cytochrome', '10718g 10841g', 'average phenotype', 'multiple marker approach', 'subtypes linkage analysis', 'fp pp cm', 'run6 1000 bull', 'medius gm longissimus', 'moderate polygenic', 'mb 13', 'accumulated study documented', 'component mapping', 'deposition composition imf', 'positional functional candidate', 'ptprt ptgs1', 'ss61469568 bta', 'cross anxa10', 'associated age', '201 tested', '300 individual measured', 'categorized 802 non', 'infectious disease infectious', 'csfv identified', 'bracket positioned', 'variation fluctuates population', 'laborious collect', 'trait including average', 'charolais dc', 'average approximately', 'curve parameter statistical', 'genetic background unknown', 'chronic pain lameness', 'study largest', 'value concentration main', 'enteric septicemia catfish', 'examine variation calpain', 'different association', 'exceptional biomedical model', 'fifth generation population', 'genetic variant predicted', '26 week 27', 'localized different region', 'set haplotype', 'dystocia stillbirth using', 'sexual maturity comb', 'number mhcii cell', 'insight key role', 'swiss affected pp', 'performance gwas analysis', '10 il 12', 'snp significant trait', 'fatty acid gene', 'analysis finding', 'moderate correlation reproductive', 'tenderometer equipment using', 'wh transmembrane protein', 'associated test trait', 'affecting chicken body', 'alberta roy', 'level significantly higher', 'time included qtl', 'quality trait especially', 'association allele snp', 'methodology account hidden', 'period scrapie infected', 'decline prkag3', 'autosome association', 'chromosome harboring', 'genomic investigation', 'test logistic', 'combing linkage', 'candidate gene finding', 'response mycobacterial infection', 'close potential positional', 'qtl porcine chromosome', 'chromosome 14 prominent', 'sheep growth', 'recent advance genome', 'knowledge molecular mechanism', 'initial set 120', 'including triiodothyronine', 'indicated leptin gene', 'intron structure including', 'mutation qtl reported', 'revealed consistent antagonistic', 'respectively enrichment analysis', 'conducted fitting', 'potential mechanism', 'candidate gene trait', 'snp identified included', 'score average', 'analysis using genabel', 'genomic region controlling', 'usp32 lrpprc pla2g10', 'marchigiana famous large', 'girth chest', 'reaction antigen culicoides', 'ascertainment bias phylogenetic', 'single month post', 'h3 h1 h4', 'growth reproduction lactation', 'individual marker significant', 'method qtl express', 'greater population', 'lei0071 marker mapped', 'loss reflectance chromosome', 'complex bola qtl', 'disease resistance originated', 'associated difference udder', 'mir133b respectively 12', 'explained detected qtl', 'large effect quantitative', 'mapped wk respectively', 'associated resistance infection', 'depending trait conclusion', 'qtl environmentally dependent', 'number fw hoof', 'association identified pt', 'biological mechanism controlling', 'scan carried new', 'performing qtl single', 'breed large white', 'pi4k2a got1 gpt', 'different criterion horn', 'selection allow selection', 'ability genoprob', 'technology discovered', 'detected chicken', 'mortality japanese black', 'animal le susceptible', 'uncovering genetic mechanism', 'field linkage', 'mlma conducted estimating', 'metabolism pathway sb', 'merging data', 'detected animal', 'exon capturing', 'dependent insulinotropic', 'subcutaneous fat plus', 'trait confounded environmental', 'population considering high', 'associated mineral content', 'associated mir206', 'detected autosome', 'sheep flock selected', 'assisted selection litter', 'association coincided', 'gng2 linked', 'transcriptional factor ccaat', 'useful understanding genetic', 'genomic annotation', 'pat conclusion', 'estimated identical descent', 'associated count', 'variation meat tenderness', 'dioxygenase bcdo2 obvious', 'sanger sequencing pcr', 'rate polymorphism', 'generally fixed founder', 'region small snp', '321c microsatellite', 'provides exhaustive', 'trait fresh dry', 'region accounting', 'boar taint trait', 'mutation bco2', 'qtls explained 06', 'sequence data facilitates', 'including f6', 'muscle area', 'ssc13 harboured gene', 'h2 2449c', 'trait livestock aim', 'zebrafish danio', 'potentially responsible development', 'detected twinning rate', 'pathogenic avian influenza', 'study infectious', '57 cm', '62 sd backfat', 'regulating semen', 'roh estimated ewe', 'selected informativeness', 'process present study', 'reporting snp associated', 'chromosome beginning', 'marker selected', 'causality respect qtl', '29 region', 'modulated certain extent', 'commercial suffolk 336', 'livestock opportunity', '50 bull linear', 'evidence previous', 'fat intramuscular fat', 'content ratio total', 'marker adl328', 'chicken originating white', 'encoding putative', 'highest subcutaneous fat', '42 single nucleotide', 'fat metabolism inflammatory', 'like single nucleotide', 'involved regulation embryonic', '242 newly hatched', 'control quantitative average', 'inactivity novel', 'male result', 'providing genomic position', 'capacity whc texture', 'vaccine blood sample', 'including rs339939442', 'associated 10 trait', 'measurement published consumer', 'instance trait', 'discovered cattle', 'single locus frequentist', 'located common set', 'sheep litter size', 'expression ovarian', 'bta26 specific gene', 'short tandem repeat', 'fuk nprl3 evl', 'suggest locus similar', 'black white', 'bta14 significant', 'pig prlr haplotype', 'cattle le significant', 'day nineteen snp', 'growth model', 'preferentially enriched', 'breed differential display', 'finally studied hsp90aa1', 'study population polymorphism', '49 65', 'puberty gilt indicator', 'meishan large flop', 'segregate landrace', 'bta13 intergenic', 'content ph nitrogen', 'evidence pair ancestral', 'important poultry', 'developed genotype snp', 'joint linkage association', 'manchegas demonstrated complete', 'depend smaller number', 'pathway network', 'reported effect fertility', 'increased mean', 'homology rhogef', '11 σ2p phosphorus', 'trait use genetic', 'breed sequence variant', 'genetic additive effect', 'result presented average', 'associated map infection', 'chicken genotyped', 'successive generation 875', 'a506c significantly associated', 'channel subfamily', 'processed blupf90', 'generally appeared', 'bft loin', 'jb1 560', 'ewe genotyped using', 'demonstrated allele', 'expression tissue', 'hen line', 'dairy cattle occurring', 'fact ewe', 'inbred strain qtl', '13 20 24', 'gga4 multitrait', 'parasite strong', 'trait purebred pb', 'averaged association analysis', 'eaat2 bdnf oxtr', 'lesion pleurisy slaughter', '217 219 genotype', 'data better understand', 'result multi', 'bta14 govern variation', 'obesity allele genetic', 'generated cross genetically', 'gene cast 155', 'frequently treated', 'metabolism immune function', 'carcass trait pig', 'elucidate association', 'progenitor chicken', 'available 918', 'correlation growth trait', 'type relative contribution', 'compared wild type', 'controlling egg white', 'analysis denmark', 'schleswig saxon', 'variance 10', 'way validation including', 'phenotypic marker', 'efficiency trait beef', 'ssc4 meat colour', 'assay designed snp', '44 29', 'qtl detected muscular', 'meat quality ph', 'assumed m1', 'previously associated', 'analysis reveal', 'mycobacterial culture complementary', 'fo cause', 'allele used identify', 'variance vf2', 'significant qtl 05', 'cnvs 32 meishan', 'beadchip f1', 'proximal flanking region', 'conclusion genome', 'trait understand', 'ham result additionally', 'reproduction trait association', 'activity implicated development', 'progeny 68', 'helpful understanding genetic', 'ovulation rate genomewide', 'searching minor livestock', 'bta25 teat', 'milk trait mammary', 'maintained telomeric', 'ranged nitrogen content', 'uncovered analysis', 'associated footrot based', 'male combined dam', 'phenotype improve', 'total 480', 'major component', 'multiple genomic', 'validation adjusted phenotype', '17122 thicker', 'collected tested using', 'weaning yearling yearling', '196 significant', 'interval cm respectively', 'chromosome milk', 'onset sexual maturation', 'significance experimental wise', 'predicted involved', 'bull sperm', 'haplotype based rs13997809', 'gene potential causal', 'active restraint', 'inra design carried', 'deleterious allele', 'exploring genetic', 'problem rainbow trout', 'result demonstrated polymorphic', 'gene association study', 'breed assessed', 'candidate gene bmpr1b', 'located ssc1qter', 'genotype onset', 'footrot identified study', 'effect ssc13', 'result animal original', 'chl_fat chl_milk respectively', 'level skin weight', 'le milk higher', 'qtl genetic background', 'bta23 significant', 'prkag3 gene meat', 'layer segregating', 'making property cmp', 'showed exclusive', 'lge22 crest', 'tlr2 caspase recruitment', 'foot leg fl', 'highest association signal', 'sire heterozygous heifer', 'composition trait f2', 'effect production trait', 'previous cattle monitored', 'qtl loin muscle', 'qtl ovis aries', 'total milk', 'rate oestrus cycle', 'mapped involved', 'data snp6 associated', 'gene vartnb located', 'cattle tick', 'weight month age', 'korean holstein individual', 'allele specific primer', 'environmental quantitative', 'similarity 110 member', 'associated prkag3', 'color including sixteen', '46 18', 'associated fp ebv', 'score chicken chromosome', '791 animal result', 'area width depth', 'problem animal breeder', 'thirteen 23 qtl', 'qtl identification', 'egg production', 'dna breed', 'berkshire 153', 'epidermal growth factor', 'qtl stillbirth', 'gene identify potential', 'tg high density', 'fifth parity editing', 'economic importance use', 'carcass weight association', 'identifying underlying', 'pathogen continues threaten', 'qtl qtl af', 'snp discriminated tail', '260 sheep flock', 'open single nucleotide', 'genotyping design applied', '54 58 week', 'african cattle industry', 'suggested possible', '20 holstein friesian', 'rate haplotype', 'significant candidate locus', 'trait variation good', 'population subsequently', 'pattern 500', 'metabolism pde4b', 'striking result confirmation', 'approach conclusion', 'exon 12 exon', 'dissecans ocd horse', 'linoleic docosapentaenoic', 'proposed modulate', 'cd polygenic', 'important consider', 'total 46 21', 'genetic marker genomic', 'include milk', 'bone cartilage important', '60 10 49', 'jx xianang', 'necrosis growth', 'taurine breed ability', 'genetic variance mean', 'population increase', 'study population compare', '985 bos taurus', 'region association live', '40833 snp', 'pig carcass', 'hplc major', 'behaviour vca', 'allele surrounding', 'decision studied causal', 'joint 74 94', '18 total 18', 'antibody level serum', '001 snp perform', 'rate indigenous breed', 'tolerance faecal tissue', 'effect nested', 'based interval mapping', 'igf1 mainly associated', 'individual total', 'number significant marker', 'palmitoleic fatty acid', 'pattern representing different', 'site second snp', '725 inferred haplotype', '312a 446g', '29 measure', 'single step genome', 'importance criterion single', 'association fat moisture', '14 calving', 'scd gene mapped', 'txnrd3 polymorphism', 'gene cloned sequenced', 'bull 338 using', 'indicate opportunity genetically', 'dgat1 scd1 fasn', 'varied animal association', 'retain high proportion', 'pancreatic cell', 'genetic basis poorly', 'allele 240g trp80stop', 'qtl gga2 explained', '22 qtl significant', 'bft 26 33', 'bp dna', 'expected false', 'marker ncapg', 'myct1 related', 'test tdt based', 'encompassing white duroc', 'intact uncastrated male', '274 individual', 'color postmortem time', 'gene based approach', 'measured distance', 'analysis showed rs13687126', 'genome snp', 'locus play', 'cc fat', 'gwas indicated', 'proximal promoter 269', 'evaluate ability genoprob', 'selected genomic', 'trait breeding', 'shared mutation underlying', '72 zn 49', 'qtl region ssc6', 'cattle phenotype non', 'bivariate analysis ci', 'bta6 casein cluster', 'snp beadchip genotyped', 'map region associated', 'genotype year sex', 'pedigree information', 'used commercial', 'boophilus microplus', 'ankyrin repeat domain', 'mortality pm economic', 'controlled region', 'principal finding', 'region btau1', 'vertebra 01 conclusion', 'igf2 gene actually', 'simultaneous detection', 'gene result provide', 'condition ph blood', 'assigned ssc10q14 q16', 'suggesting chromosome 11', 'wk age ultrasonically', 'phenotype study', 'additional snp variable', 'mb duroc qtl', 'test statistic suggested', 'sweden identify', 'slco1b3 tbg significantly', 'association lp', 'insertions deletions totally', 'variance using bayes', 'deserve investigation', 'elucidated genetic', 'qtl similarity', 'explained increased feed', 'notably qtl', 'recombination analysis', 'reported qtl detected', 'ibk carcass', 'intron bovine cd46', 'csn3 variance', 'encodes transcription', 'snp ercr bta18', 'wool fineness', 'breeding hampered high', 'cattle secondly propose', 'responsible biosynthesis oleic', 'actin cytoskeleton pathway', 'eye iris', 'recommended case identification', '279 chicken gemma', 'stability putative', 'arabian colt', 'pig representing', 'wise level rfi', 'number important trait', 'offspring sire derived', 'ability mutated sperm', 'f41 reported', 'performed using 416', 'transcriptional activity highly', 'daughter male', 'linkage qinchuan', 'gwas performed using', '245 cnv region', '19 major allele', 'infanticide control', 'transmembrane transporter activity', 'overlapping significant', 'change associated', 'kinase play key', 'complex vertebral malformation', 'activated angiogenesis', 'change identified', 'mutation 943c identified', 'serpina7 irs4 involved', 'aimed refine', 'trait corresponding', 'variance major', 'significant subgroup', 'overlapped chromosome indicating', 'assay cbg variant', 'variation 10153g', 'rate fprs', 'spef2 gene', 'expected 24', '80 identity mammalian', 'sample 1534', 'digestion absorption metabolic', 'appeared associated milk', 'suggest carcass', 'reached 14 000', '532 utr', 'snp rs14491030', 'rate analyzed israeli', '94 protein', 'composition chicken', 'ranging 19 29', 'pig ib', 'pathway related immune', 'pgf gene significantly', '5064 animal participating', 'cause devastating', 'qtl controlling adiposity', 'layer allele', 'pietrain meishan', 'key regulator beta', 'emmax imputed genotype', 'heritable moderate high', 'study emphasizes', 'focused single tissue', 'number variation analyzed', 'cell overexpression', 'spore aspergillus fumigatus', 'disorder ii clinical', 'qtl minor', 'tested mastitis time', 'rat mouse indicates', 'lamb including purebred', 'embryonic mortality role', 'method allowing', '30 significant snp', 'analyzed number insemination', 'posttranslational modification protein', '356 617', 'deviation deregressed', 'govern variation', 'pleiotropic effect spawning', 'subcutaneous white', 'trait confirming', 'different susceptibility', 'lipe igf1 igf2', 'longissimus muscle lm', 'affect proviral', 'day milk fat', 'numerous genetic environmental', 'traditional single trait', 'slovenian belgian', 'factor confer', 'statistical approach single', '300 age', 'addition best', 'detection scan', 'coding melanocortin', 'chromosome remained', 'able exclude c1843t', 'prefer indigenous', 'signaling combining', 'family program', 'comparable callipyge phenotype', 'drosophila make extremely', '14 dna', 'group gene', 'snp fixed effect', 'gene located finally', 'production unraveling genetic', 'sample accounted', 'study gm specific', 'model using cattle', 'feathered foot trait', 'consistent 10', '19 breed using', 'strain 40', 'genome selection represents', 'biosynthesis association detected', '107 respectively', 'australia detect', 'lincoln unl commercial', 'wbsf measure', 'conducted 152 divergent', 'overall significance', 'white coat pigmentation', 'model fe', 'association chromosome 18', 'pp chromosome', 'exceptionally high prevalence', 'revealing strong', 'variance qtl mapping', 'respective candidate', 'chicken subsequently', 'efficiency gga2 anatomy', '05 combination', 'deep sequencing', 'pathological condition little', 'pig industry mainly', 'gwas worthwhile pursue', 'identified suggesting', 'ability approach', 'established crossing european', 'qtl located vicinity', 'accuracy genomic model', 'adg possibly correlated', 'level particular identified', 'intake weight gain', 'disequilibrium genomic', 'codon arginine', 'frequency allele', 'genotyped 1417', 'affecting brd', 'association ltn', 'difficult identify', 'polymorphism material method', 'composition explain genetic', 'revealed 70 transition', 'qtls ssc4', 'set 101 association', 'single intronic', 'familial relatedness', 'breed 8308', 'mutant genotype', 'production wool carcass', 'size control line', 'calving difficulty cd', 'measurement defining trait', 'silent substitution 42895', 'crosses generated', 'variance fi1', 'chip ghana tanzania', '078 sd 018', 'ancestor domestic pig', 'lipoprotein receptor related', 'pig population 350', 'trait condition control', 'providing 6911', 'function position finding', 'snp rs109923480 gwas', 'evident aim perform', 'phenotypic correlation', 'using mastitis case', 'domain source', 'effect ranged 25', 'information molecular mechanism', 'difficulty holstein friesian', '29 autosome chromosome', 'background gene accounted', 'carcass trait 153', 'parity negative parity', 'using control versus', 'associated seven new', 'map infection resource', 'study new splice', 'control candidate gene', 'indicated indirect effect', 'bta04 bta13 previously', 'multibreed gwas useful', 'cd46 gene likely', 'commonly attributed', 'gene putative qtl', 'test record 556', 'situ hybridization fish', 'qtl fa composition', 'son estimated breeding', 'dam related association', '19 duroc', 'social separation exposure', 'chicken determined sex', 'bp chromosome', 'assessed animal transported', 'demonstrated 27534932a', 'sequence candidate gene', 'revealed 12 668', 'previously putative quantitative', 'demonstrated rs330779504 snp', 'pathway involving gene', 'aquaculture population investigated', 'association analysis validate', 'cytokine response', 'selected analyse half', 'hapmap49848 bta', 'tissue 335 f2', 'associated performance fatness', 'appearance product', 'bull granddaughter design', 'fcr 05 concluded', 'test 10', 'deviation locus', 'registered angus bull', 'humoral cell mediated', 'basis adaptive', 'apart strongest new', 'conclude gene', 'pepsinogen concentration exactly', 'associated bw body', 'greater 35 generally', 'performance quality trait', 'involved activity', 'breed described', 'experimental population commercial', 'relationship single nucleotide', 'spectroscopy mir recently', 'intake critical', 'mdv md', 'study help understanding', 'sample exhibited', 'sheep model', 'birth weight data', 'ssc14 region quantitative', 'selection resistance', 'calcium metabolism insulin', 'fatness body composition', 'lipid trait 45', 'mb syntenic candidate', 'using video image', 'dam genome', 'adipose accumulation', 'prlr sequence', 'genotyped pedigree based', 'assessed longissimus', 'wld type', 'model case', 'detected holstein cattle', 'agent zoonotic tuberculosis', 'chicken objective conduct', 'identified snp ccl2', 'trait teat number', 'gain identified gene', 'locus additionally locus', 'available 1629', 'identified porcine', 'qtl sib', 'tga apob gene', 'growth carcass size', 'second performed', 'weight bone muscle', 'mapping chromosome associated', 'aj885515 159a', 'zebu dam applying', 'advance ascites', 'circumference snp', 'collected used perform', 'red yellow draft', 'sib grouping', 'using generation intercross', 'nm parity group', 'present approach', 'identified 23', 'isoleucine atc', 'efficiently reduce high', 'chromosome ssc 12', 'demonstrate qtl effect', 'member genotyped', 'streptococcus dairy', 'genomic window relatively', 'tolerance heat shock', 'approach sampling dna', 'bb 47 45', 'polymorphism indicated', 'representing acute disease', 'chinese advantage', '45 lt ph', '35 79', 'calculated change', 'study share', 'ap 295', 'small difference belgian', 'bull h4h4 haplotype', 'mapped gga5 gga23', 'beneficial fatty', 'blood gas appear', 'ryr1 gene', 'beadchip result using', 'gwas method used', 'investigated diallelic dgat1', 'mineral content milk', 'bco2 considered', 'marker backward', 'mir 491', 'region 01 fat', 'originated red maasai', 'snp mean platelet', 'resistance dominance', '232 animal', 'charolais zebu ma', 'snp 44 trait', 'record genomic', 'increasing information content', 'bm415 chromosome bm6425', '039 respectively total', 'estimate genomic', 'rr cattle population', 'population account', 'quality major', 'reporter activity follicle', 'basis complex mode', 'mastitis objective present', 'milk product important', 'rate result mlm', 'result population displayed', 'determinant oc spanish', 'subcutaneous fat detected', 'study genome wide', '68x20 genotypic model', 'lod score 45', '6173 record', 'zinc finger cluster', 'binding site bacterium', 'selected single nucleotide', 'unlinked background', 'based eqtl', 'breeding value used', 'showed perfect segregation', 'rs312463697 chromosome', 'digital photo visual', 'sd minolta', 'lactation stage', 'network pathway', 'ph24 ssc17', 'prolificacy 255', 'random gene sets', 'proportion estimated commercial', 'explained snp information', '1330g showed significant', 'analysis revealed statistically', 'changed increase fast', 'mode residual', 'postmortem examination', 'spectrum different', 'cy dairy cattle', 'data bovinehdbeadchip', 'seasonal reproduction', 'statistic suggested', 'calf 38 unaffected', 'linkage based', 'strength population', 'inheriting different', 'corepressor ncor1', 'dermal shank', 'site specificity', 'chromosome sw1856 chromosome', 'analysed effect', 'housed pig', 'qtls significant suggestive', 'fatty acid ratio', 'study result confirmed', 'qtls gene ontology', 'respectively body', 'gwas analysis highlighted', 'bta14 decr1 polymorphism', 'carry phenotype targeted', 'support role controlling', 'linked finding support', 'confirmed silico translation', 'cycle seven', 'important insight', 'result combined selection', 'gene based human', 'making marker assisted', 'wide interaction analysis', 'tackling complexity genetic', 'area 113', 'le human cattle', 'parent partially reduced', 'production phenotype fat', '10 ovine hapmap', 'bf ssc1', 'identify mb', 'effect lp objective', 'white leghorn red', 'estimate traditional', 'animal phenotype recorded', 'detected study used', 'gwas revealed 10', 'eqtl gene', '47 95 sd', 'autosome 18 related', 'compared case', 'participating deltagen paint', 'health issue abortion', 'oar using', 'streptococcus dairy cow', 'important trait commercial', 'value trait specific', 'ulceration cornea', 'improve ifc changing', '5678784a snp', 'born 2013 fleckvieh', 'showed mirnas', 'currently unavailable infected', 'including different ptm', 'allele qtl food', 'used develop', 'chromosome 24 linkage', 'kg se', 'beef fat', 'estimated s0008', 'crh gene', 'stearoyl coa desaturase', 'conducted single', 'additionally 25 gene', 'mutation associated', 'previously trait examined', 'animal end fat', 'level threshold 10', 'retinol metabolism', 'sequencing itih', 'suggesting considerable portion', 'c1q binding protein', 'correlated drip', 'associated transcription level', 'snp surveyed', 'color estimated heritability', 'chump loin breast', 'extra source', 'ranged 09 22', 'trait mqts', '13 21 associated', '967 858', 'common involvement energy', 'crucial role uptake', 'family consecutive', 'activates suppresses', 'animal fed grass', 'function immune', 'produced crossing', 'respectively lamb', 'mrna employed', 'carcass trait great', 'microsatellite bms490', 'analyzed medium density', 'heterozygous type 562g', 'behavior performed', 'kinesin protein trak1', 'analyse causative gene', 'chicken hmga2 gene', 'method called', '95 bayes credibility', 'number shell', 'result obtained increase', 'feather pecker different', 'fat thickness bft', 'inra133 ilsts090 chromosome', 'pleiotropic effect monounsaturated', 'variability sample panel', 'pro192leu coincident', 'qtlexpress qualified qtl', 'factor igf1 gene', 'hen economic', 'candidate imprinted', '11 bta 22', 'precursor lg', 'region eca3', 'level isu uoi', 'region gene', '31183170t recognizable', 'reliable power gene', 'global equine', 'imputation increased marker', 'entire porcine genome', 'cm bft', 'pedigree including', 'analyzed association', 'affecting biosynthesis metabolism', 'force maximum compression', 'sorcs2 involved network', 'gene generally', 'propagation salmonella poultry', 'variation prrsv', 'yearling measured', 'gram positive', 'age attainment', '10 size', 'using window', 'nucleotide snp explore', 'qtl differentially', 'susceptibility enterotoxigenic', 'tentative association', 'growth response ndv', 'basis mineral', 'spot frequency', 'vaccenic acid 18', 'significant veterinary financial', 'fewer qtl parent', 'alui genotype showed', 'data dairy', '10 pig line', 'age post weaning', 'ancestral red junglefowl', '168 38 171', '16 value', '159 microsatellite marker', 'caspase iap psap', 'intron significantly', 'cleaned skeletal material', 'fairly ancient mutation', 'threshold particular identified', 'diameter second', 'bovinos corte', 'summed specie anatomical', 'mitochondrial mrna controlling', 'sample bacteriological analysis', 'effect marbling wbsf', 'responsible subcutaneous fat', 'healthy tissue single', '2350 cm average', 'new insight', 'sire beefbooster m1', 'using family based', 'chromosome 13 16', 'chromosome cattle', 'evaluated based', 'ultimately implementation', 'age recorded', 'increased incidence', 'prp genotype trait', 'slc3a2 zdhhc5 coq9', 'molecular characterization genome', 'stage relatively', 'investigated pcr single', 'distributed half', 'bw gain 001', 'criterion tested determine', 'pig base population', 'enhanced 18 18', 'time higher', 'suggest variance component', 'individual animal based', 'red blood', 'concomitant genetic', 'measured follicle', '2228t promoter region', 'likelihood putative', '219 south', 'reproductive phenotype directionally', 'mapped qtl study', 'density bvs model', 'chromosome unassigned', 'reverse transcriptase', 'swine hereditary disease', 'infection related severity', 'clinical mastitis somatic', 'composition role', 'rnaseq data', '25316t utr', 'genetic correlation rg', 'normal protein', 'non typical', 'program marchigiana breed', 'oc radiographic', 'kinase adenosine', 'tropical composite', 'harbour newly', 'validated larger', 'alpha calculated allele', 'f41 etec', 'potentially applied', 'using estimate', 'coincided known qtl', '4841 holstein', 'genome analysis carried', 'dominance considered', 'head carcass', 'year area', 'advantage classical', 'respective position', 'pig important', 'soxhlet petroleum', 'selection litter', 'predicted herd year', 'breast shoulder obtained', 'cnvrs overlapping', 'aggressiveness disease', 'chromosome ssc near', 'analysis based silico', 'information confirmed', 'group animal 5453', 'test trait', 'day ultrasound scan', 'total gene identified', 'study variability bovine', 'linkage disequilibrium associated', 'association pax3', 'block containing cnv12', 'upstream element', 'berkshire grandsires', 'expression suppressing', 'total variation', 'simulation application', 'fertility important determine', 'decarboxylase odc', '81 cm 22', 'tissue including', 'united kingdom', 'unique backcross pedigree', 'american yorkshire', 'qtls used', 'test station total', 'variance 91', 'based estimated allelic', 'bovine milk like', 'blood sampling performed', 'nematode resistance counted', '14 dpi', 'pecking victim grew', 'piglet 18', 'reported hydrolyze succinyl', '13 mb significantly', 'mb chromosome 10', 'pex7 ssc enssscg00000022338', 'result main milk', 'criollo derived', '13 radiation', 'marker trait combination', 'genotype 05', 'major gene ovulation', 'significant suffolk family', 'enzyme stearoyl', 'fat tissue', 'chromosome slc11a1 region', 'analysis performed 100', 'sw1943 region', '80 cm variance', 'linked gene broad', 'involved step', 'qtl significant chromosome', 'genotype snp predicted', 'hypothesize predominant', 'biochemistry ultimately meat', 'recently associated gene', 'recognized presence', 'earliest gwa report', 'evaluated 19 trait', 'production trait exon', 'north american jurisdiction', '58 arq', 'qtl muscling carcass', 'previously detected meat', 'sensory property', '989 low 285', 'ewe polymerase chain', 'candidate gene resolution', 'population 897', '00 10 calculated', 'correlated trait contributing', 'increased imf', 'quality trait italian', 'snp12 etv1', 'footrot important cause', 'vwf snp', 'chicken genome significant', 'qtl method trait', 'aim study quantify', 'dysgalactiae escherichia coli', 'studied difference', 'san diego', 'broiler meat type', 'distributed genome', 'long noncoding rna', 'family genotyped 182', 'conclusion using step', 'economically important pathogen', 'cd ab effective', 'identify evaluate', 'ld linkage mapping', 'marker trait related', 'ngf nerve growth', '2325 snp', 'backfat thickness selection', 'haplotype landrace', 'immobility ti', 'candidacy trait', 'apical ectodermal ridge', 'workability trait', 'vaccine cure', 'level human', 'expression regarded', 'diarrhea virus', 'new previously published', 'selection force locus', 'displayed narrow confidence', 'step forward', '13 analysis', 'frequency western', 'including linked', 'mineral tissue', 'using growth curve', 'val new dataset', 'product important', 'effect sire dam', 'hd genotyping array', 'neurological disorder significant', '15 16 17', 'body leg', 'arl8a phlda3 lad1', 'region affect parasite', 'metabolism linked contained', 'study 85k single', 'based genotyping sequencing', 'chromosome 14 radiation', 'recent study confirmed', 'genotype exon', 'haplotype applied', 'obtained low', 'ser15ile thr257met effect', '47 45', 'recently vaccination', 'relevant association snp', 'hybrid bull', 'sod1 gene sod1', 'idh3b ryr2 nol4', 'yielding genotype', 'rfi difference', 'allele predominant analysed', 'calpain gene', 'resistance measured', 'luxi luxi', 'multiple pathogen virulent', 'seventh rib polymorphism', 'higher slaughter weight', 'skeletal material case', 'time periods', 'unlinked background gene', 'comparison wise level', 'cast taurine', 'developmental change body', 'snp array hybrid', 'cattle objective research', 'noncortical bone introduction', 'conclusion significance result', 'epr measured week', 'service age', '18321523 medial', 'rump length hap3', 'gwas revealed total', 'swine identified qtl', 'breed china segregated', 'considered controlled af', 'disease pattern', 'mean homozygote ubl5', 'mapping resource population', 'role establishment', 'technique association analysis', 'consisted 46 882', 'architecture vertebral number', 'pcr sscp strategy', 'square analysis seen', 'qtls 10 fatty', 'exon utr', 'atpase member', 'improve swine growth', 'locus evidenced', 'alter fatty acid', 'nv bmc fecx', 'related humoral innate', 'qtl signal suggested', 'level rna', 'better understanding', 'weight eye muscle', 'bms2508 family qtl', 'distal centromere near', 'random qtl effect', 'suggests unknown mutation', 'supported role', 'cattle detected', 'linkage disequilibrium phase', 'detected significant effect', 'horn production', 'qtl pair', 'daily gain slaughter', 'located vicinity', 'detected qtl 118', 'distance existed', 'fatty acids elovl3', 'allele substitution significant', 'associated lp respectively', 'fabp gene swine', 'process remains', 'production large number', 'protein somatic', 'sheep population', 'finding research', 'aid marker', '43w ew43', 'inheritance qtl', 'gene closely linked', '10 maternally', 'calf birth', '198 horse subjected', 'including 50k genotype', '52 microsatellite', 'bta14 summary', 'trait group', 'wide range postmortem', 'landrace duroc animal', 'effect dam', 'region regional genomic', 'number known', 'hic1 drive antitumor', 'family challenge protozoan', 'novel informative marker', 'previous candidate region', 'genotype lumbar number', 'procedure used', 'seven haplotype combination', 'measured 40 60', 'influence meat', 'trait female', 'effect average', '32 genome wise', 'conception days open', 'control female reproductive', 'fat deposition pig', 'plumage colouration', 'family previous genome', 'chromosome hsa region', 'originated layer', 'present work ovine', 'bta marbling', 'developmental stage 05', 'interestingly animal', 'racing success likely', 'rfi measure functional', 'trait locus linked', 'progressive lymphedema cpl', '30 marker associated', 'region aa substitution', '283 640', 'uncovered 285', 'phenotype respectively gwa', 'rs132865003 rs134340637 fasn', 'gushi chicken anka', 'detectable simple reliable', 'investigated day', '27 05', 'averaged estimated breeding', 'production protein fat', 'lactose yield concentration', 'pew pbm conclude', 'model model', 'taste cooked', 'ancestor improve prediction', 'birth affected adult', 'incorporated selection', 'polymorphism ovine myostatin', 'jersey genomic association', 'locus strategy gwas', 'study revealed white', 'accounted significant', 'weekly live', 'hanwoo significant', 'white sheep nw', 'representing breed polish', 'white breed breed', 'dilution phenotype convincing', 'expression association replicated', 'new knowledge help', 'identified 13', 'loss ld post', 'uterine length', 'region gluc', 'new zealand sample', 'set originates', 'ssc3 associated 45', 'analysis showed 9657c', 'ghr gene respectively', 'marker revealed single', 'narrowed region 591', 'trait highly correlated', 'work validated alternative', 'lost influence', 'vaccine prevent ovlv', 'correction backfat', 'role fe', 'oc hock', 'including primary mirnas', 'incidence gpt female', 'status sire total', 'understanding resistance', 'significantly associated wb', 'level propose', 'underlying mutation', 'region related immune', 'applied milk trait', 'genetic marker genotyped', 'performed fertility', 'ssc8 01 ssc12', 'distribution marker genotype', 'snp trait significant', 'narrow heritabilities', 'kit associated', 'indicate acsl1', 'increase milk fat', '58 sib', 'lactation different parity', 'qtl litter size', 'beadchip total', 'possible using data', 'osteogenesis cell differentiation', '137 mb', 'wide level seven', 'bilateral eye depigmentation', 'femur length', 'previously detected nordic', 'ssc3 muscle', 'using genomic selection', 'km time suggestive', 'animal body size', 'comprising spop', 'investigate genetic effect', 'protein phosphorylation apoptosis', 'weight reported', 'finding useful exploring', '10 fat yield', 'genotype identified 313', 'candidate milk', 'elovl6 strong', 'experiment experiment', 'commercial population lohmann', 'live skeletal', 'gir sire', 'per1 per2 pck1', 'purpose study identify', '48 mb androstenone', 'enox1 involved', 'meat quality located', 'application association mapping', 'total 071', 'ssc1 suggesting', 'gwas using case', 'pig susceptibility enterotoxigenic', '63 mb', 'associated breakdown', 'mc fp bta', 'mechanism significant interaction', 'haplotype f2', 'gwas summer milk', '31 66', 'inducing maturation', 'level determined chromosome', 'qtl position increased', 'microsatellite marker putatively', 'correlation log10 values', 'dairy capacity composite', 'detected fwec', 'syndrome connected recently', 'showed nucleotide variant', 'genotype involved', 'utr tnp1 mediated', 'refined study 360', 'population identification qtl', 'modeled qtl', 'puberty suggests regulation', 'dik0079 20 cm', 'study ass', 'motif region shown', 'trait significant genome', '11 newly developed', 'quantitative computerized', 'quality control genomic', 'detected oar6 oar18', 'increasing protein bpi', 'porcine mttp genotype', 'bp exon 10', 'response future fine', 'map copy number', 'percentage 11 total', 'curvature fibre clean', 'microarrays target discordant', 'steroid large', 'proposed polygenic', 'seven herd brazilian', 'pathway conclusion finding', 'breed generation', 'leg joint result', '20 significant qtls', 'herd f2', 'longissimus semimembranosus commercial', 'inclusion snp chromosome', 'agrees evidence', 'c10 lauric acid', 'disease described parasite', 'yield close', 'snp27 snp28 utr', 'regrouping associated', 'bta5 combined', 'data refined genomic', '120 150 180', 'offspring qtl detected', 'confirm segregation', 'pleiotropic qtl influencing', 'lightness backfat', 'phenotypic variance trait', 'single marker revealed', 'indicate qtl affecting', 'zebrafish danio rerio', 'detect potential genetic', 'trait dgat1 polymorphism', 'produce extremely', 'aimed understanding', 'sd controlled multiple', 'genotype major egg', 'ssc17 fine mapping', 'quality conducted using', 'partial utr', 'estimated chromosomal position', 'elucidate biology disease', 'suggestive significance qtl', 'selective breeding study', 'snp 10 mb', 'population result limb', 'respectively additional region', 'pooled analysis', 'grandsires 716', 'class transcription factor', '44 female', 'sequence hypothesize', 'itih 05 haplotype', '22 finally', '46547859c snp', 'disequilibrium haplotype', 'comb relatively high', 'cow different genotype', 'current qtl', 'gne cplx1 conclusion', 'described course', 'described study confirmed', 'including chchd3 backfat', 'weight previously', 'lei0101 linkage analysis', 'lean pig', 'qtl model led', 'difference subspecies', 'resequenced vrtn', 'set previously', 'validated combined linkage', 'ancestor improve', 'chromosomal region 24', 'knp yorkshire', 'population investigated genetic', 'development large genetic', 'trait demonstrate approach', '600k affymetrix', 'adrb2 gene', 'notably significant association', 'difference beneficial haplotype', 'qtl effective', 'caused qtl small', 'lumbar number', '50k beadchip', 'detect trait specific', 'point different', 'qtl showed effect', 'polymorphism protocol', 'skin thickness', 'population genotyped 183', 'outbreed experimental', 'increase frequency', 'conserved kit locus', '5643 283 607', 'complex longitudinal trait', 'using 464 angus', 'igf gene', 'eca 26', 'advantage linkage', 'btas 14 18', 'participate gonadotropin signaling', 'beadchip wssgwas uncovered', 'informative polymorphism', 'breed crossbreed bon', 'mutation affecting milk', '32 pietrain', 'percent protein percent', '56 kg 049', 'guanylate kinase', 'female chicken controlled', 'frequency finding', 'assembly equcab2 marker', 'slaughter animal genotyped', 'population addition 33', 'ovlv infection', 'model revealed sheep', 'mycobacterial culture', 'association map', 'arabian german warmblood', 'gwa report', 'ssc tn', 'gene bovine milk', '741 lactation', 'offspring brahman hereford', 'subsequent immune response', 'effect snp similar', 'estimated solving', 'value relative', 'differing historical', 'human mouse rat', 'screening trait associated', 'combined genotype', 'performed quantitative trait', 'described qtl suggestive', 'indicating potential regulating', 'drop used', 'shown sensitive accurate', 'swine leukocyte', 'new meat', 'riboflavin status', 'process underlying complex', 'trait related disease', 'cer sphingomyelin', 'communal natural pasture', 'significant signal reaching', 'phenotype convincing recombination', 'associated stature', 'using weighted', 'intake hallmark', 'capn3 significantly', 'bta13 intergenic variant', 'logistic model', 'identified region contained', 'mb ssc14 141', 'broiler study generated', 'quantitative analysis data', '121 mb significantly', 'line method', 'v371m analysis data', 'significantly dermal hyperpigmentation', 'record aged', 'qtl bta23 sequence', 'resistance mdv including', 'gca 01 01', 'twh described', 'detected igf1 snp', 'composition pork quality', 'cdk5 nf2', 'identified variety', 'employed detect cidec', 'increased accuracy', 'parity differed', 'study population qtl', 'knp yorkshire breed', 'complex bradyzoites', 'bind directly', 'rflp method association', 'cla ruminant milk', 'performed ssc1 qtl', 'psmc1 identified association', 'coincided known', 'overall result', 'percentage qtl near', 'region recombination coldspot', 'variance attributable chromosome', 'potential influence', 'suggestive quantitative', 'weight average daily', 'step size training', 'bta18 vicinity', 'color chromosome marker', 'milk cheesemaking property', '26th exon bp', 'identified sequenced', 'mutant sheep', 'linear measurement carcass', 'osteoporosis previously', 'qtls related', 'day ph gizzard', 'based ld mapping', 'rectal temperature', 'metabolism proposed lead', 'protein percentage muscle', 'notch signaling glycerolipid', 'horse objective', '102 potential qtl', 'pig1 4m', 'literature large', 'behavior conclusion identified', 'analysis regressors additive', 'ssc8 rs81332615 ssc13', '0005 0001', '954 f2', 'site molecule essential', 'conformation linkage', 'intake hallmark finding', 'shape trait estimated', 'biochemical property', 'redness measured loin', 'control set', 'mechanism acquired immunity', 'provide insight tail', 'site associated dna', 'salmonella enterica', 'firstly genome wide', 'yorkshire population end', '17 variance population', 'glycolytic potential genome', 'population size', 'shown associated ear', 'cattle aimed identify', 'record used genome', 'small effect bcwd', 'search gene environmental', 'lipizzan horse animal', 'research report association', 'locus shown', 'breeding genomic', 'rdw measured 1420', 'ratio substitution', 'reactivity qtls', 'moderate heritabilities 15', 'technique obtained 498', 'sytl3 bind regulate', 'redness lightness yellowness', 'native chicken efficiency', 'udder score distinct', 'build 50k', 'association lg csn3', 'chromosome associated loin', 'pbm 05', 'porcine snp60', 'substitution associated', 'correlated earlobe color', 'additional qtl able', 'bone reabsorption intermediate', 'genome wise significance', '332 position', 'genetic effect significant', 'allele dam', 'follistatin fst involved', 'high heritabilities breed', 'mass fertility immunization', 'reducing disease incidence', '918 daughter', 'method moderate', 'arabian quarter warmblood', 'qtl associated leg', 'capacity trait measured', 'score 400', 'marker qtl', 'operator model', 'cattle evaluated', 'governed intestinal', 'distribution trait', 'electric conductivity ce', 'report result gwass', 'conducted second', 'cm wt wt', 'protein altering', '10 006', '14 eca', 'located von', '001 05 respectively', 'degree piebaldism holstein', 'population consisted 14', 'ii apovldl ii', 'population prior implementation', '001 significant', 'rao susceptible case', 'variant responsible highly', 'estimated chromosomal', '11 69', 'addition investigated', 'set effectively', 'size statistical', '20 provided distribution', 'total 147 genome', 'associated yearling height', 'mapping rhm analysis', 'genotyped 43 698', '15 week', 'mammal objective study', '05 mum', 'previously identified mutation', 'missense mutation abcd4', 'fitted fixed covariate', 'population explaining substantial', 'foxp1 es alternative', 'rea observed suggesting', 'thicker backfat', 'general population used', 'using successive cross', '15 23', 'effect apob gene', 'identify qtl common', '14 conformational trait', 'measured precipitating', 'approach haplotype sharing', 'permutation 10 24', 'circumcincta specific antibody', 'building panel marker', 'resolution radiation hybrid', 'study present newly', 'stomach weight stw', 'animal 226', 'breed total 29', 'component commercial', '27 associated', 'mutation growth differentiation', 'region ovis', 'sibship 265 parent', 'expressing f4 fimbria', '34 051 815', 'chromosome highly significantly', 'control ranged', 'approach fit different', 'genomic variation', 'vstm1 irf3', 'production trait essential', 'percentage fp protein', '10 vf2', 'study used candidate', 'associated fmdv trait', '83 mb', 'finding suggested polymorphism', 'size place second', 'teat size', 'beadchip linear model', 'ketosis hydroxybutyrate', 'significant association milk', 'ram meat', '01 level', 'load japanese black', 'understanding molecular determinant', 'negatively correlated rfi', 'flanked marker dik4782', 'heritability component', 'born snp explained', 'proliferation cell', 'model soon', 'qtls divided group', 'design analysis 570', 'qtl proximal candidate', 'relevant qtls reported', 'industry somatic', '13 17', 'genetic impact long', 'shoulder yield absent', 'ssc7 comparison qtl', 'used directly', 'trait chinese', 'function wound healing', 'study genetic influence', 'marker recombination', 'loss kera', 'identification genetic region', 'number embryo', 'fec used', 'capturing vector', 'marker interval likely', 'analyzing commercial', 'genetic marker snp', 'myxobolus cerebralis lead', 'compared identify concordant', 'known new', 'mhc known play', 'genomic segment relevant', 'polymorphism cbg biochemical', 'facility selected', 'deposition additionally', 'determined main', 'fo like ap', 'berkshire performed imf', 'overlapping region', 'parity considered', 'effect include excessive', 'number swine', 'backfat tenthrib loin', 'rna mainly', 'qtl explains phenotypic', 'pig result european', 'simplistic genetic model', 'f1 cow national', 'swr1637 haplotyping 7637', 'addition principal component', 'investigate method', 'suggest myf', 'ma functional', '22 significant quantitative', 'born 2012 2013', 'detected potential polymorphism', 'npy gene', 'association study fisher', 'genomic level', 'associated percentage type', 'set gene involved', 'color especially gene', 'hypothalamus data', 'score mar', 'taken account adjust', 'sequenced potential', 'mean estimated', 'hapmap49848 bta 106779', 'role complex trait', 'previous publication tested', 'juiciness haplotype associated', 'additional application', 'kbp window', 'local breed', 'industry environmental condition', 'significant snp 05', 'gene correlated', 'marker 300', 'including f4', 'romanov texel', 'development improve', 'extent polymorphism', 'similar study facilitate', 'classification identified', 'important aspect genetic', '431 885 snp', 'american holstein norwegian', 'chicken report', '16158g snp', '39692 77260', 'affect promoter activity', 'time occurrence studied', 'cm 55', 'correlated disease resistance', 'bridging breakpoint', 'chromosome 10 rs315831750', 'difference observed different', 'subtraits validate', 'affected 47 unaffected', 'afabp gene', 'microsatellite genotype detected', 'gene affect mineral', 'sequence variant region', 'glucocorticoid receptor gr', 'grandsire family 29', 'separated fat', 'polymorphism showed strong', '638a 465c 353c', 'variation vital understanding', 'type association', 'hg bird', 'chromosome ssc4 ssc7', 'pathway theoretically', 'rs13684616 strong linkage', 'resistance md defining', 'condition infection corresponding', 'appeared low', 'power genome', 'detected effect', 'qtl connected', 'region hmgcs1 drastically', 'distal region', 'expression level prkag2', 'receptor mc4r proopiomelanocortin', 'single copy lm', 'mdv pm', 'ethical reason surgical', 'chromosome qtl repeatedly', 'importance criterion', 'triglyceride content cell', '64 total', 'forming network', 'molecular information', 'including piglet', 'confirm result gene', 'turn induced fshb', '20 cross', 'abcg2 evaluate association', 'weight 001 residual', 'loss salmonid aquaculture', 'polygenic genetic', 'causal mechanism fecx', 'thickness parameter lean', 'male 61 kgf', 'individual genotype tt', 'related trait human', 'activity chromatin', 'chicken leptin', 'routine evaluation united', 'daughter design cooperative', 'gene affect mastitis', 'exhibited change solely', 'cow fitness given', 'mouse response sge', 'heifer 483 cow', 'irish beef', 'candidate selecting superior', 'effect reflectance', 'present method', 'insr cfd', 'fiber type number', 'measured association genotype', 'pc able', 'h2 48 08', 'procedure selected population', 'tissue snp abhd5', 'frequency implied', 'impact development function', 'gwas result showed', 'disequilibrium locus', 'season vacaria heterozygote', 'yorkshire ai boar', 'function based', 'previously identified qtls', 'possible causal polymorphism', 'region carried map', 'meat production hu', 'holstein crossbred cattle', 'se direct', 'various cell tissue', 'evaluated qtl region', 'production objective study', 'effect meat carcass', 'using geneseek80k accuracy', 'chromosome identified qtl', 'genomic relationship', 'gene 939', 'physical appearance trait', 'specie estimated', 'exposure physical restraint', 'trait analysis better', 'qtl interesting result', 'simply genome', 'belonging 11 half', 'putative qtl trait', 'expand knowledge genetic', 'population farm drench', 'significant gwas imply', 'used estimate corrected', 'common haplotype haplotype', 'welfare little known', 'select animal high', 'effect trait broodstock', 'experiment gave highly', 'considered contrast previous', 'g16 individual', 'gnmt abcc10', 'indicated underlying genetic', 'category triglyceride catabolic', 'cm 16963', 'detected previous genome', 'cattle conclusion 591', 'finding brain neurochemical', 'casein content', 'size association', 'snp explaining genetic', 'group hook hmga1', 'yield 72 gene', 'plausible positional', 'expression corticosterone level', 'level cytokine toll', 'described study harbor', 'qtl identified maternal', 'trait establishes', 'bta6 relatively association', 'month weight result', '284 750', 'mineral density bone', 'base circumference body', 'equilibrium sample chi', 'ssc14 ssc17 total', 'estimate uncover', 'heterozygosity btb status', '550 day', 'reported fcr', 'binding protein c1qbp', '351 353', 'fat area relative', '354 147', 'strain hypothesizing', 'greatest pbm', 'ssc1 significant', 'g593a affected', 'bonferroni correction located', 'haplotype reproductive', 'pig italian', 'rs14011783 rs14011780 rs14011776', 'genotype identified', '10 affected', 'scurs persist population', 'contain significant', 'warmblood horse seventeen', '0097 allele substitution', 'polypeptide able candidate', 'qc jiaxian red', 'haplotype result provide', 'content statistical', 'multiple process', 'point population', 'underlying gene study', 'sire segregating locus', 'possible causality significant', 'microrna analysis helpful', 'rapid mutation', '25 suggestive 05', 'cloned homologous region', 'epidemiological information', 'bovine stature', '15 235 multiple', 'based following', 'detection qtl reach', 'production trait proximal', 'coccidiosis result', 'individual 300', 'positive selection', 'infected pasture average', 'g13781_13782del insag intron', 'health finding suggest', 'related trait little', 'response white red', 'genetic correlation 60', 'locus distributed genome', 'flanked sw2456 sw1943', 'linked innate immune', 'kit influenced', 'breeding improved meat', 'german landrace german', 'support polygenic inheritance', 'effect trait level', 'hsp90aa1 expression rate', 'background fat', 'snp14 approximately', 'square centimeter', 'herd life', 'low bone quality', 'spread blv', 'analysis 0007 seven', '12 16', 'examined effective', 'previously proposed polygenic', 'position revealed previous', 'lean type', 'member 12 slc2a12', 'previous literature 161', 'applied selective breeding', 'approach total 17', 'ld marker quantitative', 'ssc1 significant association', 'gene associated carcass', 'ibk susceptibility carcass', 'signalling pathway major', 'sod1 transcript', 'trait northeast agricultural', 'aquaculture ncccwa', 'calpastatin cast', 'controlled polygene based', 'optimal health production', 'identified promising', 'round despite selection', 'assay association study', 'based 165 marker', 'family conclusion', 'radiation hybrid panel', 'time causal', 'alternate haplotype', 'east friesian crossbred', 'ssc3 genotyped white', 'h4 sc h2', 'cause embryonic mortality', 'breeding feature pig', 'ag ga', 'microsatellite marker including', 'animal white duroc', 'prototypical trait calving', 'trait immunoblot analysis', 'region including region', 'polymorphism false discovery', 'tissue consistent qtls', 'afe tgc1tgc1 diplotype', 'analyzed daughter', 'animal model order', 'association odds infection', 'lumbar vertebra potential', 'influence intensity', 'estimate number major', 'number genotyped animal', 'snp ccl2 gene', 'reaching 05', 'candidate gene identified', 'pietrain f2', 'failure thrive', 'width newly', 'lwgt end farm', 'showed 12', 'partly converged', 'suggestive snp 03', 'involves evaluation sire', 'intestinal polypeptide', '29 80 weighted', 'olp reported genotype', 'average marker', 'gene lyrm4', '500 measurement recorded', 'confirmed linear animal', 'thickness weight muscle', 'utr gdf8 2449c', 'presence mutation', 'various snp rs81465339', 'detected chromosome trait', 'white breed hap1', 'percentage lysozyme concentration', 'respectively suggestive effect', 'overlapping 53', 'tanzanian local', 'german holstein bull', 'point association', 'tissue milk fat', 'variant gene 70', '133 microsatellite marker', 'duroc boar identified', 'comparison published result', 'haplotype minor haplotype', 'novel polymorphism luciferase', 'analysed selective', 'multiple location', '98 purebred', 'gene identified showed', 'platelet trait candidate', 'cd chest circumference', 'population comprising', 'growth trait seventy', 'identified chromosome iberian', 'enrichment analysis david', 'mapping accurate linkage', 'mh tt prrsv', 'pairwise epistases', 'method employed screen', 'economic loss concern', 'affecting trait gave', 'region effectively efficiently', 'combined holstein', 'independent design method', 'revealed heritable', '12 14', 'pneumonia important issue', 'melanin xanthophyll', 'increasing information', 'model analysis immune', 'marker genotyped f2', 'suggested foki pcr', 'resistance sheep confirmed', 'cosegregation genetic marker', 'ph ssc10', 'light bodied line', 'affecting rate growth', 'gene involved muscular', 'worldwide different', 'bp exon mutation', 'significantly different case', 'yield content associated', 'deregressed proof', 'index dfi tunel', 'chicken gwas result', 'qtl associated respiratory', 'porcine public', 'homozygote tt yield', 'content daily', 'marker sperm quality', 'underlying chemical composition', 'collected using 305', 'identified provides', 'region approach use', 'ass ability', 'mutation reported study', 'nucleotide exon', 'myeloid cell knowledge', 'concordance cis', 'progesterone level pregnancy', 'monophosphate activated γ3', 'rfi 25', 'information content snp', 'sib line cross', 'breed wipe', 'sc marker', 'help explain', 'required allow', 'efficiency pedigree', 'effectiveness dopamine', 'phenotype muscle performance', '30 male calf', 'herd cow clinical', 'eqtls enrichment analysis', 'quality mutation linked', 'localized slick locus', 'luh wov', 'blood play important', 'scored corrected', 'snp used impute', 'genotyped 55 microsatellite', 'cow increased indirect', 'paternal half sib', 'circulating serum prolactin', 'measure study selected', 'cattle granddaughter', 'snp smma', 'map wild', 'detected additional snp', 'possible positional', 'architecture dcd differed', 'angus bull born', 'different prp genotype', 'bft interestingly', 'heart weight body', 'purebred japanese', 'trait cattle applied', 'trait using maternally', 'endothelial differentiation sphingolipid', 'level propose candidate', 'piglet gene ppard', '60 100 cm', 'screening porcine chori', 'applying different analysis', 'result associated', 'bayesian approach association', 'body composition energy', 'tanzanian ecotypes ghana', 'breed asia europe', 'map position', 'microsatellites autosomal linkage', 'relatively simple humoral', 'year old 102', 'study variation', 'trait measure', 'inheritance qtl variance', '46 qtl associated', 'result definition map', 'snp genotype total', 'differed cross despite', 'model association algorithm', 'true causal snp', 'maintenance knowledge', 'time observed sire', 'disequilibrium surrounding snp', 'detected linkage analysis', '12 pft longevity', '250 day my250', 'trafficking data provide', 'matrix included genotyped', 'carried spleen cerebellum', 'population variance', 'variance imf explained', '9919 snp marker', 'associated interval', 'event 1217', 'covering 25 26', 'gene critical embryonic', 'rate rhm', 'promising qtl length', 'linkage underlying', 'characteristic equine', 'wide study revealed', 'cattle population based', 'lr 32 07', 'control mineral balance', 'mir 224 probably', 'likely difference family', 'landrace intercross ibmap', 'recorded herd 332', '1828 number teat', 'concentrate based', 'confidence interval classical', 'non genetic', 'qtl reported pig', 'qtl segregating berkshire', 'lea 02 result', 'interesting polymorphism cast', 'suggested rasgrp1', 'performed different', 'fragment mapped', 'c14 c14 index', 'evidence bta14 key', 'western chinese', 'qtl allele', 'gene influencing meat', 'heifer conception rate', 'region affecting pheromone', 'birth mature', 'dairy cow fertility', 'mef2 myotubes', 'susceptibility btb infection', '72 qtl', '253 bp allele', 'borne disease main', '25 gene chromosome', 'production change milk', 'improved understanding functional', 'region mineral', 'candidate imprinted locus', 'pig androstenone skatole', 'erhualian population', 'autosome result highly', 'fertility selective breeding', '12 genomic', 'gaussian assumption', 'revision cw region', 'addition locus associated', 'divergently selected outbred', 'variant constructing alternative', 'microsatellite marker genetic', 'line gene stood', 'acid composition abdominal', 'comparison result', 'bw sexual', 'including 225 case', 'steer result', 'fat muscle depth', 'function mchr1 pparα', 'bovine chromosome specific', 'data separate', 'accounted total', 'fmo1 fmo3 fmo5', 'gene backfat', 'relative female', 'increased composition', 'genotype ag', 'narrowed associated region', 'marker linked eggshell', 'mdv fowl typhoid', 'polymorphism breed', 'shorter additive', 'beadchip 606', 'used meat type', 'chicken h3h3', '371 genotyping represented', 'genotype 614', 'response regrouping associated', 'variation predisposition boar', 'marker ld distance', 'provide supplement', 'adl0371 gga3', '10 suggestive significance', 'lumborum ltl trait', 'study suggest primary', 'yield wl77', 'cspp1 fcer1g', 'located chr locus', 'including taste', 'model soon realised', 'exhibit great variability', 'genotype covariates weight', 'spongiform encephalopathy clinical', 'production mexico', 'improving reproductive', 'linked moiety', 'including etnk1 pde3a', 'mhc clearly demonstrated', 'beef cattle snp', 'landrace backcross', 'adjacent single nucleotide', 'medium density', 'resistance controlled oligogenic', 'substrate cbs higher', 'respectively regarding multiple', '57 duroc based', 'depth site eye', 'mainly holstein', 'elf3 dbh', 'qtl scan 31', 'unknown site', 'immune suppressive herpes', 'bta19 ccl2', 'identity level homological', 'lifetime milk', '266 progeny broiler', 'multiple european commercial', 'analysis porcine', 'yield hap aa', 'coccidiosis major', 'npffr2 crim1 rxfp2', 'body length luxi', 'hmga1 ssc15', '63 porcine gene', 'base change located', 'imprinted region human', 'small effect probably', 'demonstrated additional', 'breeding production consumption', 'previous association growth', 'additionally phylogenetic analysis', 'female swine', 'proliferation captured known', 'demand fine mapping', 'different breed adjusted', '16 high', 'method control fprs', 'identify genomic region', 'family disease', 'characterized quantitative trait', 'corresponded qtl region', 'bvd pi bvd', 'exhibit lower carcass', 'f2 86 f3', 'scan strongest', 'snp slc39a7 hmga1', '51 cm', 'porcine experimental population', 'genetic testing aid', 'important consequence adult', 'genotyped 261', 'striking variation horse', 'intron haplotype identified', 'carcass weight 05', 'large japanese black', 'enhanced power identify', 'extensive variation', 'level white', 'valuable indicator', 'significantly associated lifetime', 'associated intra', 'assigned new', 'component fasn scd', 'study result identified', 'cattle high proviral', 'selection approach knowledge', 'detected primer designed', 'linear correlation', 'performed linkage', 'identification 11 snp', 'disease metabolic process', 'snp 995a', 'protein hip', 'interations 349', 'performed furthermore', 'identified qtl previous', 'discrete variable', 'dorsi semimembranous muscle', 'analyze polymorphism mc4r', 'marker novel snp', 'binding globulin cbg', 'ssc association', 'chicken association osteoporosis', 'basis trait indicine', 'suggesting importance', 'obese erhualian breed', 'grade dressing percent', 'carcass composition meat', 'val ala', 'provide confidence possible', '1560 cm scored', '428357234 bta 18', 'likely polygenic nature', '161 snp genotyped', 'locus principal', 'growth rate trait', 'milk expression level', 'surgical castration', 'age dependent quantitative', 'locus low', 'technology roche usa', 'ctsk porcine', 'characteristic obtained', 'lactation production season', 'associated genetic correlation', 'bta3 cm', 'doping based', 'performed characterize qtl', '90 day', 'herpesvirus antigen induced', 'haplotype based rs13687126', 'associated tick', 'sheep selectively bred', 'determined 42', 'trait contribute', 'gwa analysis 33', 'mhc best', '442 met ncapg', 'td respectively bayesian', 'located 14 chromosome', 'network associated meat', 'bred steer', 'italian duroc pig', 'family dna', 'snp bta14', 'polish indigenous', 'outbred family 96', 'single marker association', 'spot14alpha gene tightly', 'yielding dairy cow', 'cast 155c snp', 'component litter size', 'susceptibility gene remain', 'suggestive association 10', 'losing statistical power', 'quantitative variation red', 'predisposition located sscx', 'image analysis lepc', 'porcine genome valuable', '109 single nucleotide', 'hw 30', '1097 holstein', 'marker haplotype analysis', 'sequencing ng', 'novel gene fads2', 'animal comprised', 'feed intake layer', 'comparison plasma', 'effect resulted significantly', 'acid composition role', 'bcwd resistance rainbow', 'post infection variant', 'exon t3602c exon', 'marker assisted selection', 'fertility cow', 'gene network cluster', 'quality trait breeding', 'structural bone', 'screen genetic factor', 'cn frequent cn', '12 week', 'ovary comparative', 'sacrificial culture erhualian', 'chicken experimental', '219 south german', 'backfat bmp2 loin', 'lead significant increase', 'gc approach genomic', 'investigate variation sheep', 'cytoplasmic polyadenylation', 'lepr allele', 'containing positional candidate', 'gene common fat', 'oocyte maturation', 'cell distribution width', 'chromosome following', 'exon mucin muc4', 'segregating parental', 'lw ms pig', 'given gain', 'region ass potential', 'tolerance chicken far', '272 boar 12', 'embryo objective', 'igg2 concentration', 'indicator meat quality', 'width breed luxi', 'novel indel mutation', 'qtl tg', 'qtl small conformation', 'hcr1 tbrd hcr1', 'rate estrus', 'associated fy', 'litter size number', 'duroc pig used', 'ghana study overlap', 'gwas revealed 21', 'trait qtl birth', 'combining traditional gwas', 'qtl reported trait', 'eye cancer eye', 'm3 model', 'ionized ca', 'recent completion', 'represents significant', 'identified 0001 dgat1', 'dam line female', 'model assumed m1', 'vrtn gene previously', 'index ovulation rate', 'detect pleiotropy', 'genotyped illumina porcinesnp60', 'ssc15 sscx', 'aside tmem154 gene', 'including pig main', 'associated milk production', 'hip circumference ssc17', 'region studied snp', 'impact variant gene', 'social behavior mammal', 'subunit beta gene', 'substitution effect beef', 'association 10 detected', 'locus qtl chromosome', 'odour given heating', 'polypeptide able', 'mas1 protein', 'region oar2', 'shoulder weight affected', 'study evidence', '1156 japanese black', 'case su', 'trait assessed finding', '79 543', 'study suggest opn', 'snp combined', 'cock tt genotype', 'economic importance dairy', 'ssc1 qtl', 'reproductive performance weak', '01 total 11', 'primary ciliary', 'chicken knowledge multibreed', 'assisted selection hanwoo', 'embryonic development adult', 'genetic analysis', 't3602c exon led', 'associated bone related', 'ssc4 phosphoenolpyruvate', 'bft longissimus', 'family genotyped 106', 'cm distal ilsts081', 'mhc locus result', 'line recent result', 'calving ease performed', 'regulation catenin', 'vertebra cl2 rib', 'involution genetic', 'protein percentage located', '82 td', '23 mb genome', 'information used analysis', 'new homozygote', 'ubl5 position', 'vasotocin receptor', 'allele association', 'testing using', 'pig large scale', 'shed light significance', 'growth trait conducted', 'eqtl gr hypothalamus', 'motility motility', 'vaccine world attractive', 'porcine fshr gene', 'ghrhr igf1 gene', 'yield 032', 'tissue expression pattern', '657 non roan', 'human pinpoint causal', 'suffolk animal', 'used detect association', 'carcass quality qtl', 'showed snp tgf', 'structure including', '49228 allele specific', 'different line permutation', 'ampk associated', 'applies infection', 'basis different', 'pelo located significant', 'embryonic skeletal muscle', 'odds infection control', 'yield fpcm dry', 'data approach', 'cut 01', '216 mxp 169', 'bovine chromosome allele', 'qtl breed breed', 'development ovulation', 'oc region association', 'landrace breed use', 'parity lactation stage', 'simultaneously affect', 'data brahman', 'measure rfi rfi1', 'trait pair homeologues', 'prepubertal gilt used', 'gene associated host', 'dna sequencing snp', 'posterior standard', 'expression animal', 'control response multiple', 'snp slaughter', 'skin integrity conclusion', 'fluorescent situ', 'evaluated meat quality', 'allowed identify snp', 'devoted production protected', 'rs43101485 rs43101486', 'parity 01 parity', 'regulator cell division', 'ssc7 explained', 'cross regard outbred', 'identified card15', 'founder varied depending', 'model detected growth', 'like receptor tlr2', 'achieved gapit', 'qtl located bovine', 'scan implemented', 'level metabolic turnover', 'age birth week', 'utilized average daily', 'value animal', '12 chromosome', 'ham tc', 'number af549499 502', 'chromosome explain', 'phenotypically extreme male', 'segment amplified', 'poorly informative', 'high pta', 'level adg', 'differential leucocyte', 'animal meat', 'clustered distinctly', 'polymorphism oarx', 'exploring functional', 'chip using', 'rtn 19 max', 'pc1 score', 'genotyping quantitative', 'qtls quantitative trait', 'qtl la 63', 'high allele', '12 contained predicted', 'intake rfi measure', 'mapping fatness gene', 'native chicken analyzed', 'primal meat yield', 'polymorphic marker passing', '489 suffolk', 'bta 14 located', 'heritability mapping', 'contribute inherited', 'prediction ca mg', 'greater random new', 'toughness measurement published', '01 genetic', 'damara fat tailed', 'enhance understanding genetics', 'ratio 15 obtained', 'located ssc7 erhualian', 'marker af broiler', 'detected identified interesting', 'line 12 fold', 'immunoglobulin iga activity', 'suggest role arg307gly', 'genome window explaining', '10 polyunsaturated', 'known increase', 'sm 47 sd', 'tropical dairy', 'effect dystocia stillbirth', '16 week age', 'illumina san', 'bf 150', 'literature approach', 'potential genome', 'statistical model prioritize', 'economic loss dairy', 'qtl2 97 cm', 'demonstrate gdf8 allele', 'architecture internal organ', 'significant daily', 'basis association carcass', 'west african cattle', 'furthermore chromosome', 'based snp discovered', 'estimate indole', 'containing known candidate', '26 mb significantly', 'reliability analysis result', 'snp marker effect', 'estimate heritabilities genetic', 'resistant animal', 'snp imf tested', 'fat1 qtl growth', 'protein lactose kg', 'snp growth hormone', 'based cheese', 'trait lacking', 'identification putative causative', 'polymorphism holstein cow', 'linked 31', '41 188 informative', 'a53861g a65188c', 'allelic inheritance', 'region susceptibility', 'leukemia virus', 'single model analysis', 'improving semen', 'paper demonstrated genetic', '15 24', 'coding rna aldbsscg0000001928', '38 snp', 'cow confirmed', 'hen conducted', 'calculated cm using', 'expression analyzed', 'investigate association abcg2', 'used identify genetic', 'identified 186 esnps', 'service 712 comparison', 'cm chromosome shown', 'imf duroc homozygous', 'statistic fat trait', 'information virus', 'estimated average allele', 'variation divergent population', '2011 illumina porcinesnp60', 'chromosome equus', 'line significant', 'associated foot leg', 'mir 200c functionally', 'variation cnvs marker', 'provide confirmatory evidence', '19 ubiquitin like', 'lipid human mouse', '77 62', 'cc greater chest', 'qtl unreplicated', '1894 multiparous assaf', 'experimental backcrosses based', 'important cause lameness', 'window support genome', 'bone hanoverian warmblood', 'length leg', 'reach statistical', 'included comparison individual', 'solar ultraviolet', 'target mitigating', 'gene contribute', 'f41 using', 'located region number', 'kg enhanced', 'level 10 qtls', 'positional information', '46 18 98', 'trait eqtl', 'factor gdf9 known', 'effect case obtained', '867 steer korea', 'cattle verify consistency', 'development process', 'line progeny randomly', 'zero binary nature', 'incidence boar taint', 'egg 57', 'major minor', 'glycolytic potential lm', 'lepc detected near', '93 bovine chromosome', 'useful alternative', 'chromosome ssc association', 'gpt breed analysis', 'lipopolysaccharide lp', 'modulation total fat', 'phenotypes genome wide', 'software used test', 'assessed dna', 'region present study', 'synonymous mutation remaining', 'test hypothesis segregation', 'porcine model', 'reproductive disorder known', 'qtl model', 'leg hunter loin', 'shared qtl conclusion', 'correlation trait showed', 'revealed locus rs43284251', 'associated 18 conformation', 'declare snp significance', 'foundation understanding different', 'cm identified', 'parity considered separate', 'lei0101 254 cm', 'advantageous selection improved', 'involvement chromosomal region', 'metabolic trait finding', 'pig based', 'carry genetic analysis', 'line qtl chromosome', 'qtl c14', 'variation prkag3 promoter', 'skin percentage fat', 'agricultural university broiler', 'pedigree based genomic', 'effect appeared tcf12', 'yield kg', 'detected genomic region', 'host response mastitis', 'pig breed', 'bms2508 chromosome wide', 'identified pbx1 rgs4', 'progeny family size', 'associated sb', 'joint genome', 'second ssc15 significant', 'value loin', 'cattle genetically', 'putative impact', 'heritabilities h2', 'important factor objective', 'susceptibility locus', 'rate afr recorded', 'map accurately defined', 'relevant mammalian specie', 'chr 13', 'cross analysed confirm', 'resulting cross line', 'trait aggressive', 'sibling family comprised', 'indigenous chicken green', 'higher osteochondral lesion', 'mutation tgc 241x', 'combination pedigree result', 'ph color postmortem', 'gene identification', 'understanding genetic variation', 'fertility birth', 'number new promising', 'large white cross', 'boar mayor', 'cross sections fifth', 'parametric linkage', 'fat explaining', 'analysis 33', 'count explored identify', 'pathway implicated meat', 'snp bta20', 'chain luteinizing hormone', 'carcass weight overlapped', '10 nn', 'gwas provide valuable', 'normande montbeliarde', 'porcine microsomal triglyceride', 'diego ca used', 'growth mapping', '2e 12 result', '214 highly', 'study analyzes host', 'tnb method', 'subfamily member lhfpl', 'analysis meat quality', 'weight snp', 'grading dissection eighty', 'phenotypic variance gestation', 'report suggesting single', 'detected 102', 'open single', 'stillborn piglet piglet', 'fi feed conversion', 'gaussian assumption trait', 'osteochondrosis oc injury', 'rising prevalence', 'genetically phenotypically extreme', 'inflammatory disease bovine', 'predict characteristic micronutrient', 'chicken green', 'population estimated study', 'hsd17b12 cacna1d', 'reached significance genome', 'reduced heritability rib', 'milk progesterone assay', 'meat colour thirteen', 'body composition bone', 'subcutaneous carcass', 'significantly associated resistance', 'trait livestock recently', 'considerable portion', 'cycle 040 heifer', 'gene 09', 'gwas single trait', 'controlled pig test', 'differentiation mammary gland', 'meat quality phenotypic', 'study offer optimal', 'advantageous qtl fine', 'significant using genome', 'like unpleasant', 'bft italian large', 'milk cheese', 'ssc2 achieved genome', 'importance steroid hormone', 'trait nucleotide qtn', 'allele inherited', 'line demonstrated muscle', 'male backcrossed 12', 'genetic distance result', 'prediction followed gene', 'significant module eigengenes', 'candidate gene association', '36 holstein', 'chl content genome', 'bcs live weight', 'cast polymorphism recently', 'snp gwas bone', 'allowed combination', 'sensory nutritional quality', 'ovinesnp50 genotype', 'trait 11', 'snp wool', 'role xenobiotic', 'imprinting qtl affecting', 'population includes', 'nutrition exacerbate', 'economic trait including', 'specie accompanied simultaneous', 'taurus indicus experimental', 'particularly animal hetero', 'total 119', 'forward selection locus', 'lamb revealed snp', 'developmental qtl involved', 'qtl protein ash', 'haplotype qtl independent', 'scrofa production number', 'beginning 1995 region', 'selection animal dairy', 'ass expected', 'experimental population map', 'explore genetic basis', 'associated traditional', 'milk fatty acid', 'association analysis carcass', 'desaturating stearic acid', 'landrace backcross animal', 'utilize natural', 'wide error', 'variant genotype showed', 'selection blup genomic', 'lmp porcine', 'program coordinated interbull', 'composition milk improve', 'chromosome significant', 'significance additive', 'evidence complexity applying', 'craniofacial abnormality', 'fatness economically important', 'breeding program support', 'furthermore progress', 'mutation bmp15', 'prlr gene significantly', 'production trait sc', 'min 24', 'performed white', 'breath individual cow', 'method fine scale', 'accordingly animal carrying', 'follicle hypothesized genetic', 'performed using general', 'sensory panel sp', 'important trait general', 'novel qtl identified', 'genotype influenced', 'using 2900 genotyped', 'activity il8', '1040t phe347ser', 'genotype relevant', 'scd lipogenic', 'acceptance investigate', 'added genotyped', 'ranged 18 43', 'dgat1 effect fat', 'experimental line selected', 'conformed correlation', 'trait oar1 average', 'effect tibiotarsal', 'revealed promoter', 'reported pig interesting', 'type type iia', 'gene involved differential', 'known total', 'defect chromosome', 'initial haplotype growth', 'fatness carcass meat', 'involving missing data', 'ecf18r ryanodin', 'semimembranosus drip', 'significant snp located', 'human domperidone related', 'vrtn lysine demethylase', 'life daily gain', 'used analysis identify', 'gh crh', 'investigate effect fst', 'previously mentioned', 'important characteristic equine', '1987 kosambi cm', 'underlie genetic effect', 'acute disease subclinical', 'cv fiber', 'age interval', 'gene frequency', 'target trait spindlin', '15 17', 'rdh16 stat6', 'total 31', 'program chicken', 'significance non parametric', 'qtl mastitis', '5000 infant', 'effect chromosome support', 'high production', '2836 included', '05 150 01', 'genetic background variation', 'bend cell response', 'tmem154 variant ovlv', 'cattle respectively', 'screen qtl', '1a il', 'computer data', 'map comprising 434', 'occur severe case', 'outcome identified', 'efficiency commercial', 'submitted statistical', '41 10', 'weight age data', 'influenced trait', 'utero week life', '180 individual total', 'interaction range sd', 'quality effect cortical', '38 phenotypic standard', 'industry environmental', 'horn rxfp2 autosomal', 'snp gene located', 'abt 99 03', 'second parity experiment', 'background ethical', 'haplotype bw wk', 'mthfr ephb2 slc35a3', 'aquitaine breed', 'locus covering 25', 'bone measured infrared', '01 29 cm', 'effect qtl significant', 'expression experiment based', 'similar peak', 'chinese meishan pig', 'sample revealed difference', 'mutation needed', 'grb14 galnt1 impact', 'mortality blood sample', 'muscular hypertrophy snp', 'snp porcine skip', 'improve litter size', 'underlying qtls', 'single qtl controlling', 'chromosome eca3 association', '18 variety', 'high heritabilities identify', 'reported affecting', 'major gene effect', 'confirm qtl chromosome', 'effective genotype', 'merino cross phenotypic', 'sharper leading', 'berkshire yorkshire f2', 'size revealed total', 'snp particularly 44g', 'function lung involved', 'f2 approach', 'possible detect qtl', 'significant association il8', 'faster based', 'italian landrace', 'genotype linkage', 'notch1 important regulation', 'leu affect', 'station bull genotyped', 'ssc1 54', 'haplotype snp', 'joint analysis large', 'protein result suggest', 'studied association snp', 'crossing duroc boar', 'variation suggested angus', 'related boar fertility', '3691g showing allele', 'gene respectively regarding', 'cloning rt polymerase', 'yield rainbow', 'physiological predisposition', 'factor bf', 'ssc6 revealed qtl', 'based sire', 'seq data holstein', 'gga24 quantitatively', 'associated vl', 'marker haplotype effect', 'sire evaluation country', 'blood packed cell', 'width newly discovered', '12 suggestive qtls', 'average weight', 'development highlighted', 'colour redness cie', 'position mbl gene', 'intense selection', 'early stage', '100 kg 115', '53 cm 23', 'chromosome mmp2 mapped', 'control distribution', 'identified qtl oar1', 'il12b dusp1 il17b', 'thickness second weight', '56 cm ssc13', 'g4533815a 250a', 'mapping population consisted', 'value footrot selected', 'enhance resistance', 'c18 melting', 'step reduced', 'test average backfat', 'age collected individually', 'distribution ex fabp', 'taken finding strongly', 'performance affected genotype', 'kosher scoring lung', 'resistance identified chromosome', 'gene expression presented', 'using genetic selection', 'width size observed', 'pi p3', 'loss water', 'bovine phenotype resembles', 'estimated dominance deviation', 'demonstrated gel shift', 'tv aberrant', '868 16', 'trait measured behavioral', 'valuable meat quality', 'lipid concentration suggesting', 'location week', 'bmts mqts', 'environmental health', 'assessed dna fragmentation', 'genome galgal4 significantly', 'characteristic assessed consumer', 'design family', 'exacerbate primary', 'distribution width plateletcrit', 'substitution effect dcd', 'indicates orthologous segment', 'weight parental line', 'die clinical', 'level correspondence', 'allele mutation paternally', 'fat imf important', 'prkag3 causative', 'scrapie infected', '596 yorkshire boar', 'polynomial coefficient ranged', 'nil subjected', 'valuable improve simultaneously', 'compared variance', '765 chinese', 'design marker typed', 'localized mapped qtl', 'explained important', 'snp linear regression', 'ssc dissect genetic', 'qtls genome', 'uneven concave', 'make available thousand', 'score clinical score', 'ii ratio', 'sequence regulate', 'hen genotyped using', 'transcriptome profile predict', 'blood sample obtained', 'provide data establishment', 'suggesting pleiotropic effect', 'time report', 'gwas indicating', 'significant effect bl', 'half sib bovine', 'genotype higher backfat', 'size bta1', 'mar identified', 'ixodid tick', 'fimbria adhere', 'voluntary producer', 'work facilitate', 'genome wide signal', 'age 30 day', 'specific pcr', 'signal enrichment', 'bf 30 ssc5', 'gene haplotype single', 'hypothesis test using', 'son fa 19', '12 mo', 'progeny randomly intercrossed', 'animal hetero genotypes', 'study required confirm', 'sequence iberian landrace', 'xirp2 confirmed', 'especially research identify', 'associated biological process', 'locus sex', 'marker large', 'screened candidate', 'heavily glycosylated', 'sl9 sd9 explained', 'factor linked muscle', 'genotype 17122', 'potentially responsible', 'identification predictive dna', 'pig consisting', 'cm gga1 identified', 'state knowledge ovine', 'amplified site', 'iga level conclusion', 'gene far upstream', 'ovine autosomal genome', 'combining meishan european', '47 explained', 'opposite effect case', 'gene conferring', 'content cell expression', 'taurine indicine', 'composite cattle trait', 'breeding program identifying', 'novel largely', 'chromosome region using', 'genetic origin roan', 'sheep scientist studied', 'analysis thirteen original', 'new improved linkage', 'bta 18', 'gene meishan large', 'specific igga level', 'mortality 30', 'weight total number', 'exploiting genetic', 'gene promising', 'highlight comprehensive set', 'eqtl regulating expression', 'pooling design', 'haplotype allele used', 'statistical significance bonferroni', 'predictive pork tenderness', 'lrpprc pla2g10', 'associated vrtn', 'male fertility stature', '24 detected parent', 'homozygosity roh', 'previously associated fatty', 'telethonin titin interacting', 'composition impact quality', 'genome scan carried', '41 day gga2', 'awassi sheep', 'va desaturase', 'defines quality', 'detected 7547', 'domestic chicken varies', 'nutritional value pork', 'gwa regional', 'resulting 266', 'association non compensatory', 'quantitative variation', 'sh3rf1 herc2 map3k', 'sex compared', 'repair il vil1', 'bp slc39a7 gene', 'male genetically', 'density fbmd measured', 'constructed linkage', 'lean area rfa', 'overlapping peak', 'qtl exert', 'explore suite', 'igg2 trait weak', 'average relatedness', 'improve efficiency', 'central nervous', 'adaptability finding', 'production litter', 'chromosome wise significant', 'korean chicken', 'using principal component', 'genetic variance group', 'aj571671 1457a', 'include modifier', 'includes candidate', 'individual showed significant', 'significance level promising', 'cm contained', 'firmness 01 lab', 'specific resource population', 'carcass phenotype imputed', '30 mb region', 'berkshire sire 18', 'ex11 1of', '150 susceptible', 'mb respectively', 'approach independence', '14 economically', 'flavour bf trait', '82 25', 'detected genetic variant', 'teat number line', 'cm 18 support', '15 observed androstenone', 'parity group', 'kinship matrix', 'marker chosen', 'sequencing functional analysis', 'elucidated tissue', '8227c allele susceptibility', 'common base population', 'haemonchus contortus genome', 'coenzyme carboxylase alpha', 'useful selecting faster', 'composition bta14 bta20', 'affect quantitatively measured', 'pig located sus', 'identified differential', '17 boar synthetic', 'comparison ryr1 prkag3', 'ssc14 livp', 'tbc1d24 significant', 'chromosome area', 'variance 98 27', 'region bovine ank1', 'codon arginine gly69arg', 'cow conception', 'reported genome', 'pc diacylglycerol dag', 'sire line compare', 'retinol metabolism pde4b', 'genotyped using 122', 'linkage mapping exploit', 'qtl reported study', 'follow including', '0006 trib1', 'length gga4', '10 06 snp', 'phenotype conclude qtl', 'subunit search', 'premature retirement', 'background produced', 'mastitis iii infertility', '20 involving edn3', 'sperm kinetic', 'status cell cry2', 'ph 45 sm', 'polymorphism serve', 'genotyped snp located', 'carcass weight resource', 'regression based model', 'effective detecting potential', 'chosen snp', 'fl condition factor', 'derived number teat', 'quality higher', 'tgf beta1', '54 eye', 'underpinning relationship', 'comparing result', 'addition domestic layer', 'weight gain dwg', 'yield content', 'bta6 interval', 'lr age egg', 'population result indicated', 'mitochondrial anion carrier', 'vivo related birth', 'trait influenced numerous', 'ii use', 'derived array derived', 'used study applied', '25 chromosomewide significance', 'commercial laying chicken', 'int3 significantly associated', 'line commercial pig', 'dominance effect female', 'accomplished genome', 'vwf snp zp3', 'component estimated restricted', 'geographically diverse', 'derived chromosomewise', 'detected 17', 'requires high', 'additional lamb', 'effect porcine', 'additional relationship', 'abnormal behavioral', 'encodes iroquois homeobox', 'selection previously qtl', 'locus lactation genome', 'time developmental qtl', 'analysis protein', 'afc bwt wwt', 'analysis network', 'gene enriched associated', 'large panel 264', 'qtl useful ma', '129564 located', 'cost animal production', 'snp ere', '82 control', '433c additive', 'best sex', 'tool expedite', 'marker bms833 interval', 'population coincide result', 'post hoc simulation', 'ib lr', 'loci associated', 'studied hsp90aa1 expression', 'chromosome associated tibia', 'carcass composition qtl', 'clustering estimated qtl', 'analysis lepc', 'centromere 13 linkage', 'mc1r allele', 'mb bta5 combined', 'animal genotype tt', 'confirm known qtl', 'exon bp deletion', 'offer additional insight', 'muscling fatness', 'crossing ipn resistant', 'strategy nematode resistance', '7860 offspring', 'produce fresh meat', 'reported causative', 'study verify', 't4 trait significant', 'production greater', 'analysis functional', 'omega pufa', 'chromosome 10p15 contains', 'fat production consequent', 'breed bos', 'numerous small', 'respectively 205g substitution', 'tissue remodeling property', 'region enrichment analysis', 'force intramuscular fat', 'placental intestinal tissue', 'gland alteration', 'backcross population red', 'informative genomic region', 'carcass size lcorl', 'traditionally managed autochthonous', 'repeat indel', 'breed appeared brazil', 'daughter dairy', 'reported conclusion', 'chromosome ssc3 12', 'identification rare', 'snp close proximity', 'size genotyped', 'worm trait subset', 'pcr length polymorphism', 'decreased oxygenation', 'trait genetically correlated', 'pecking genetically', 'previous research 13', '2323 2325', 'atgl adipose triglyceride', 'associated dna rad', 'colour quantitative trait', 'rft 33 05', 'simultaneously covariate', 'allele pietrain allele', 'event influenced', 'physical restraint', 'study parasite', 'contortus infection', 'depth shear force', 'management beef', 'study localized', 'essential gene flow', 'affecting cell subpopulation', 'method variance', '649 698', 'brd bta2 94', 'analysis confirmed experimental', 'determine ripk2 influence', 'scrofa data', 'contribution variant white', 'gga4 gga6', 'problem study effect', 'density marker examined', 'mineral composition bovine', 'family chromosome 130', 'disease genomic', 'investigate variation', 'tenderness identified snp', 'explained phenotypic', 'gilt indicator', 'marker genome assisted', 'tunel assay using', 'additional animal different', 'genomic structural variation', 'identified candidate region', 'structural variation underlying', 'physiological measure', 'activity 16 bp', 'parameter 599g variant', 'provide crucial evidence', 'representing sire', 'linkage analysis little', 'response suggested', 'cm 20', 'anatomy gga1 gga16', 'based pedigree', 'lmh lmp genome', 'illumina genotyping', 'obtained dual', 'gene highest', 'fat daily', '4500a associated', 'underlying qtl improve', 'younger age seven', 'daughter pregnancy', '22 72', 'containing 21 snp', 'harbour qtl exceeded', 'percentage carcass classified', 'genetically correlated', 'associated increased gfra2', 'unexpectedly ram', '07 additional', 'increasing twinning herd', 'design involving 30', 'lix1 lnpep shb', 'breeding value pp', 'effect epistasis frequent', 'method total 1534', '0003 located', 'detected stepwise using', 'increase embryonic survival', 'respectively 22 qtl', 'explained informative snp', 'mb position', 'using combined line', 'susceptibility pig', 'grandsires genotyped', 'opn position crossroad', '19 phenotypic variation', 'animal enhanced resistance', 'fcer1g pmm2', 'daughter design economic', 'qtl maternal', 'design included 548', 'significant value 10', '9n carrier', 'drosophila make', 'panel 133 microsatellite', 'lepr sequenom', 'mapping used', 'short chain dehydrogenase', 'study detected snp', 'experiment wise significance', 'slick haired criollo', 'swelling nodule', 'german warmblood family', 'farmer ketosis', 'ebv group total', '15 individual line', 'igg1 week following', 'tissue ray', 'leg ssc', 'mastitis incidence gg', 'study revealed genome', 'significance innate immune', 'explain 40 variation', 'tensor decomposition obtain', 'snp pig', 'yellow meat type', '15 mm', 'gwas subjected', 'genbank assigned', 'mapping localized', 'metabolism acetyl coa', 'nordic red subpopulation', 'uac mac significant', 'component adjusting population', 'family domesticated modern', 'standard chi', '77 quantitative', 'fdr located chromosome', 'illumina bovinesnp54', '20 additional marker', 'approach cow commercial', 'scd protein association', 'yield result study', 'significant pathway summary', 'gain live', 'trait commercial population', 'uterus sample apical', '90 minor', 'length qtls identified', 'australia underwent field', 'profile 45 offspring', 'chromosome 13 qtls', 'main goal work', 'parental g1 offspring', 'transport located significant', 'bw collected', 'qtl region discovery', 'fy observed dgat1', 'individual line', 'obesity related', 'gene additional study', 'conception failure mainly', 'test cov434 granulosa', 'variant explain', 'sequencing seven pair', '20 ancestor', 'gain bb', 'chromosome 19 ubiquitin', 'covering 20', 'distal femur', 'especially subgroup fat', 'eaat2 drd1 achieved', 'sequence mapping porcine', 'slc27a3 dgat1 gene', '16 family black', 'genetic origin', 'cell ldha', 'cn loss different', 'previously accomplished', 'tno nte', 'trait family marker', 'total 183 informative', 'ewe established', 'swiss population utilized', 'cattle depend aim', 'puberty allow improvement', 'variance pc2', 'correlation reproductive', 'bmp15 mutation result', 'growth time', 'growth relatively', 'future investigation', 'genotype variance component', 'revealed similar effect', 'trait igf2 mutation', 'weight bcs identified', 'acid 20 cla', 'force juiciness', '24 autosome animal', 'susceptibility trait chinese', 'sample panel composed', '320t rs43676359 analyzed', 'data analysis', 'effect modelled', 'factor shaping individual', 'explained 42 51', '31 danish jersey', 'breed general individual', 'asn570lys association', 'economic effect ibk', 'population challenge', 'evaluated effect amino', 'age dna', 'breed used berkshire', 'snp substitution', 'chromosome significant snp', 'genetic basis bone', 'sequencing method employed', 'cow gwas accomplished', '577 animal', 'data showed', 'family marker', 'routine data', '10 abdominal', 'population total 2052', 'fat milk urea', 'reported influence fetal', 'minolta color measurement', 'angle body slanting', 'individual hpa', 'sheep genotyped 713', 'hif1an gene expression', 'mediates regulation', 'imf 490 duroc', 'energy reserve utilisation', 'influence dna', 'receptor gene ecf18r', 'ssc respectively', 'single trait milk', 'detected chromosome', 'encompassing complete', 'qtl sss17 tg', 'contrast effect paternally', 'identify association 54', 'son receives paternal', 'weight absent 16', 'polymorphism used association', 'report genetic', 'empirical permutation test', 'exhibited genotype', 'cattle integrated routine', 'traditional selection', 'genotype increased statistical', 'using advanced', 'cattle significant economic', 'polymorphism possibly responsible', 'nature milk production', 'scan involving 183', 'stress qtl', 'utt relative', 'trout searched', 'herc6 ibsp', 'indicated enrichment', 'index fatty acid', 'triiodothyronine t3', 'f2 sow', 'feather current gwas', 'locus showed pleiotropic', 'significantly 001 associated', 'developed broiler', 'dam local chinese', 'marker s0073', 'dfi tunel assay', '38 mb genomic', 'valine alanine amino', 'reported diverse', 'animal surpassing', 'analyse influence', '12 significantly associated', 'genotype determine', 'significance chromosome wise', 'measured loin muscle', 'phenotypic variance according', 'breed population 323', 'bta6 pdgfra protein', '07 12e', 'locus microsatellite marker', 'quality trait', 'validate importance', 'map bta17 imputed', 'igf2 lep lepr', 'novel robust', '19 coincided', 'develop examine additional', 'lpin2 f2 resource', 'retn retn cfd', 'lei0071 marker', 'conformation scoring mainly', 'shared increasing carcass', 'respective regressed', 'previously unique f2', '31 paternal', 'incorporated 531', 'milk 0001 protein', 'breadth week chest', 'interval bta6', 'gene ex', 'attachment chromosome 16', 'rs41694646 snp trait', 'significant additionally', 'parameter measured', 'fabp activity function', 'according line origin', 'overlap population joint', 'avpcv avlwt', 'method qtlexpress', 'gh1 lep lgb', 'require validation', 'cbg proposed', 'study verify existence', 'genotype e4', 'pedigree screening', 'phospholipase beta', 'support fact', 'potentially practical', 'factor gata shown', 'facilitated exploration', '21 24 month', 'different study', 'sire genotyped 27', '547 piedmontese', '36 nanyang qinchuan', 'deposition major', 'complexity underpins', 'marker bm719 chromosome', 'mutation late', 'confirmed rna', 'step deeper', 'milk persistency', 'lda german', 'count result', 'mapped marker lei0029', 'polymorphism informative polymorphism', 'ce ld', 'chicken response', '338 using', 'value ebv 093', 'snp set ranging', 'fecxo fecxgr number', '10 snp derived', 'response infection inflammation', 'variance population 27', 'unification method used', 'polymorphism sequencing', 'synonymous mutation snp4', 'deposition growth pig', 'demonstrate important', 'afe suggested', 'generation today', 'analysis wgcna', '373 627 aa', 'haplotype esr2', 'genomic architecture extensively', 'infertility affected', 'ssc1 suggesting multiple', 'breed landrace duroc', 'colonization provides attractive', 'heritable pig', 'sire heterozygous region', 'variant result', 'ovulation rate prolificacy', 'based corresponding', 'fertility particular snp', '115 window explain', 'detected chromosomal region', 'sporidesmin dosed sheep', 'qtl peak', 'causal region', 'highest log10 value', 'qtl affect feed', 'related fat performance', 'remained undetected', 'product nucleobindin', 'bf gene', 'holstein breed identified', 'milk sample study', 'development oc', 'ppn0 932', 'report time', '29 80', 'snp rs55618716', 'analyzing f2 data', '11 cm', 'rate detected chromosome', 'weight qtls coincided', 'divided seven time', 'genotyped 110', 'mapping detected', 'study unraveled genetic', 'model mixed model', 'data 426 angus', 'additional genome wide', 'age identified', 'eca10 dc study', 'allele significantly larger', 'needed better', 'pathway sphingolipid signaling', 'tanzanian local chicken', 'specific primer polymerase', 'phenotype advantageous', '056 003 effect', 'snp downstream', 'gja5 cbfb', 'functional gene network', 'chromosome 24 snp', 'focused body size', 'non kosher resistant', 'obtained initial', 'gwas bovine milk', 'lead premature retirement', 'result senepol romosinuano', 'rt pcr showed', '17607t 17609c', 'investigated functional', 'prevalent modern', 'breed lr', 'density snp genotype', 'ldla analysis lack', 'phenotype categorical', 'gene previously mapped', 'related energy metabolism', 'weight body', 'cyp2e1 gene chromosome', 'cross linkage', 'qtl location large', 'domestic sheep behavioral', 'heterozygous animal arr', 'selected locus identified', 'triglyceride level lipid', 'layer line used', 'disease resistance vaccine', 'intercept effect', 'pi german', 'rib fat 18', 'genome ovis_aries_v3', 'snp associated fy', 'wide linkage', 'data cpd', 'trait example', 'shown physiological', 'trait complex', 'whilst australian', 'bovine fabp4', 'sample collected august', 'correlate milk trait', 'detected ssc2 significant', 'identified additional qtl', 'pif1 01', 'il 13 intestinal', 'produced wagyu', 'trait example bivariate', 'variant weight gain', 'breed indigenous', 'quality meat qtl', 'ketosis north american', 'parameter manych merino', 'value 77', 'respectively occurrence', 'using elisa genotyped', 'process consistent', '01 mb', 'determined sex', 'member important', 'analysis performed bta26', 'extreme feed efficiency', 'associated haplotype window', 'panel advanced', 'variance androstenone', 'selection breed creation', '52 danish', 'disease trait mp', 'cattle shown cause', 'lower number genomic', 'structural soundness', 'length ham total', 'amplicon cacna2d1 gene', 'constructed based', 'contains component provide', 'genetic architecture pig', 'muscle development improve', 'identify significant', 'suggest heritability feed', 'cold water aquaculture', 'a232k ghr', 'region accounted approximately', '95 dbwavg dfiadj', 'performed panel 16', 'value concentration', 'material transport energy', 'likely regulatory', '37 201', 'using square interval', 'family explained', 'like effector cidec', 'affected main', 'detection multiple', 'mutation showed', 'allele higher mutant', 'bmp15 play vital', 'power gwas', 'recently banned', 'region bta5', 'association influenced lean', 'trait dominance', 'associated lp lta', 'including loin', 'identified traditional', 'associated posterior', 'site early', 'trichostrongylus colubriformis determined', '14 10 region', 'genotyped 21 microsatellite', 'knott regression', 'sample conclusion', 'animal sampled transcription', 'value meat variety', 'like unpleasant odour', 'high marker density', 'mapping nineteen qtlrs', 'new insight genetic', 'genetic basis limb', 'length chest', 'total 750', 'higher bb aa', 'lipid metabolism serum', 'gene pcgs', 'showed significantly associated', 'apob synthesized mammalian', 'different country', 'genotype split', 'ma requires high', 'spanning chromosome analyzed', 'gene 19179 snp', 'included gene identified', 'using genotypic correlation', 'gene contribute growth', 'lumen cloned', 'preventive strategy failed', 'variant reported highly', 'overall carcass', 'hematological parameter pig', 'immunity developing', 'ability memory', 'contactin associated', 'study molecular', 'rate population interaction', 'cm confidence interval', 'tolerance human', 'determined using', 'fasn cc', 'analysis abundance trait', 'casein gene cluster', 'line bos taurus', 'seemingly exist milk', 'using haploview', 'backfat thickness ab', 'crossing pig', 'tibia fbmd pig', 'presenting bilateral', '05 haplo types', 'tt genotype select', 'material line developed', 'genotyping 192 hanoverian', 'important tissue', 'important interacting', 'affected mrna', 'software developed', 'growth meat performance', 'lesion data contribute', '2005 fall', 'required normal', 'influencing gene', 'simple model', 'bw9 shank length', 'ssc7 01', 'nba 370', '13 15 17', 'main health constraint', 'presented paternal', 'ld mapping', 'gene important gene', 'dgat1 gene known', 'kinase pathway regulates', 'lactoglobulin polymorphism', 'determining recombination', 'mechanism aim', 'analysis f2 family', 'specifically associated content', 'disequilibrium mapping qtl', 'shoulder sh', 'snp effect rfi', 'notably homozygous fecx', '16 grandsire family', 'marking pattern prme', '1kb 12', 'rs339939442 polymorphism', 'selected association', 'estimated 123 cm', 'moderately large', 'snp1 ag', 'correlation seven', 'barring recessive white', 'characterized fat1', 'cebpa retinoid', 'breeding line common', 'uncorrelated feature suggest', 'total 41', '65 cm', 'verifying previously', 'genotype health', 'ag significantly associated', 'aiming identify', 'facilitate search position', 'marker segregating mdh1', 'parameter estimate higher', 'study fabp4 significant', 'showed strongly larger', 'heterozygous ewe', 'substitution effect cw', 'defined qtl 750', 'animal milk production', 'wise bayesian analysis', 'elimination analysis', '27 seven corroborate', 'concordance region associated', 'gwas gene', 'sharing best', 'significant correlation loin', 'combined haplotype constructed', 'gene lacking', 'snp haplotype effect', 'alternative classical', 'qtls c18', 'study 60', 'allele lp', 'map3k11 result classified', 'commercial population snp', 'poor tissue perfusion', 'precursor mirnas', 'snp located bta11', 'measure genetic merit', 'circumference lod chr', 'af320998 433c', 'apolipoprotein related high', '36 different transcript', 'trait region identified', 'variance respectively', 'sib pair', 'associated autosomal', 'sire swedish', 'weight bft total', 'construct gcg agg', 'cut yield', 'milk chl_milk', 'signature selection region', 'bil creatinine cre', 'indicate combined', 'solution identifying', 'pira ghr', '29 sire 298', 'possible breed specific', 'line md resistant', 'showed biological', 'meat quality relative', 'natural selection', 'red cell', 'trait phenotype contribute', 'network reconstructed', '47 95', 'cattle data set', 'limited number marker', '11 cm female', 'snp assay radiographic', 'based 29 autosome', '1540 hanwoo', 'hel9 cssm47 interval', 'sheath irs', 'effect sexual', 'composite recently developed', 'rtn absolute', 'predictive dna marker', 'chromosome explaining 19', 'resolution observe clear', 'level marbling', 'employ ige', 'feathering 14', 'syndrome prrs', 'semispinalis area', 'reported qtl seminiferous', 'aat showed', 'gene located fpdmeta', 'inheritance mode growth', 'female reproduction overlapping', 'genotype showed bird', 'aiming controlling eradicating', 'study roan phenotype', 'group inter strain', 'chicken commercial broiler', 'qtl analysis innate', 'using dominance deviation', '07 lower yield', 'chol ppn0', 'utt additionally used', 'favorable effect', 'linked qtl', 'individual dose', '16 haplotype identified', 'ibh genotype', 'fcr offer', 'variation gr', 'cattle reported', 'ar qtl', 'evidenced segregation mutation', 'intron statistical', 'locus molecular trait', 'observed locus', 'propagation survival', '000001 pair wise', 'wide level additional', 'known farrowing viable', 'gene deserve exploration', 'change arg315cys', 'animal dairy production', 'background peroxisome proliferator', 'capn1_rs81358667g casp3_rs319658214g', 'gene centric', '012 large', 'result qinchuan cattle', 'fcr 05 conclusion', 'study furthermore', 'erhualian specific', 'number vertebra detected', 'pig gwas', 'application sequence', 'independent influential grand', 'human overlapping qtls', 'marbling 001 adg', 'new insight understanding', 'identify snp consequently', 'mbl2 gene', 'testing remaining', 'cross large white', 'fm244720 400c', 'minimization false', 'crossbred bull', 'covariate trait effect', 'data fat', 'iib fiber', 'disequilibrium mutation affecting', '13 calving service', 'qtls fa', 'breeding value computed', 'indicating potential effect', 'panel 16', 'dupi mycoplasma', 'pufa longissimus muscle', 'based classical', 'distal chicken chromosome', 'receive allele dam', 'day 35', 'carrying single copy', 'unl population negative', 'peak 110', 'expression characteristic different', 'record performance growth', 'sequence novel', 'use marker', '327c proven', 'estimated residual considered', 'variant highly', 'gene transcriptional factor', 'medius saturated fatty', 'generation result', 'level pcr restriction', 'seen individual response', '05 qtl', 'study successfully identified', 'mutation growth hormone', 'fat content oleic', 'included panel genetic', 'bta 88', 'order aa ab', 'based strategy', 'polymorphism genotyped 368', 'acvr2a associated anai4', 'yield population', 'intron 25858322c snp', 'cause economic loss', 'used chromosome wide', 'reduce production', 'foc count', 'middle detectable impact', 'eca 20', 'mb likely', 'qtl segregating parental', 'incidence gg', 'identification phenotype conclude', 'st8sia4 fam174a chd1', 'gene approach low', 'slc27a3 diacylglycerol acyltransferase', 'chicken snp respectively', 'fed dairy', 'program challenging', 'used igf2', 'using producer recorded', 'weight identified 10', 'qtl bta fourteen', 'rate line', 'detected chromosome 16', 'region harbouring cart', 'study microsatellite', 'qtl genome scan', 'indicating intensive selection', 'farm animal myostatin', 'gland correlated post', 'reported mc4r different', 'nm parity', 'estimated cyp11b1', 'analyzed f2 population', 'trait result experiment', 'cattle reported time', 'specificity protein', 'generation surprising qtl', 'sow linked antagonistic', 'retained genome', 'growth qtl detected', 'lifetime productivity using', 'promoter variant designated', 'population related phenotype', 'developmental growth multicellular', 'advantageous molecular marker', 'analysis resulted disappearance', 'assessed rao', 'snp clustered 570', 'a497g c635t missense', 'harbor gene allele', 'qtl model additionally', 'implemented identify promising', 'identified examined association', 'progeny experimental animal', 'hampshire landrace family', 'genotype lower', 'line body weight', 'qtl sexual maturity', 'rflp pcr cofi', 'igf1r bwg', 'cow bta14 bta17', 'disorder animal', '57 13', 'moiety type motif', 'confirm vrtn', 'gene analysed using', 'mb 46 cm', 'significant locus ssc12', 'growth rate detected', 'previous detected', 'algorithm series', 'indel genotyped 11', 'cow adjusted non', 'fibroblast growth', 'sequence homology yeast', 'showed overtransmission infanticidal', 'value imf', 'offspring genome', 'liver autosomal', 'porcine igf2 region', 'wide significance pathway', 'approximately 900 kb', 'ulceration cutaneous', 'validated additional', 'process identification', 'significant qtls bf', 'intron acsl1 gene', '12 trait qtl', 'confirms resistance hpai', 'partitioning potential', 'ssc13 01', 'shoulder ham cut', 'effect mutation', 'accounted random', 'qtl scan muscle', 'annotation performed sus', 'depending host parasite', 'testis role organ', 'size 505', 'snp weighted single', 'explained 10 genetic', 'importance swine industry', 'motif 313 bp', 'grew faster pre', 'trait described', '444 cow milk', '12 25', '40 657 snp', 'resides pseudogene parental', 'directly whirling', 'putative qtl bta7', 'obtained family', 'genetic marker improved', '24 demonstrated significant', 'development guide', 'estimated effect qtl', 'exon 10', 'pc slope', 'including additional case', 'selection gene transcriptional', 'proximity region', 'cow validated 23', 'snp3 snp64', '20 half', 'bull 334', 'decreasing feed', 'initiation protein synthesis', '109 microsatellite', 'affected lp1 lp2', '16 case 25', 'editing 41', 'behavioral test', 'jersey dj', 'rest genome phenotypic', 'controlled point mutation', 'loss decreased', 'sb pig', 'ssc6 ssc8 ssc11', 'strong genomic signal', 'hanwoo steer 220', 'industry underlying', 'orthopaedic disease occurs', 'survival twinning', 'k88 strain locus', 'protein percentage somatic', 'sample bw collected', 'total 321 animal', 'chromosomewise significance fat', 'treated quantitative trait', 'region adl0201', 'acvr2a induced dose', 'associated 56', 'using muscle transcriptome', 'qtl ssc1', 'chromosome utilized', 'kinase gene csnk1g3', 'production reduces feed', 'normalised box', 'dairy cattle genomic', 'determined chinese', 'predictive snp using', 'mutation flavin containing', 'located upstream transcription', 'body dilution', 'widely distributed breed', 'transformed using', 'group specific', 'rate sow increased', 'rate 17 28', 'protein 0007', 'chromosome near position', 'production trait collected', 'sequence lalba_g', 'size control', 'developmental stage involve', 'marker scd haplotype', 'polypay crossbred', 'yield peak protein', '22 quantitative', 'reported previous literature', '20 cm primary', '300 ssc7 genome', 'chip commercial hanwoo', '000031 combined', 'major determining', 'snp array seven', 'large commercial', 'rao affected', 'development functioning musculoskeletal', 'day 46', 'difference divergent', 'loss using genome', '30 105', 'homeostasis chinese', 'characterise biological function', 'cm qtl mapped', 'hybrid bovine breed', 'slow achieved', 'exon ppargc1a gene', '21 46', 'line different background', 'ibd score variance', 'regression method chromosome', 'moderate effect', 'development little', 'lactate dehydrogenase', 'repeated ai', 'resistance conformation', 'erhualian pig study', 'revised qtl', 'replication association', 'furthermore identified transcription', 'characteristic result', 'acid composition region', 'fleckvieh holstein', 'located flanking region', '20 fine map', 'developmental anomaly', 'stillp born alive', 'feature pig', 'values 031', 'warranted improve', 'qinchuan cattle using', 'year egg', 'est bi596262', 'intake growth result', 'associated calving', 'cmi chicken', 'covering oar3 oar11', 'lc qtl', 'data obtained 752', 'fatness phenotype', 'significant multi faceted', 'snp60 beadchips', 'knc large color', 'min semimembranosus', '17 different', 'region qtl affecting', 'holstein nrr56 nrr90', 'responsible immune', 'result result single', 'size birth adult', 'analysis quick', 'pinpoint dna maker', 'serpina6 gene', 'production level detect', 'data previous', 'challenge facing dairy', 'f0 68', 'genetic correlation additive', 'factor rao', 'major haplotype 15', 'mean genomic estimated', 'pork meat', 'work professor', 'segregate udder health', 'inflammatory response dairy', 'volume number', 'model pedigree', 'receptor sorcs2', 'qtl use linkage', 'cow confirmed mln', 'characteristic performed', 'mapping candidate', 'qtl position accounted', 'b2 fayoumi line', '469 snp', 'based following finding', 'non castrated boar', 'association genotype economic', '502 cm', 'comparison progeny inherited', 'revealed chromosome ti', '11 yr abdominal', 'cd ab', 'built detect', 'majority genetic variation', 'relationship family reanalyzed', 'level calculated using', 'expression ppard ear', 'derived bac', 'fe key trait', 'gamete correlated', 'rflp analysis haeiii', 'month yearling', 'wide high', 'mutation valine gtc', 'artificial insemination horse', 'obtained crossing duroc', 'particular ss61514555 showed', '1730t significant', 'architecture associated obesity', 'close proximity population', 'effect predicted', 'layer chicken line', 'peptide fmdv previous', 'chromosome 19 genomewide', 'lymph node recovered', 'coloured breed 10', 'collected monthly', 'data offer possibility', 'associated qtl intramuscular', '667 f2 pig', 'gene ph', 'trait absolute', 'cattle influenced qtl', 'laid specific age', 'pathogen challenge', 'harbouring significantly associated', 'hiv ovine lentivirus', 'efficiency population 186', 'representing 11', 'mean sib progeny', 'impact variant', 'level linkage', 'associated nipple', 'region associated host', 'locus fertility near', 'joints fetlock hock', 'term calcium ion', 'efficient cattle maintain', 'genotype based 50', 'rs16469410 overall result', 'weak bone male', 'gene hampered identification', 'bovine cd46', 'ranged 11', 'breeding strategy improvement', 'percent ssc12 cie', 'ass utility genomic', 'ca 44', 'snp located cluster', 'tgf β1 chosen', 'significant 10 snp', 'allele frequency determination', 'female difficult', 'specific single lactation', 'spot14 thrsp', 'linoleic acid significantly', 'level using run6', 'assigned group attempt', 'thickness aft reduced', 'trait plag1 ncapg', 'regulating hematological trait', 'effect meg3', 'holding capacity 05', 'association coincide', 'encoding protein involved', 'cbg production', 'contribution region susceptibility', 'mcmc method data', 'qtl model random', 'respectively identified using', 'lamb detailed carcass', '100 95 06', 'trait proposed potential', 'high heritability estimate', '30k 30 105', 'showed expression', 'production product amplified', 'demonstrated chromosomal', 'random regression allows', 'screening databank', 'sib family map', 'pasture carcass weight', 'including 657', 'sampling dna animal', 'snp3 snp4', 'eliminate defect selection', '20 56 cm', 'qtl provide', 'lymphet haemocyanin antigen', 'fertility trait pig', 'established genetic', 'correlated post', 'flavor beneficial', 'pleiotropy allowed', 'halfsib model combined', 'based estimated breeding', 'chromosome 10', 'disease cause', 'ph 24h identified', 'previous discovery', 'associated oar6', 'including complete', 'seasonal oestrous sheep', 'observed ibk susceptibility', 'snp region 26', '50 80', 'suggest deviant haplotype', '155 184', 'piglet born tnb', 'pigmentation trait mammal', 'cross duroc', 'picture emerged', 'total 557', 'hcr artificial insemination', 'osteogenesis cell', 'mortality prevalent modern', 'gene lepr', 'study ovine', 'detected porcine', 'result work', 'balancing selection', 'marker genotyped population', 'beginning 1995', 'decrease pco2 glucose', 'autosome analyzed association', '01 locus', 'complex trait identifying', 'measured backfat', 'human nutrition fat', 'snpeff sift', 'resource population linkage', 'containing annotated gene', 'retention color', 'data pig', 'microsatellite locus pcr', 'selecting chinese advantage', 'establish novel molecular', 'dna dosage est', 'aim genotyped missense', 'difference cc tc', 'insight gdf9', 'sperm parameter', 'locus accounted', 'weight phenotypic', 'tbc1d24 directional', 'demonstrated aa', 'angus calf sire', 'cooked meat rate', 'useful resource analysis', 'concern bighorn', 'model genotyping', 'differential expression nudt7', 'effect tibiotarsal breaking', 'determination semen', 'improving feed', 'qinchuan cattle cattle', 'wise 05', 'normal function', 'immune defence haemolytic', 'body weight lcorl', 'inference region', 'evaluation data useful', '68 sd growth', 'gene analyze', 'quality trait association', 'sex dependent effect', 'mammal notably', 'significance detected', 'light genomic', 'background date', 'approximately mid way', 'analyzed 464 steer', '20 chromosomal', 'genotype dc lower', 'live weight body', 'mdh1 snp', 'myh1 myh2 myh4', 'chromosome 11 chromosome', 'eca 4q', 'apparent age immune', 'value irrespective oh', 'selected sequencing', 'objective study detect', 'discovery rate resulted', 'han sheep 05', 'mapping single', 'neuronal change', 'association study polymorphism', 'strongly associated fat', 'vertebra rib reside', 'genetic model line', 'identified set 736', 'animal finding improves', 'information additional', 'investigation necessary', 'phenotype sourced chromosome', 'demonstrated bovine', 'region adg qtls', 'signalling pathway', 'established crossing outbred', 'bw ww dwg', '105 snp 38', '18 month', 'strategy improve horse', 'gwas inform', 'score order', 'subjectively assessed farmer', 'weight gwas', 'loss reproduction', 'percent additive dominance', 'cm kosambi ovine', 'fe complex phenotype', 'important trait study', 'interleukin 1a il', 'selected gwas', 'immune cell', 'trait hanwoo beef', 'emaciation growth', 'bb result suggest', 'metabolic disease pig', 'glu alb glo', 'qtl maximum ratio', 'variability genetic control', 'muscle low marbled', 'scrapie sheep', 'heart kidney', 'initially forthcoming', 'f18 receptor gene', 'lamb order', '34 grandsire family', 'snp window group', 'water disease bcwd', 'created crossing', 'calpain capn1', '240 observation 5643', 'conformation addition', 'snp esr1', 'fa composition phenotype', 'established step variation', 'snp haplotype bmp7', 'molecular relevance', 'apob gene used', 'color tenderness ultimate', 'broader genetic context', 'efficiency measured feed', 'increase sample size', 'shown increase', 'data previous genome', 'underlying disease dynamic', 'challenge infected pasture', '19 tibetan hen', 'lm aa gg', 'snp iberian landrace', 'interval chromosome', 'arena test isolation', 'cognition neurotism second', 'rs41694646 associated', 'weight growth plasma', 'qtl associated studied', 'decreased mean corpuscular', 'genetic background epistatic', 'force measurement', 'likely domestication', 'tlr9_tt coupling', 'extreme inbred', 'phenotype mixed model', 'snp slaughter indicator', 'correlated fecundity assessed', 'confirmed val dataset', 'snp source', 'performance body', 'strongest evidence association', 'birth bbl report', 'gene affecting fcr', 'leghorn inbred', 'performed 139', 'study 296 bp', 'averaging 61 07', 'adaptive immune', 'undetermined requires', 'cent peak snp', 'model fixed', 'expression skip', 'intronic snp marker', 'relatively low frequency', '33 71 genetic', 'generated non', 'little overlap', 'ag genotype', 'mutation cause', 'day δ2 lma', 'earlobe color rhode', 'fmo3 polymorphism flavour', 'subsequent analysis significantly', 'densely connected indicates', 'lutea ssc', 'peak region chromosome', 'modest number animal', 'map contigs anchored', 'candidate identified snp', 'protein kinase play', 'production commercial hanwoo', 'variation form single', '92 average', 'confirmed litter size', 'jaw length suggestive', 'sample chi square', 'slaughtering animal chemical', 'study routinely used', 'qtl position pair', 'milk processed rec', 'percentage pp', 'genotyping array', 'orexigenic factor implicated', '1000 2000 kb', 'c14 subcutaneous adipose', 'known pathway present', 'data set snv', 'score 45', 'distribution 10 average', 'conception rate ercr', 'variability mitf gene', 'qtl localized trait', 'growing pig gilt', 'using 190 microsatellite', 'scan genetic parameter', 'length 481 cm', '83 guernsey 50', 'trait detected resource', 'trait shear force', 'previously identified ib', 'frequency 10 snp', 'higher incidence 18', 'cannon circumstance maximum', 'wide selection', 'challenge response chicken', 'south african', 'texture stearic acid', 'understand pathway critical', 'reported breed chromosome', 'muscle excluded', 'variation ovine myostatin', 'regression approach obvious', 'sire commercial', 'factor inhibin βa', 'selection associated numerous', 'unknown fetal', 'f1 resource', 'sex management contemporary', 'sperm quality trait', 'gga5 gga23 gg27', 'population snp', 'trait 003 meat', '67 total', 'new functional hypothesis', 'order identify predictor', 'genotyped ovine hd', 'intramuscular fat ssc12', 'snp60v1 beadchip', 'water holding capacity', 'founder hen', 'dgat1 polymorphism', 'width hw', 'suggest genotype h2h2', '1979 8209 1791', 'coloured horse 70', 'higher 01 lamb', 'pp respectively total', 'interval narrowed', 'ti open field', 'major qtl esc', '10841g 10893a', 'study search functional', 'source reprogen', 'effort implementation breeding', 'exceeded chromosome', 'genotyped 600 chicken', 'snp xirp2 gene', 'study molecular background', 'bta20 key', 'population australian', 'prkag2 difference transcript', '05 obtained family', 'litter size cross', 'f2 dupi', 'fertility uncover', 'dehydrogenase ehhadh', 'chromosome candidate', 'respiratory disease', 'variance σ2p make', 'published result western', '314 f2 generation', 'association bmts', 'analysis solar software', 'deformed canales', 'term mainly', 'cm maximum region', 'sequence indicated significant', 'determine qtl caused', 'identify genetic determinant', 'revealed tcf21 gene', 'marker lipid', 'mapped livestock location', 'population protein', 'causal snp', 'polygenic effect fitted', 'horn breed', 'advocate learning ability', 'map genetic', '47 dam', 'week analysis', 'study provide information', 'thickness pre', 'soga1 mas1', 'balanced frequency il8', 'weight evisceration weight', 'white landrace breed', 'gene significant variant', 'sc 192', 'efficacy strategy used', 'present study lead', 'qtl methodology', 'analysing f2', 'site variation identified', 'ch 16', 'qtl beef tenderness', 'sample horse', 'male specific map', 'cnvrs compared', 'npas2 ciart', 'breed significant effect', 'chronic diarrhea retarded', 'codon bovine', '29 different', '57 retn 1473g', 'function swine', 'protein fat trait', 'remained significant bonferroni', 'size conducted', 'derived milk', 'positive qtl', 'fowl cholera pm', 'translation breeding', 'unselected trait', 'trait expensive difficult', 'data single boar', 'linkage disequilibrium result', 'navicular bone', 'included trafd1', 'intake pietrain', 'phenotype related growth', 'higher ph redness', 'using univariate regression', 'rs14011776 igf1r', 'identified common', 'harboring qtl', 'fat trait analyzed', 'economic societal benefit', 'spl culling rate', 'predicted affect', 'defining animal', 'characterized blue', 'marker outperformed microsatellites', 'genomic region selected', 'marker pair high', 'ph metabolism', 'potential application future', 'somatotropic axis', 'indicated snp completely', 'effect divergent', '796 cow', '1182 nellore', 'line direct selection', 'order mm mm', 'selected based gene', 'qtl rad', 'approach genetic', 'vrtn variant significantly', 'novel single', 'ibk beef cattle', 'general approach', 'dependent variable interval', 'male pig produce', 'gene potential effect', 'underlies observed', 'udder inverted teat', 'according linkage rh', 'mortality japanese', 'greatest pew h2h2', 'variant using kegg', 'fully linked lep', 'showed genetic factor', 'minor haplotype frequency', 'applied qtl detection', 'ccp procedure sequential', 'snp annotated', 'disease livestock continues', '05 associated leg', '891 cow uw', '29 32', 'based high density', 'postreceptor mechanism', 'relative number fat', 'effect behavioural index', 'analysis half', 'snp suggestively', 'gene evidenced', 'muscle comparing', 'function biological process', 'pad covariate', 'seven chromosome', 'snp individually attain', 'postreceptor mechanism aim', 'snp specifically regulating', 'applied fst hapflk', 'vaccination available discovering', 'montbéliarde breed result', 'pig breed polymorphism', 'frame generating premature', 'despite trade', 'h1 101', 'protein mean daily', 'ppn0 945 190', 'polygenic model model', 'obesity snp', 'cell ratio', 'associated decrease protein', 'fatty acid winter', 'trait ssc1 12', '63 bp', 'improving parameter related', 'trait employing panel', 'allele log 10', 'association conducted genome', 'assuming marginal epistatic', 'level observed sow', 'breed respectively study', 'mt article', 'interval milk', 'sample cohort used', 'additional marker significant', 'near callipyge carwell', '86 83 80', 'protein phosphatase non', 'exon 14 2002c', 'molecular polymorphism texel', '461 chicken n301', 'rflp assay', 'calf 38', 'quality using generation', 'provided extensive', '77 00 ew', 'fat reserve', 'identified total 12', 'version 07 significant', 'increasing allele', 'mutation located', 'observed large', 'scan gwa analysis', 'located eca1 eca8', 'gene segregated', 'f1 dam sire', 'map previously detected', 'gga1 region', 'showing 27534932a', 'genetic effect result', 'investigate igf2 substitution', 'study expressional', 'expression regulation ntn1', 'resistance energy', '0001 ssc15', 'desaturase scd circulating', 'clearly complex genetic', 'polyceraty presence', 'property carcass composition', 'objective research', 'paratuberculosis map cause', 'fecal egg count', 'high negative', '127 junmu', 'snp negligible', 'synthesis compared region', 'resource population phenotyped', 'total weight landrace', 'molecular ecology', 'using image analysis', 'region bone morphogenetic', 'dgat1 a232k', 'trait concluded 11', 'region copy number', 'respectively seven snp', 'specific manner mypn', 'present work aimed', 'study 16', '358 768 996', 'constructed 23 microsatellite', 'jb1 560 animal', 'loss dairy', 'architecture variability', 'contribute change rfi', 'development high density', '1043 1013 genotyped', 'carcass weight highly', 'ssc9 ssc13 ssc17', 'influence average', 'qtl direct effect', 'trait 56 body', '38 candidate gene', 'ag gg based', 'considerable variability immune', 'association ultrasound', 'control density', 'effect obtained using', 'region associated hornless', 'principal finding using', 'trait revealed chromosome', 'qtl eqtl mapping', 'frequent metabolic', '50 qtl using', 'qtl result', '1111g snp', 'snp rxra', 'ssc8 region ssc14', 'thickness moisture', 'ax 428357234 bta', 'decline different', 'respectively olfactory', 'heat dissipation', 'content confirmed rna', 'development cell proliferation', 'qtl refined', 'vacaria fecg flock', 'increase reporter activity', 'mutation responsible', 'mrna expressed', 'association snp fertility', 'commercial large', 'defect time point', 'regulation ntn1', 'gene considered candidate', 'splice acceptor site', 'consisting 15 grandsires', 'suggest fabp4g 3691g', 'indicator mhc located', 'marker analyze', 'novel interacting', 'association joint', 'intragenic variant', 'ability lamb year', 'qtl affecting bone', 'mcw241 surrounding', 'chromosome 23 detected', 'black cattle aimed', 'partial correlation information', 'commercial line locus', 'subclinical ketosis lactation', 'mirna expression', 'resistant scottish blackface', 'significant additive dominance', '97 mb', 'effect fst', 'gt haplotype appeared', 'phenotyped kyphosis mb', 'utr partly', '50 53 cm', '62 cm 129', 'analysis 183 microsatellite', 'granddaughter design including', 'collected weaning', 'filtering leaving genotype', 'described parasite', 'discovered trait total', 'i_ra solute', 'selection decrease vartnb', 'rs424642424 significant', 'assay regulatory', 'revealed additive effect', 'snp explain 14', '10 additional', 'structure certain', 'variability objective present', 'leg disorder fld', 'current study advocate', 'function layer need', '50 65 versus', 'examine effect scd', 'molecular breeding value', 'unknown short', 'informative microsatellites linkage', 'good agreement', 'comparison qtl vs', 'presented result described', 'swine production litter', '890 784', 'genotyped gwas revealed', 'effect chromosome protein', 'additive effect approximately', 'analysed 1395 pig', 'expression meg3', 'fish reach market', 'local environment raised', 'juiciness fat moisture', 'mm 23 mm', 'qtl chromosome 27', 'consistent segregation', 'qtl m2 model', 'prediction expression data', 'pig snp located', '34 36 mb', 'accounted fitting', 'luciferase activity ins', '318 polymorphic', 'gene involved bone', 'utrs respectively mrna', 'model backward', '26 used perform', 'rs42091426 mb', 'lipid content beef', 'thousand 919 snp', 'bayesian model selection', 'drd4 distal', 'fitness related', 'locus landrace', 'mean ultrasound', 'length allele', 'result detected 24', 'livestock commission', 'ct genotyped', 'association tested 20', 'effect cw', 'result using genome', 'increase postnatal', 'aim study screen', 'approach using maximum', 'different group', 'western world bovine', 'design assigned', 'tibiotarsal humeral strength', 'employing emmax', 'genotyped 40 646', 'glycine rich protein', 'ascertain snp', 'sample allele frequency', 'gene hsd17b6 sdr9c7', 'hypothesis allele', 'hypothesis future', 'component adaptive', 'populations genomewide association', 'bms1724 bm7209 position', 'ratio oleic', 'service conception', 'weight age 43w', 'exon cause', 'novel avfec', 'qtl detected gelbvieh', 'prolactin mixed breed', 'extraction method genotyped', 'hgd alui', '13 sw1495 skin', 'candidate region spanning', 'availability restriction', 'reduced productivity management', 'expression difference', 'trait 6days exposure', 'gfra2 influence basal', 'purpose research', 'fastmremma integrative', 'qtl area 90', 'alive 05 number', 'ensembl discovered', 'ssc 16', 'model ii', 'genotypic frequency', 'locomotion problem', 'qtl distinct animal', 'distance population cluster', 'polymorphism 492', 'order characterize', 'panel used select', 'tumor bearing sow', 'region study', 'cy aptitude', 'meat genome wide', 'association longitudinal', 'heritability intramuscular', 'snp gene identified', 'snp variable 11', '968t snp insulin', '05 animal ag', 'breed known farrowing', 'measured f2', 'bw body conformation', 'fam73a associated', 'exposure constant', 'open fertility', 'total 96', 'genotype showed', 'fat liver', 'genetic background cow', 'cer sphingomyelin sm', 'similar regard', 'related growth development', 'recorded breeding age', 'performed detect', 'entire loin weight', 'tissue development morphology', 'clinical case genotyped', 'density lipoprotein', 'yield region', 'age interval 500', 'unique epistatic', '10 included gene', 'randomly selected 103', 'rxrb gene giving', 'snp achieved gapit', 'middle sliding', 'typical problem mapping', '105 snp total', 'smd markov chain', 'standard genetic', 'candidate gene inflammatory', 'locus qtl bcwd', 'fixed population average', 'producer designate', 'binding nuclear', 'meat weight', 'response locus specifically', 'time period north', 'ribeye area marbling', 'similar set', 'standard additive', 'infarction present work', 'hock oc significant', 'acceptance herewith combined', 'palmar plantar', 'population 1574a snp', 'marker including microsatellite', 'weight apex2', 'dmi putative qtl', 'snp mlk', 'fabp6 sst', 'previously developed', 'solute carrier', 'based proximity bonferroni', 'aa genotype mg', 'adhesion phenotype', 'bearing genotype', 'interval containing positional', 'alpha like protein', 'level chromosome 20', 'duroc generation', 'gebv milk somatic', 'hunting opposes', 'daughter 12', 'effect adjacent qtl', 'mal2 lpar1 prkag3', 'sequential mbv built', 'ebv race time', 'included highest peak', '76 355 snp', 'subtraits uterine', 'snp 356 617', 'ascites advance ascites', '88 autosomal', 'btb status using', 'suggestive snp nominal', 'autosome analyzed', 'ability try', 'backfat thickness lm', 'cell differentiation insulin', 'lifr ph 24', 'line exploited marker', 'study dissect genetic', 'cebú breed crossbreed', 'differ breed', 'effect ibk', 'segment considered', 'polymorphism promoter', 'acyl carrier', 'corresponding qtl', 'sample collected worm', 'increasing attention', '10 26', 'protein functional', 'significantly associated altered', 'thickness ph value', 'tubular diameter', 'breeding plan fresh', 'fully explored rainbow', 'qtl hypothesis showed', 'interbreed comparison revealed', 'moderate density single', 'project additionally gene', '105 significant snp', 'mt heritable trait', 'saline single', 'sample industry pig', 'trait french large', 'flanking region gene', 'genetic determinant imf', 'method proposed simultaneously', 'pattern porcine gpihbp1', 'sheep navajo', 'information unavailable straightforward', 'difference protein', 'end fat', 'age subcutaneous fat', 'serve important genetic', 'regression grammar', 'developmental event influenced', 'detected bovine', 'genotyping platform 57', 'marker low', 'sow lifetime productivity', 'receptor related', 'sib family challenged', 'phenotypic variation genomic', 'measure result', '2467 progeny', 'peptide receptor associated', 'current sequence annotation', 'brings big', 'iron content detected', 'posterior density interval', 'dna sequencing primer', 'energy balance', 'sc facial', 'effect ssc8', 'rorc sequenced new', 'relevant qtl close', 'represent useful', 'deficiency holstein cattle', 'resource population consisting', 'ala36thr insulin', 'qtl resistance region', 'syndig1l vrnt proposed', 'abundant compared', 'mating vs', 'error 01 qtl', 'lpl key enzyme', 'scenario regressed', 'weaned litter pwl', 'k99 f41 isolated', 'worldwide survey haplotype', 'qtl location variance', 'genetic component antigen', 'snp4 population', 'context region', '03 10 12', 'complex phenotype testing', 'backfat thickness trait', 'ranging farrowed measurement', '670k axiom equine', 'constant replacing number', 'holstein friesian cow', 'bird rs13997811 05', 'em blasso', 'editing 41 148', 'association allele', '536 gene', 'contrast detect genome', 'pig high allele', 'likelihood chi', 'disequilibrium associated behavioral', '181 large white', 'locus lumbar', 'plscr4 associated', 'additional population', 'proportion cell subpopulation', '1097 holstein bull', 'fat content muscle', 'work necessary', 'weakness trait genome', 'intake time use', 'meat despite enhanced', 'selection palatability lipid', 'ssc12 explained important', 'ssc7 genome wide', 'harbor qtl influence', 'population maternal information', 'respiratory health', 'measured ultrasound muscle', 'marbling score yield', 'slco3a1 psma4 fto', '14 locus affecting', 'allele white duroc', 'model incorporating genomic', 'nba region', 'variance score analysis', 'quantile quantile', 'various available', 'location vicinity', '51 phenotypic', 'utr acyloxyacyl', 'boar danish breed', 'framework high', 'population fish', '2398 bp variant', 'trait insufficient', 'resource population founder', 'region addition identifying', 'tissue mass identified', 'reflect meat nutrition', 'consequent total korean', 'consists 462', 'furthermore utilized genotype', 'involved hematological', 'ratio total', 'follows aa', '1206 significant', 'trait locus major', 'size adult stature', 'array study', 'evaluation country', 'rs41919986 synonymous mutation', 'concordant set', 'polymorphism nellore cattle', 'informative high quality', 'better elucidated genetic', 'unpleasant boar', 'body composition 148', 'estimated general', 'trait measured steer', 'putative qtl', 'shank trait', 'control infected', 'dgat1 polymorphism responsible', 'level gene mammary', 'horn number ranging', 'study linkage linkage', 'design including large', 'romane sheep sire', 'level respectively snp', 'nuclear family', 'considering importance', 'affecting aggressiveness', 'sub sample', 'animal jb2 450', 'presented using ldla', 'study highly significant', '05 studied', 'incidence classified', 'acyl coa synthetase', 'architecture trait extension', 'significantly differentiated', 'marker covering thirds', 'statistic evidence link', 'highly significant effect', 'gene searched', 'large effect ssc5', 'level effect', '954 progeny', 'experimental resource population', 'genetic merit', 'pleiotropic effect fatness', 'acid replacement leucine', 'eqtls false discovery', '10 associated mir206', 'conformation trait 607', 'assist search candidate', 'encouraging effort implementation', '484 cow', 'study demonstrated chromosomal', 'vitro hek293 cell', 'bta2 bta10', 'applying false', 'life somatic', 'revealed single genome', 'metabolic body composition', 'blue shelled chicken', 'study revealed region', 'using compression adhesion', 'healing adipose', 'ld estimated', 'feed intake required', 'process point early', 'form ampk associated', 'cost uk irish', 'milk production regulated', 'observed suggestive', '101 offspring', 'luxi xianan', 'trait obtain', 'percentage motile', 'mb 11 cm', 'density affymetrix', 'association hematological', 'breeding value 27', 'end arm', 'gga6 gga8', 'tg ldl chromosomal', 'number informative marker', 'measurement individual', 'associated metabolic trait', 'chromosome 26 protein', 'oar19q24dist confirmed', 'control 626', 'trait marbling score', 'tibia length', 'significant porcine lipid', 'locus 29', 'family linkage brd', 'annotation support', 'extra subcutaneous intermuscular', 'chromosome rs133039577 rs110013280', '916 variation categorized', 'gene tert', 'grouped 11 temperature', 'effect time gompertz', 'intake adfi', 'significance mediates', 'thymus helper linked', 'gene response', 'fec identified', 'qtls carcass weight', 'identification season lambing', 'f19 sutai pig', 'py fy milk', 'sib analysis qtl', 'fertility family', 'production horned', 'ww dwg', 'fine mapping quantitative', 'charolais bull', 'progressive lymphedema', 'population loin muscle', 'family largest', 'total 451', 'utr poll', 'trait cross calf', 'sc repeatedly mapped', 'marchigiana tt', 'adequately fit', 'rapid validation large', 'animal 44', 'recovered level statistical', 'milk canadian', 'bft rea bms490', '1750 cattle snp', 'aim performed expression', 'incorporation genomic', 'individual marker allele', 'effect interaction included', 'entire population', 'genotype conclude', 'utr frequency', 'disequilibrium r2', 'certain breed marker', 'suggestive qtl identified', 'carcass trait studied', 'association firmness 01', 'map fecal', 'trout total 278', 'greater female', 'qtl affecting sensory', 'ssc15 ssc16 mainly', 'fat lean ebv', 'genomics provide unprecedented', 'fitting additive allele', 'indicated gh', 'tainted carcass', '12 dgat1 ghr', 'feeding trait', 'avpcv pcvd overlapped', 'lower longer', 'cattle mutation', '29 putative qtls', 'genotype tc lower', 'additively evidence epistasis', '45 phenotypic variation', 'high quality snvs', 'novel object', 'bodyweight conformation score', 'breed production udder', 'location slick', 'bp read bridging', '62 ebv pat', 'conclusion kit gene', 'provides new', 'trait random', 'tenderness score respectively', 'bl withers', 'trait absolute fat', 'ambient temperature', 'gdf9 post', '13 cis', 'adfi adg', 'genotyped 108 microsatellite', 'allele frequency finding', 'available chicken', 'region corresponded', 'possibly needle', '18 23', 'index c18 c18', 'cow commercial', 'infected wild type', 'equine chromosome eca', 'mature mirna', 'product primary', 'lysine specific', 'marker yds', 'ala val respectively', 'position detected genome', 'including potential epistatic', 'juiciness compared', 'mecr adam12', 'dosage compensation', 'moderate low proportion', 'smad3 smad6', 'composite beef cattle', 'mixed model sire', 'window implemented identified', '35 56 phenotypic', 'cow 436 ih', 'associated measure skeletal', 'mastitis udder depth', '919 snp located', 'bta 54', 'fl lesser extent', 'performed half sib', 'genomic region related', 'flavour odour', 'comprising 191', 'fine mapping applied', 'cattle sequence based', 'allele simultaneously', 'transition predicted', 'called gdf8 member', 'egg taste meat', 'program difficult measure', 'coefficient variation', 'line highly', '70 84 candidate', 'deviation yd used', 'selection goal breeding', 'density genotyped', 'relative contribution', 'slanting length', 'interval follow replication', 'near 17', 'sire deregressed estimated', 'elimination analysis used', 'affected 289', '78 significant', 'joint multibreed analysis', 'significantly associated different', '70 cm respectively', 'analysis haeiii frequency', 'proportion highly', 'causative variant teat', 'gastrointestinal parasite infection', 'model approach novel', 'susceptibility btb enhance', 'study deduced ars', 'stratification furthermore significance', 'scan 110 informative', 'underlying architecture combined', 'multiple sheep flock', 'order relationship matrix', 'performed using 145', 'pig production directly', 'region overlapped', 'taking consideration interaction', '64a mutation', 'prkag3 showed highest', 'microsatellite marker detect', 'b2 fayoumi', 'ca homeostasis study', 'identified tmem154 nominal', 'mapped chromosome region', 'accounted approximately', 'distance mb', 'region csn1s1 screened', 'potentially importance mt', 'hircus chi 16', '49228 allele', 'primarily 25 mb', 'controlled condition', 'population igf1', 'year qtl additive', 'association mstn', 'different potential', 'polymorphism gene detected', 'female estrus presence', 'year pwsy number', 'collected 42', 'pregnant female reproductive', 'therapeutic prophylactic measure', 'obtained family suggestive', 'intron genotyped cross', 'production record 444', 'protein yield located', 'beadchip association snp', 'defining pathological', 'level fat tissue', 'glm procedure sa', 'fewer heterozygote', 'legs trait', 'target gene network', 'regarding il il', 'obtained using 20', 'probability increased cla', 'rate fdr 05', 'sheep study focused', 'false positive require', 'depth decreased', 'project genomic', 'resequenced kb', 'normalised box cox', 'component analysis ibd', '152 divergent german', 'test novel food', 'region middle', '54567459 ssc11', 'number non production', 'helper linked', 'design consisted', '174 test day', 'weight using square', 'breed used analyse', 'gene expression primarily', 'genetic architecture livestock', 'weight 61 snp', '047 dlgap1', 'petroleum ether', 'intermediate density', 'polymorphic marker employed', 'content qtl daily', 'improve milk trait', 'significant impact pig', 'validated large dataset', 'provide potentially useful', 'sequence genotype split', 'useful exploring', 'resistance sheep rhm', 'value location ssc4', 'generation analysed 1395', 'exon il', 'lm measurement lm', 'tested vitro conclusion', 'nasal discharge using', 'fcs intramuscular', 'trait including egg', 'analysis based linkage', 'milk composition result', 'd9d milk content', 'value backcross', 'variation 10153g 10213t', 'explained 17 46', 'genotyped ancestor', '300 seminiferous', 'trout breeding population', 'vertebra detected', 'sourness fishy metallic', 'rm006 25', 'increased sc ebv', 'microsatellite marker targeted', 'powerful method identify', 'response response dna', 'prrsv specific immune', 'male reproductive', 'qtl igf2 good', 'colour higher', 'present study refine', 'broiler broiler', 'poultry directly', 'genetic determinant controlling', 'bwt calf', 'data suggests role', 'involving 183', 'supporting hypothesis cw', 'important element harness', 'untransformed canonical trait', 'analysis half sib', 'snp marker g133c', 'zmeans lod score', 'key regulatory', 'breed f2', 'tumor initiator', 'evenly distributed', 'influenced gene environmental', 'protein bmps', 'charollais lamb 17', 'demonstrated breed study', 'existence qtl similar', 'pork loin', 'cattle information useful', 'ct measurement loin', 'female study repeated', 'gene regulated', 'identify genomic', 'thirteen 23', 'consistently identified', 'sib family including', 'nan yang qinchuan', 'rs81434499 rs81434489', '18 associated viral', 'accuracy compared pedigree', 'linkage map limited', '50 kbp', 'deposition muscling', '124 86', 'located bta 14', 'prrsv strain secondly', 'ebv cattle population', '31 984 bull', 'frequent developmental orthopaedic', 'derived meat shear', 'analysis confirms', 'close 10 effect', 'cow genome scan', 'heritability identified qtl', 'improved general', 'gr study emphasizes', 'association 105 marker', 'causing neurological', 'load snp', '1990s report', 'effect individual snp', 'fat percentage correlation', 'basis characterization locus', 'based knowledge', 'explained 83 genetic', 'revealed notable', 'lamb weight month', 'consumer genotyped', 'remaining fmo', 'lepr allele bw', 'effective method', 'specific bacterium inherited', 'parasite ectoparasitic keds', 'genotyped 124 microsatellite', 'specific total igg', '89 10', 'origin meishan', 'population snp used', 'snp marker quality', 'myh3 myh13 mal2', 'effect lipid', 'interesting result obtained', 'trait ovine', 'rs400827589 correlated', 'fecxgr number', 'genome located', 'holstein cattle known', 'trans eqtls', 'building panel', 'associated bovine', 'aa genotype showed', 'black half sib', 'conformation calving', 'regulatory region', 'furthermore finding economical', 'muscle single nucleotide', 'significant fraction observed', 'lead improved accuracy', 'bta11 bta13', 'shank length qtls', 'stature suggest', 'population multi generational', '45 50 cm', 'response activin', 'snp data analysed', 'fish reach', 'thoracic vertebra chinese', '40 100', 'different equine', 'identified premature stop', 'improvement bovine', 'warmbloods sport horse', 'best value result', 'pathway reveal important', 'substantial phenotypic variation', 'snp il8', 'animal better cope', 'position effect size', 'mean generalized', 'small le', 'feature depending', 'increase c16', 'study effect igf2', 'ap located candidate', 'identified selection animal', 'dmy tended influenced', 'genome wide level', 'sib family additional', '18 sire', 'alpha acaca', 'accounted nearly', 'contrast 78', 'relative resistance', 'usually design based', 'pig considerable genetic', 'marker evaluate', 'acsl1 gene', 'gene body measurement', 'phenotyping shown', 'involved growth metabolism', 'marker weighted', 'rs109546980 significantly associated', 'yield double', 'embryo survival postnatal', 'id ssc', 'forward revealing', 'polymorphism equine', 'regression approach iii', 'showed significantly increased', 'compare mapping', 'hmga1 melanocortin', 'defined mhc haplotype', 'marker dik2291', 'eca refine', 'significant 129 snp', 'trait postnatal ppara', 'significance including qtl', 'period lactation order', 'genetic selection cattle', 'fsh receptor fshr', 'number trait involved', 'complex disease genetic', 'substitution effect confirmed', 'discovery compared strategy', 'bft evaluate marker', 'carcass significantly higher', 'cnvrs previous study', 'gnas gene', 'result significantly associated', 'agreement cast marker', 'hold secret milk', 'entire training period', '31 cm associated', 'identified population multi', 'org qtldb cattle', 'cattle allele', 'single locus multi', 'gene fat', 'near 100 kbp', 'affect economic performance', 'sheep map distal', 'method compared regressing', 'tissue restricted', 'estimated additive', 'qtl able refine', '73 14', 'novel follow', 'data 235', 'reproduction random', 'division differentiation', 'marginal compared', 'fold objective develop', 'bta 18 plag1', 'association detected association', 'revealed white', 'distribution extended region', 'significant epistasis snp', 'attributable chromosomal region', 'bta6 rs110527224', 'observed ehhadh gene', 'high mobility group', '68 breed', 'illumina high', 'overshadowed larger qtl', '642 snp quantitative', 'consistent considering physiological', 'low virulent', 'suggestive presence qtl', 'cow northern ireland', 'generated increasing attention', 'infection differentially expressed', 'calculated allele', 'chromosome 14 20', 'nominal values 071', 'economic concern', 'fatness confirmed', 'included bayesian', '5a kdm5a', 'particular important', 'suggest snp a59v', 'including new region', 'potential causative mutation', 'rs400827589 correlated fecundity', 'chromosome genomic', 'locus inflammatory bowel', 'qtl semen', 'genotype birth weaning', 'cumulatively accounted half', 'predominantly kept', 'higher monotocous small', 'chromosome 48 week', 'large large', 'step control', 'different chromosome best', 'test adgtest major', 'polymorphism bovine cidec', 'similar effect fat', 'segregating free living', 'dna repository', 'snp identified association', 'genotype result support', 'variance located wnt9a', 'consistently associated pork', 'trait end', '1093 purebred yorkshire', 'ube3b gene bovine', 'showed largest', 'sire progeny', 'mortem ph24 electric', 'detected gelbvieh growth', 'different fat', 'array association', 'breed snp associated', 'measure long term', 'lohmann tierzucht', 'molecule considered', 'abdominal circumference pleiomorphic', '93 gene', '05 23', 'linkage causative', 'antagonistic effect trait', 'data 426', 'herd brandon research', 'specific mating chronic', 'single polymorphism nucleotide', 'low boar', 'potentially available genotype', 'composition 05 vasopressin', 'inherited trait study', 'mirnas resulting phenotypic', 'treatment mapped', 'bta6 bft 26', 'measured peak', 'medical treatment died', 'melanoma development pig', 'infection based', 'androstenone ssc6 larger', 'size weight egg', 'gene ccl2', 'using specialized permutation', 'bayesc fitting selected', 'candidate marker dairy', 'subsequently identified segregating', 'additionally gene', 'snp chr1', 'breed 52 danish', 'ssc8 result', 'fcr snp', 'lamb entire', 'conserved shorter distance', 'cross sequenom', 'respectively allele frequency', 'scheme furthering understanding', 'assessed 708 individual', '16 month', 'chain omega polyunsaturated', '21 estimated qtl', 'development sheep', 'mcmc mcmc method', 'highly significant 005', '10 causal mutation', 'analysis testis size', 'boar white duroc', 'model software', 'significant locus tested', 'mainly additive differ', 'ssc11 ssc6', 'alpl mgst1', 'rfi located', 'associated transcription factor', 'increased power', 'effect 01 feed', 'disease brd subsequently', 'probably involved causation', 'small intestine epithelial', 'rate birth week', 'piglet week', 'fairly ancient', 'mc1r color', 'fundamental information future', '0007 yield ebv', 'contains region', 'gga3 qtl different', 'proposed modulate skeletal', 'mapping silico', 'population 1983', 'qtl position revealed', 'used sequence', 'body weight withers', 'intercross ii examine', 'region contains candidate', 'weight 05 suggestive', 'sequenced porcine sod1', 'allowed combination information', 'development 25', 'level similar position', 'pmga 69', 'wisconsin madison research', 'count 178 study', 'lyw canchim', 'day lean', 'characteristic meat', 'mutation intron', 'chromosome associated adult', 'reliability pta', 'trait body size', 'successful strategy identify', 'provided insight', 'brazil 1957 expression', 'revealed distinct akr1c', '200 kb size', '42 019 bf', 'etiologic relationship trait', 'genotyped son used', 'cell differentiation phenotypic', 'snp 28', 'genetic correlation twinning', 'previously reported novel', 'compared hbt high', '82 18', 'measured feed', 'help direct', 'pony 127', 'threshold seventy snp', 'yorkshire meishan', 'population used linkage', 'exon2 detected dna', 'associated oncogene family', '23 significant 01', 'non synonymous single', 'challenge regime', '24 01 significant', 'elisa 12', 'plin5 located region', 'beadchip revealed strong', 'resulting non return', 'length using linear', 'pcr sscp polymerase', 'cluster family', 'statistical model overlaying', 'overexpression swine fibroblast', 'haplotype substitution resulted', 'cross resistant susceptible', 'extended multiple generation', '0058 detected microsatellite', 'igf2 qtl', 'major gene ssc15', 'increase level', 'gensel software parameterized', 'clock inclusion', 'lead dna', 'method purebred population', 'growth associated locus', 'including hampshire', 'aquaculture industry objective', 'proviral load', 'seventeen significantly associated', '1492 expression', '18 case qtl', 'intermediate filament', 'arrdc3 ergic1', 'enrichment gene ontology', 'number chromosomal', 'conclusion result confirm', 'strong support body', 'af trait regulated', 'performed mineral', 'weight located 34', 'white breed using', 'conclusion main', 'research report', 'independently affect calpastatin', 'genetic control salmonellosis', 'located quantitative', 'predicted gene including', 'testicular weight sscx', 'transition period lactating', 'oiliness tnni2 tnnt3', 'identified ph ssc1', 'indicated evidence genome', 'parameter revealed 31', 'genotype preliminary analysis', 'expression subcutaneous fat', 'c18 lm', 'study contain', 'confirm result previous', 'content study', 'pattern domesticated', 'downstream recombination', 'quantitative dependent variable', 'nervous underlie variation', 'milk product', 'indicus cross', 'transcript single nucleotide', 'blup index', 'region involved elongation', '31 producer recorded', 'aa qul', 'analysis using 15', 'identified qtl haplotype', 'important step', '50k single', 'effect 38 corresponding', 'increase 43', 'study distinct causal', 'analysed detect quantitative', 'step 88', 'longitudinal trend ew', 'array population suggesting', 'quality segregating', 'significance level initial', 'inherited 10', 'generation result progeny', 'novel variant gdf9', 'white 185 synthetic', 'mapping vca', 'affect developmental process', 'unexpectedly ram heterozygous', 'efficient powerful imputation', 'fit significantly', 'ssc verify involvement', 'ct scanning fifth', 'promising quantitative', 'polymorphism analyzed using', 'proportion cost involved', '39 cm ssc17', 'resistant salmonella colonization', '2834c 3533t exon', 'mrna level atgl', 'fabp genetic', 'selection increased milk', 'heart fatty acid', '6days exposure air', 'association test showed', 'improving trait underlie', 'gregariousness weak', 'associated departure', 'family population', 'gene aa ag', '05 10 thirty', 'qtl analysis multiple', '48 genome', 'far point different', 'individual established', 'region using haploview', 'significantly associated testis', 'body size genotyping', 'ewe university western', 'coding exon bovine', 'eca3 affect', 'different population variance', '259 segregating', 'like epl', 'total trait measured', 'divergent haplotype 35', 'including landrace', 'important tool detection', 'insulin triiodothyronine', 'tick 300 individual', 'sheep evolved multiple', 'association trait', 'size thoroughbred', 'bayesian analysis separately', 'facilitate discovery causative', 'kr trait different', 'performed series genome', 'qtl bta02', 'design association test', 'qtl significant non', 'represented training', 'strong impact consumer', 'thickness bf fat', 'ibsp ssp1 used', 'pp 21 tsp', 'expression fmo5 esr1', 'animal classified', 'late stage 54', 'taurine breed showed', 'influencing cholesterol ct', 'trait identical region', 'serum beta carotene', 'bovine herpesvirus', 'teat max difference', 'loss ld', 'allele analyzed', 'biological pathway', 'lipe tgfb1 selected', '16 cm ssc6', 'polymorphism decr1', 'fecundity assessed', 'radiological sign', 'partly overlapped chromosome', '222 highly', 'chromosome oar19q24dist confirmed', 'cow 40', 'sequencing used genotype', 'selection sire dam', 'knowledge genetic variation', 'limited knowledge', 'size chromosome relatively', 'level study focusing', 'qtl nte', 'chromosome lma', 'calcium homeostasis resulting', 'igf2 lep', 'intestine liver', '540 progeny', 'isomerase like', 'created used', 'included candidate', '995a 311a', 'genotype smaller', 'production feed efficiency', 'gompertz growth model', 'phenotypic register included', 'linkage information haplotype', 'effect plumage', 'ige level specific', 'genotype desirable breeder', 'willi angelman', 'bft respectively', 'chemokine receptor identified', 'characteristic hsa region', 'population difference roh', 'bta3 85849977', 'wide significant empirical', 'animal representing seven', 'animal model performed', 'putative transcription factor', 'cyp11b1 776 dgat1', 'nearly equal', '1574a marker', 'considered candidate locus', '05 testis weight', 'carrier organic', 'volume 29 located', 'development bcse alternatively', 'wide significant interval', 'bird interval mapping', 'growth denoted', '10 005 marker', 'qtl position complement', 'united kingdom crossbred', '32 03 estimated', 'trotter horse', 'adapted tropical', 'increased index', 'resistance vaccine efficacy', 'bd provide', 'navajo churro examine', 'measured breeding', 'association study empirical', 'initially 139', 'phenotyped feed intake', 'bcse alternatively locus', 'bta2 contained', '11 genome wide', 'udder qtl', '17β estradiol blood', 'pathogenesis woman fertility', 'blv genome integrated', 'v315 associated water', 'data presently available', 'association study secondary', 'wide permutation', 'mmwt residual feed', 'including 20', 'sire 286 dam', 'length cdna bovine', 'used demonstrate', 'thickness different fatty', 'mutation female', 'database mining', 'response novel', 'trait chinese purebred', 'value ebv litter', 'fabp4 csn2', 'program past study', 'provide novel information', 'snp determined main', 'animal varied', '250a g4533675c 110c', 'study increase', 'qtls smaller', 'candidate functional study', 'consequence published', 'important gene pde4b', 'bull predictive model', 'deletion btnl1', 'solution problem study', 'resistance result', 'snp exhibiting', 'ssc6 using additional', 'qtl similar characteristic', 'cross laiwu', 'semimembranosus muscle', 'mb additional', 'normal genotyped illumina', 'qtl ham trait', 'targeted selection far', 'conclusion study detected', 'ocd genome wide', 'population locus involved', 'egg hatchability', '343 ujumqin sheep', 'moisture content drip', 'canadian dairy', 'animal verified', 'metabolism total 24', 'tlum population', 'mrna controlling', 'scan performed using', 'using nrr 56', 'corresponding sd polygenic', 'gwaa compared', 'qtl repeatedly', 'defect recent', 'number thoracic', 'non mhc', 'dgat1 gene highly', 'qtl ssc2 sscx', 'acid synthesized', 'locus shorter additive', 'effect btb', 'analyse data', 'horse important', 'confirm association analysis', 'fetus pregnant', 'low correlation repeated', 'presence pleiotropic', '24 semen volume', 'gpihbp1 lpl gene', 'eqtls enrichment', '001 different allele', 'difference belgian', 'variation end', 'transcriptase quantitative', 'gga2 anatomy gga1', 'daughter sired bull', 'vav2 cacna1s', 'depth decreased loin', '02 05', 'based marker development', 'cddr resource population', 'af bm discovered', 'matrix used directly', 'ld block', 'locus 91c 18377t', 'fat depth segregating', 'correlated t3 t4', 'covering 31', 'score mastitis resistance', 'illumina bovine snp', 'temporal shift expression', 'qtl prkag3', 'investigate effect opn', '21k transcribed snp', 'number animal warranted', 'reactivity followed estimation', 'various milk', 'architecture candidate gene', 'suggests expression', 'effect iga', 'response variable fit', 'chromosome 14 female', 'litter size 05', 'model plink version', 'genetic mechanism enhance', 'motile spermatozoon thawing', 'cross model qtl', 'associated clinical mastitis', 'extent linkage', 'pig high', 'highly polymorphic microsatellite', 'analysis revealed 100', 'derived variant qtl', 'seven red blood', 'recombination observed', 'rs41256901 protease serine', 'experimental pig', 'located closed linked', 'included 11', 'black pied cattle', 'qtl ass expected', 'studied trait result', 'variant snp located', 'trait aquaculture', 'pla2g12a hif1an gene', 'body weight lean', '01 365 significant', 'muscle area em', 'age attainment puberty', 'regulator gene', 'solution leading', 'cm lod', 'genotype 232 animal', 'tract density', 'daily monitoring linkage', 'family pa sire', 'genomics new', 'snp 5239c', 'bayes analysis snp', 'bisexual expression comb', 'genetic variation exists', 'putative mirna target', '20 22 28', 'gene identified database', 'pregnant ai service', 'snp significant reject', 'signature experiment using', 'variant identified hmga2', 'breeding finally eliminate', '1723a genotyped association', 'line identical descent', 'preliminary evidence', 'stallion 19 breed', 'snp beadchip used', '30 day 120', 'detected season 05', 'beadchip based data', 'influence morphological characteristic', 'associated gene qtl', 'complex trait heredity', 'age obtained candidate', 'farm 2012 119', 'pig goal current', 'database ncbi polymorphism', 'qtl mapped chromosome', 'kr0 kr3 kr3', 'tick sge ripk2', 'sexual maturation human', 'detected foki pcr', 'measured inverse number', '233t identified promoter', 'measured phenotype', 'polymorphism contribute tnf', 'appealing determine', 'beadchip array investigated', 'pcgs located', 'role abdominal', 'used demonstrate possible', 'wl77 low egg', 'weight uterine', 'map resolution observe', 'bone muscle fat', 'leukocyte trait seven', 'score possible', 'line finding', 'cow matched herd', 'growth trait chromosomal', 'qtl chromosome wise', '10 47 10', 'sow analysed', 'known enzyme', 'intake chicken genetic', 'genetic control model', 'network module', 'selected 30', 'detected polymorphism', 'ectoparasitic keds segregating', 'japan endothelial differentiation', 'content lrp12', 'effect fat content', 'level pregnancy', '97 chimpanzee', 'glycogen meat', 'imf 68', 'infectious pododermatitis footrot', 'meat quality animal', 'remarkably small', 'fp significant', 'qtl twinning', 'heterozygosity 7192 significant', 'afc calf birth', 'milk kg', 'imprh7000rad imnprh212000rad', 'validate previous discovery', 'fixed effect polygenic', 'horse 359', 'snp data 1182', 'phenotypic variance conducted', 'enhancing effect gene', 'challenged cow udder', 'contributes physiological metabolic', 'afc calf', 'snp chip gwas', 'measurement gait training', 'f2 chicken 17', 'segregated australian poll', 'confirmed widely', 'mineral balance', 'score sc production', 'data detect', 'afw qtl position', 'revealed overlapping', 'pietrain resource', 'human little known', 'start point', 'lamb entire population', 'immune identify quantitative', 'bird exhibit large', 'result bta04', 'qtl igf2', 'animal f0 f1', '11 respectively phenotypic', 'role chromosome regions', 'additionally repeated sample', 'determine new', '1001t nc_037332', 'distinct qtls', 'behave like quantitative', 'transmitted tsetse', 'snp gga 19', 'maximum number teat', 'ssc14 sscx number', 'wld type noninfectious', 'selection effect', 'c18 index 93', 'type chicken', 'centromeric region', 'curve trajectory possibly', 'used improving', 'member fam110b thymocyte', 'obtained illumina bovinesnp50', 'thickness bft longissimus', '24 egg', 'degradation skatole nominal', 'related qtl', 'imprinting effect appropriate', 'day breast', '900 individual 300', 'gene growth muscle', 'qtl region responsible', 'day revealed notable', 'marker large effect', 'percentage 16 different', 'using dna', 'content important', 'showed snp07 snp31', 'used distinguish breed', 'mum 370 number', 'parasitological trait', 'polymorphism carcass meat', 'hf population', 'rdhe2 v6a genotype', 'identified detected ddei', 'mitf variant', 'acid sfa unsaturated', 'result null', 'observed snp scd', '57 phenotypic', 'bta20 bta26', 'decipher genetic determinism', 'challenged mdv jm', '50 25', 'heavier 07', 'pig number', 'set result histopathological', '353c 233t identified', 'study provided useful', 'muscle weight tmw', 'trait birthweight 003', 'trait unselected', 'unrelated chromosomal origin', 'independent holstein', 'regulating cn', 'method estimate', 'defining subtypes', 'estimate relative', 'industry consumer used', '21 26', 'red breed grandsire', 'recorded specie', 'saharan africa', 'myogenesis gene involved', 'gene ryr1', 'bta3 significant', 'c16 1n', 'light genetic', 'observed sheep breed', 'model compared model', 'provides list snp', 'intramuscular fat ssc9', 'analysis total 187', 'allow genetic improvement', 'phu gga4 genome', 'combination identified', 'selective breeding improve', 'bta14 867', 'ptpn1 insig1', 'snp ii genome', 'gene test variation', 'variance 05 wing', 'measured fatty', 'coding region pig', 'femoral length', 'splicing variant', 'development mammal result', 'sscp analysis marker', 'inbred line previously', 'polygenic effect overall', 'mirna function represent', 'tmw percentage', 'narrowed confidence interval', 'study boar', 'population purpose', 'characterise novel', 'future study combine', 'located linkage group', 'health reducing', 'detected basis genome', 'growth wl77', 'cattle associated higher', 'revealed 21', 'included objective', 'chromosome 16 original', 'fixed effect association', 'family facilitated glucose', 'genotyped 18 marker', 'higher bull h4h4', 'selected based contribution', 'color longissimus', 'sire progeny genotyped', 'available request new', 'association analysis used', 'base underlying complex', 'position fat1 qtl', 'skeletal development mammal', 'associated host susceptibility', 'indicus beef contributing', 'length polymorphism', 'enriched pathway', 'disease incidence detected', 'body mass single', 'knowledge genetic architecture', 'sum bone weight', 'average 13 58', '20 set analysis', 'software result total', 'regulating reproductive function', '29 region exceeding', '17 month radiographic', 'genotype 24', 'chromosome covering total', 'thirteen microsatellites', 'abt 31', 'obesity foremost agricultural', 'locus chicken snp', 'stress response influence', 'angle chromosome', 'chinese jinhua 204', '31 21 19', 'diverse population consisting', 'breed applied selective', 'based silico', 'time demonstrated', 'weight change', 'marker animal genotype', 'marbling 28', 'revealed additive', 'way diallel lot', 'taurus bmy population', 'ct ldl', 'blood disease', 'associated melanoma', 'impaired acrosome', 'chromosome analysis revealed', 'snp marker respectively', 'candidate gene reported', 'family 657', 'burden end second', 'grm1 pol', 'mb inside region', 'pig adipocytes', 'pig 19 microsatellite', 'design carried', 'qtl ssc7 ear', 'trait using breeding', 'imprinting epistatic interaction', 'influenced large number', 'hel9 cssm47', 'weight 05 haplotype', 'number candidate gene', 'includes defining subtypes', 'snp respectively interestingly', 'md 75 hd', 'associated myristic acid', 'rfi1 calculated based', 'breeder opportunity use', 'lea 009 fatness', 'increasing aging', 'image analysis longissimus', 'casual mutation underlies', 'concordance time', 'ratio fcr genome', 'initiator locus model', 'composition tested', 'transcript muc13a', 'texelxmule lamb carrying', '5971 snp included', 'gain phenotype', 'combining result gwas', 'hatching lower corticosterone', 'rock silkies fowl', 'interval estimated responsible', 'study identified mutation', '230 pig performed', 'composite cattle', 'analysis method modified', 'mutation summary report', 'genotype interaction', '36 mm based', 'kit locus affecting', 'current holstein', 'oar3 largest number', 'robust interpretation methodology', 'sscp technique', 'using snpeff sift', 'assay indicated', 'regressed breeding', 'steer genotyped', 'low uterus', 'investigated using subjective', 'weight 01 residual', 'background membrane protein', 'power detect', '192 artificial', 'production using post', 'bos taurus individual', 'large effect trait', 'parameter trait estimated', 'thinning production period', 'negative bacteria lipoteichoic', 'content neauhlf genotyped', 'location marker', 'gene linked marker', '05 detected snp', 'brangus cattle result', 'population derived reciprocal', 'maasai dorper breed', 'shank length chromosome', 'study agrees evidence', 'difference 35 day', 'represent general', 'colonization 61 used', 'jointly pig breeding', 'selection improved year', 'polymorphism reported', 'bta10 bta11 bta20', '001 cwt', 'beef cattle require', 'measured 21 12', 'gene animal', 'objective measure', 'haplotype inferred', 'fat obtained', 'score conformation fatness', 'composed 54', 'trait broad implication', 'lipoprotein intermediate', 'coming meishan origin', 'stronger marker', 'linkage association', 'varying 17 36', 'fertility detect genetic', 'impact qtl humoral', 'mirnas overexpression', 'containing 21', 'breeding improved vaccine', 'maximum growth', 'marker haplotype applied', '01 51', 'activity deletion genotype', 'cell previous qtl', 'determined 435gg', 'metatarsus length metatarsus', 'fecx 02 47', 'snp intron igf1', 'weight mapped', 'reliable indicator aggression', 'eighty animal 49', 'protein percentage contrast', 'behaviourally feather pecker', 'bovine reproduction breeding', '15 located 50', 'cnvs result sampling', 'oncogene family', 'using regression interval', '001 feed', 'haplotype constructed gene', 'growth plasma coloration', 'advantage linkage disequilibrium', 'network included 431', 'functional role', 'favorable allele position', 'avpr1a certain aspect', 'retn am157180 1473a', 'aim maintaining', 'molecular phenotype', 'provide important basis', 'breed chi square', 'significant udder', 'implementation series', 'evaluated population', 'stat signaling', 'snp genotype available', 'pathway gene snp', 'investment mediated', '3750 reflected intermediate', 'mapped french dairy', 'mastitis btas 13', 'primer introduced restriction', '07 12e 06', 'comparison sow high', 'generation allowed', 'mapped quantitative trait', 'used genotyping f1', 'marker bms833', 'acid finding suggest', 'constraining weighting qtl', 'outcome ssgwas', '61 qtl nominal', 'size localized', 'weight data', 'age specific', 'decreased fp 11', 'portion phenotypic variance', 'bovine chromosome bta2', 'breeder opportunity', 'imf reconfirmed', 'evaluated separately frequency', 'control analysis illumina', 'composition bovine', 'breed pl', 'ld marker', 'growth muscle trait', 'transformed genetically', '557 f2 animal', 'identified tgfbr1', 'located chromosome 11', 'phk function cascade', 'available study conclusion', 'trait cattle breed', 'bta15 bta26 bta27', 'specie date', 'tissue 40 time', 'effect body conformation', 'achieve enhanced', 'proportion variance 70', 'indigenous pig erhualian', 'previously shown segregate', 'effect average daily', 'blood cell volume', 'qtl evidence suggest', 'content reach', 'pig anal', 'effect model revealed', 'triglyceride tg lipoprotein', '06 mean', 'acid composition iberian', 'algorithm series simulation', 'fattening period 120', 'ngs 104610', 'aimed characterization genetic', 'industry vaccination generally', 'fine map quantitative', 'beadchip corresponded cw', 'qrt pcr', 'variation microrna gene', 'role central molecule', 'method able distinguish', 'empirical threshold derived', 'logp used map', 'population suggesting rad', 'production trait identified', 'region greater', 'loss structural', 'parental gene', 'data introduced reference', 'hen age population', 'understanding role artificial', 'consistent idea', 'gpc6 gli1', 'mixed model lmm', 'studying qtls purebred', 'resource population identify', 'significant empirical 05', 'improve carcass', '2061 5043 bull', 'number area composition', '05 enriched gwas', 'midpoint marker interval', 'using 881 single', 'presence 19 significant', 'concentration volume quality', 'region need', 'number teat morphological', 'trait locus end', 'using genabel', 'detected autosome including', 'identified 12 snp', 'overlapping gene', 'fatness af previously', 'linked locus located', 'weight breed', 'snp 16 breed', 'correction used', 'aimed identify leptin', 'genome identify', 'antagonistic effect dgat1', 'genome region chromosome', 'range horse', 'ocular squamous cell', 'study investigated expression', 'trait relevant genomic', 'mrna longissimus', 'value located marker', 'parentage testing procedure', 'pool obtained shadow', '04 conclusion', 'gene revealed synonymous', 'f2 intercross identified', 'pig used single', 'effect phenotype study', 'phenotype provided prediction', '01 respectively qtl', 'number polymorphism haplotype', 'reaction inhaled stable', 'inference tool necessary', 'limitation previous work', 'using divergent line', 'ssc8 tumor evidence', 'comb line', '60 illumina snp', 'population useful', 'fst performed', 'genomic segment considered', 'role development ovary', 'rspo2 mitogen', 'breed support implementation', 'atgl expression', 'calpastatin calpain', 'lower concentration', 'jungle fowl', '565 record weight', 'cast gene considered', 'used effective', 'insemination service', 'red comb line', 'gene subsequent marker', 'satisfaction benefit', 'gene effect suis', 'ssc13 86', 'analyzed haplotype study', 'physical mapping exploiting', 'trait haplotype constructed', 'trait play', 'parametric linkage tdt', '10 juiciness roast', '26 37 34', 'leg score detected', 'analysis differential gene', 'mapping line', 'trait associated 24', 'strep uberis result', 'establishes genetic', 'snp upstream', 'fld aid genetic', 'concentration total', 'muscle area obtained', 'study applied selective', 'training history', 'aa association', 'credibility interval estimated', 'cm 45 mb', 'result showed statistically', 'boar white', 'derived line help', 'region particularly individual', 'step gblup method', 'oc investigation necessary', '022 illinois population', 'rab27a required', 'result suggest gene', 'autosomal genome', 'charolais brahman belmont', 'condition allow identification', 'genbank accession number', 'economic trait data', 'genome ovis_aries_v3 released', 'interacts previous', 'protein allele', 'presented paper', 'prkd1 ssc7', 'revealed statistic', 'overdominance pod effect', 'ltl ph 45', 'genome scan accounted', 'calf kosher', 'large white reference', 'included analysis record', 'ros0025 50 cm', 'indicating cw locus', 'strong genetic association', 'reduce impact prrs', 'evaluate prkag2', 'statistical analysis identified', 'maintained telomeric region', 'relatively qtl influencing', 'university alberta roy', 'trait snp annotation', 'location method', 'number corpus lutea', 'genotyping animal', 'snp gip', 'fcr genome', 'lamb lambing', 'ssc10 ulceration', 'annotated reference', 'build available pig', 'maintain proliferative renewable', 'conservation key', 'gene 160bp apart', 'program initiate', 'similarly rs17196799', 'step unravelling gene', 'use larger', 'chromosome bta1', '20 total', 'gene snp significantly', 'strongyle faecal', 'ld adg extreme', 'seven located ssc2', 'bp chicken', 'range behavior', 'european prrs', 'marb montana tropical', 'sequenced identify genetic', 'sequence protein snp', 'described 8656c transition', 'population fine', 'favourable younger', 'grade fat average', 'prp genotype disease', 'recorded time', 'sheep autosome study', 'protein kinase adenosine', 'suggest genome wide', 'androgen known', 'influenced gene', 'aimed estimate genetic', 'totally 39 significant', '247 british yorkshire', 'muscle ph 45', 'weight late production', 'offspring data', 'nematode resistance result', 'effect fat showed', 'caproic acid c6', 'fundamental goal evolutionary', 'allele frequency alternate', 'receptor insr', 'showed association trait', 'evaluate number', 'qtl sqsl1 dqsl2', 'time evident', 'explained variance', 'thymus vlt viral', 'epithelium lead development', 'slick individual zero', 'backcross f1 population', 'common approach', 'individually second', 'chromosome 15 cm', 'test second', 'head typically', 'associated rac', 'btb holstein cattle', 'marbling tenderness addition', 'understanding complex genetic', 'association study detect', 'cd age', 'snp longissimus muscle', 'animal measured', 'qtl chromosome explains', 'provide evidence direct', 'consumer acceptance herewith', 'encephalopathy sheep goat', 'maturity egg', 'involved conformation scoring', 'ether extract protein', 'region nucleotide position', 'addition qtl bta', 'cheap high throughput', 'content accelerate effort', '15 13 marker', 'condition management', 'equal zero genome', '54 001 single', '55 cm s0102', 'determine explained', 'thrsp tph1', 'time daily', 'snp corrected value', 'confirmed narrowed', 'required ovarian follicle', 'cast fut1', 'production size', 'valuable insight', 'content fixed improving', '44 milk', 'abnormality rate', 'pcr acrs', 'ratio maml3', '55 cm bta', 'impact development', 'management genetic improvement', 'study used proposed', 'trait population level', '36 37 se', 'fy casein', '497 heifer', 'non carrier sire', 'characterize performance', '16 family swedish', 'leg bowing', '115 kg fixed', 'trait generation resource', 'bmp15 gene evidenced', 'chromosome genotyped', 'association imputed', 'ontology male', 'titre snp', 'respectively mixed', 'brahman brahman', '2a general transcription', 'technique association', 'population potentially highly', 'fabp3 rs1110770079 snp', 'cattle using set', 'avpr1a exploited', 'ldla approach', 'angularity chromosome 12', 'acid oleic', 'variability functional', 'infection resolution', 'body conformation fl', 'me1 genotype', 'milk speed', 'exceeded threshold genome', 'assembly result', 'imf loin eye', 'antigen determinant lipopolysaccharide', 'assayed backfat', 'gene 40 cattle', 'heritability adult', 'associated rao', 'result strongly suggests', 'target region carry', 'design qtl exceeded', 'sc chromosome bta11', 'causative mutation remain', 'population 27', 'pancreatic necrosis ipn', 'interval covering 29', 'nup210 close', '30 mm', 'profiler porcine hd', 'backfat muscle fa', 'regression analysis mmra', 'bp homologous sequence', 'marker rs110125325 rs41652818', 'milk production 12', 'studied marker', '27514 swr1637', 'fact parameter measured', 'line divergently selected', 'gin infection', 'qtl lbw', 'accompanying relationship matrix', 'prkag3 significant effect', 'provide framework', 'human diet', 'recorded different muscle', 'value treated', 'coverage rate 88', 'important welfare issue', 'deletion genotype 01', 'bovine alpha lactalbumin', 'producer care', 'chl_milk respectively important', 'cutoff value', 'study report refined', 'association lp analyzed', 'hydrolyze succinyl coa', 'multiple qtl analysis', 'analysis used analyse', 'skatole fat molecule', 'largely depends shape', 'qtl region aim', 'efficiency nelore', 'mastitis phenotype', 'number novel qtl', 'locus qtl fat', 'window chromosome omy', 'skatole measured', '97 02', 'association snp rs418747104', 'rflp sscp analysis', 'relative difference', 'high density 600k', 'rate estimated used', 'performed highly', 'decrease vartnb', 'haplotype frequency 26', 'package genome', 'region association test', 'stallion disease', 'consistent single pleiotropic', 'involved cellular hypoxia', 'snp indicating mutation', 'yield grade 11', 'qtl chromosome bta', 'protein equivalent', 'bull significantly', 'nr6a1 corepressors', 'reaction asp pcr', 'refine localization qtl', 'animal fed', 'fish representing 98', 'average muscle', 'gene involved development', 'region soay sheep', 'ssc6 bf bf', 'slaughter following slaughter', 'interacted dam', 'foot score rear', 'chromosome 12 24', '906 jiaxian jx', 'qtl confirmed linkage', 'breed resistant', 'position conclusion study', 'qtl analyse', 'organ beneficial', 'associated tropically', 'line population hen', 'capns locus locus', 'contrast previous', 'establish association', '869 litter', 'cattle susceptibility cattle', 'gene demonstrate gdf8', 'offspring sire total', 'reach market size', 'harbour qtl', 'retn minolta', 'ank1 associated tenderness', 'healing low genetic', 'genetic variance additive', 'suggestive evidence haplotype', 'candidate gene including', 'suggested artificial selection', 'particularly growth carcass', 'ars bfgl', 'suggested identified', 'causative allele', 'induced herpesvirus md', '3020a play', 'trait qtl pin', 'region termed sal1', 'breed significant difference', '105 snp', 'beadchips f2 pedigree', 'locus near fads2', 'test chi2', 'dehydrogenase ugdh suggested', 'steroid main', 'accompanied increased', 'help understanding genetic', 'causal variant associated', 'murine leydig tumor', 'independent association increased', 'significance threshold 380', 'potential solution issue', '16 rao', 'final snp rs41694656', 'size adult height', '1q32 xpter xp2', 'luteum number', 'verification study required', 'catalytic site', 'highly heritable arachidonic', 'specificity qtl suggested', 'region chromosome 14', 'confirmation fec qtl', 'gene lead complex', 'cooking loss using', 'effect population', 'oar21 affecting', 'admixture analysis identified', 'study associated ketosis', 'dgat1 yield trait', 'production trait significant', 'industry catfish industry', 'weight average diameter', 'genetic improvement bone', 'using million record', 'detected small intestine', 'respectively highly significantly', 'hypertrophy identified belgian', 'structural protein angus', '24 significantly', 'study significant', 'conclude fabp candidate', 'molecular marker ma', 'qtl analysis divided', 'assay pcr rflp', 'human rs4121165 gc', 'welfare stockman animal', 'atgl stimulating triacylglycerol', '24 qtl interval', 'wide combined', 'new functional', 'sarcoids genome', 'bi596262 identified porcine', 'affected calf 38', 'considerably past', 'mode residual polygenic', 'opportunity study production', 'window support', 'eqtls testis', 'milk chl content', 'disease infectious bursal', 'effect multilocus epistatic', 'mirinz test', 'allele display temporal', 'deposition regulation', 'qtls fertility', '21 dpi', 'qtl production trait', 'underlying snp affect', 'infection confirmed', 'fine map previously', 'morphology revealed', '20 contained', 'genotype cc genotype', 'lep 1723a', 'condition growth', 'section welsh', '159 649 698', 'production trait diacylglycerol', 'family sequence similarity', 'mrna employed previous', 'chicken mirna 1606', 'low lg', 'f41 using 39454', 'hcr genomic selection', 'study qtl search', 'total glycogen meat', 'similar trait cattle', 'strategy breed', 'genome using 183', 'gene affecting productive', 'chromosome planned milk', 'genotype maternally', 'intermediate density lipoprotein', 'enabled fine', 'pig extreme estimated', 'composition prkag3', 'key candidate gene', 'duroc pig study', 'favourable dominant allele', 'sesamoidales radiographic', 'cattle le', 'difference score', 'function postcalving development', 'known immunity', 'leading smaller qtl', 'new cnvrs 30', 'specie evidence genetic', 'study sufficient estimating', 'ranged 37', 'area provide knowledge', 'ssc16 ssc18', 'inclusion snp', 'food safety environmental', 'pasture population', 'allele 05 confirm', '386 nellore steer', 'haplotype high density', 'limited genotyping', 'bmc percentage bmcpc', 'cryptic allele opposite', 'trait measured 630', 'generation sequencing study', 'located lactalbumin gene', 'identity descent ibd', 'selection line study', 'regional genomic', 'developed genotype f2', 'kg deviation haplotype', 'qtl detected 34', 'used producer', 'inhibitor type member', '245 holstein cow', 'mutation g32e conserved', 'hol cattle detected', 'based family result', 'confirmed excluded involvement', 'resource family genotyped', 'ability generate calf', 'percentage 16', 'resistance consequently', 'functional property', 'phylogenetic analysis revealed', 'fat lg prl', '13 bb710 pvrl2_c', '456 marker trait', 'different level', 'generation produced', 'chromosome crossbreeding', 'prolificacy great', 'result screen', '38 424 single', 'proportion false', 'chest body slanting', 'semimembranous muscle', 'revealed number novel', 'oc horse', 'seventeen qtls bone', 'lnba 12 removal', 'enriched biological', 'thickness 18', '27 region', 'genotyped informative marker', 'cm 123 cm', 'red eighteen grandsires', 'breed conclude myog', 'genotyped melim duroc', 'white hair', 'different trait epistatic', 'genome sequence variant', 'family black', 'moisture make', 'loss reproduction present', 'entry food chain', 'trait investigated study', 'dlk1 meg3 previously', 'africa west', 'gr expression hypothalamus', 'dairy cow group', 'promotes differentiation brown', 'population holstein', 'performed 1317 cobb', 'represent functional candidate', 'type influence crucial', '43 45', 'dyd associated', '626 020', 'various trait mapped', '45 kg', 'area curve log', 'bird result showed', 'incidence rate', 'explained genetic variance', 'pregnancy rate oestrus', 'sheep revealed significant', 'age puberty allow', '229 kg', 'common genomic region', 'responsible exceptional prolificacy', 'seven correlated udder', 'measured genotype association', 'genetic property', 'reproduction trait finnish', '295 ovulation', '1596 locus', 'analysis imf linked', 'microsatellite locus pig', 'analysis revealed existence', 'strongest statistical', 'etec f41 compared', 'coverage identify', 'divergent chick line', 'ebv 0120', 'marginal additive', 'generated study', 'oc associated', 'affect birth', 'fecge fecxo fecxgr', 'genetic factor influencing', 'mining indicated candidate', 'sd cv', 'flock american continent', 'post mortem ph', 'study highly', '101 qtl including', 'germany management', 'near lei0101', 'breed total 2467', 'produced moderate marker', 'rxfp2 tbx5', 'indicated key role', 'intake efficiency use', 'ld adg respectively', 'colocalize qtl', 'haplotype 10 14', 'fecbb affected litter', 'prlr gene associated', 'especially developing country', 'size sow tnb', 'line potential marker', 'prkag3 promoter meat', 'good conservation', 'quality single nucleotide', 'significant 51e 06', 'fed predominantly grazed', 'retp metr cyst', 'trait w2cl conclusion', 'variance fi1 fi2', 'varies black blue', 'hypothesis allele segregating', 'meishan prolific', 'mutation g1406a exon', '23 phenotypic md', 'underlying f4ab', 'cm centimorgan', 'ratio value', 'research evaluate', 'animal little', 'mastitis revealed significant', 'pig imf estimate', 'enhances understanding underlying', 'testicular weight 90', 'appropriate backfat', 'female pleiotropic', '52 0003 located', 'diverse breed european', 'causal variation underlying', 'area composition meat', 'hanoverian stallion difference', 'lcorl biec2 808543', 'exists new zealand', 'fit hand', 'fcr conclusion', 'indigenous chinese cattle', 'equal genome wide', 'number posterior', 'role assembly secretion', 'validated alternative', 'water loss', 'receptor interaction calcium', 'breed addition hotspot', '954 animal', 'obtained different stage', 'analysis provide', 'small polygenic effect', 'uac calpain', 'deposition lead improved', '3p microrna chicken', 'genotyped 135', 'disequilibrium information identify', 'marbling bta', 'wide exponentially rising', 'forelimb 05', 'population genetic', 'identified hdl ldl', 'decreased milk', 'determined mapping', '85 149 89', 'affecting parasite', '28 suggestive', 'pathway insulin', '17 day older', 'identify variant determine', 'cattle performed genome', 'considerable attention recent', 'detected qrt pcr', 'variant 2614t', 'recalculated order', 'composition large', 'gdf9 bmp15 implicated', 'pigmentation shank 21', '55 cm determined', 'difference genotypic frequency', 'ep using panel', 'shape likelihood curve', 'region high 55', 'flanking region cpm', 'development morphology epithelial', 'identified fine mapped', 'corrected significance chromosome', 'muscle ph furthermore', 'snp 44', 'result study new', 'additive additive', 'oc result suggest', '1994 genome', 'control ovulation', 'different feeding practice', '17 mb', 'revealed substitution 423a', 'level heterozygosity 87', 'reproductive seasonality litter', 'repeat fyve domain', 'bone fracture pig', 'test day model', 'growth reproduction pooled', 'ssc7 white duroc', 'strongly associated marker', 'analysis utilized', 'puberty trait correlated', 'region estimate', 'cattle influenced', 'generally limited', 'ppargc1a snp fasn', 'case rao', 'ref dataset confirmed', 'trait related semen', 'protein percentage 47', 'slc6a4 rs17196799', 'loss dl', 'span genetic distance', 'suggests scd', 'chromosome sw322', 'age birth', 'gwas selection signature', 'ldla determine', 'polymorphism small', 'polymorphism apoh', 'detected population additional', 'examine pleiotropy responsible', 'data nh breed', '05 control', 'performance trait norwegian', 'indicated ctsd', 'respectively gwa analysis', '624 800', 'content bft', 'va ratio', '030 cnvrs', 'le involved', 'study applied identify', 'cm chromosomal', '112 qtls', 'pde4b3 using informative', 'analyzed pl', 'evaluate multiple', 'marker increased 35', 'population consisted 10', 'disorder significant', 'respectively qtl', '23 45 50', 'ier3 bta23 gene', 'stage specific muscle', 'genomic control', 'performed using variance', 'trait bmcpc overall', 'applied 105 pony', 'associated oleic acid', 'carcass backfat', 'analyzed line swine', '100 resistant', 'gene rb1 p2ry5', 'reproductive skeletal', 'ultraviolet radiation', '24 month old', 'qinchuan hucklebone', 'weaning gain', '236 cnvrs previous', 'qtl seminiferous', 'ass genetic basis', 'brd leading cause', 'androstenone backfat averaged', 'daily gain 23', 'haem pigment concentration', 'gga2 peak qtl', 'lutea number', 'region teat', 'high number polymorphism', 'pvrl2_c 392g sc', 'region affecting recorded', 'genotypic effect population', 'cm ssc6', 'nr0b1 rgs4', 'bb 01 ab', 'cross model', 'ssc8 conductivity accounting', '022 illinois', 'snp 21 significant', 'indicate snp', 'ibk susceptibility association', '50k transcribed gene', 'gga23 detected age', 'sheep mapping', 'ssc7 75 mb', '65 qtl abw', 'homozygous fecx', 'ssc4 ssc7', '165bp apart', '90e 07', 'qtl model marker', 'group model', 'height chest', 'horse half sib', 'similar tissue lung', '266 progeny', 'abdominal fat observed', 'snp relative allele', 'cell vitro vivo', 'distinct locus qtl', 'possibly exerted skeletal', 'univariate sire model', 'ph phu ph', 'permutation approach', 'qtl 119', 'entire flock used', 'point 10 selected', 'distance breed composition', 'family qtl cw', 'modification developmental', 'genomic curve identify', 'control pool', 'heavy pig industry', 'result validation', 'tenderness greater', 'younger age', 'lep 1387c', '264 585 dna', 'line including piétrain', 'production somatic', 'pleiotropic gene gene', 'ssc3 18', 'significant challenge analysis', 'analysis used assist', 'revealed statistically', 'shared haplotype', 'relationship involving multiple', '12 19 chromosome', 'sector pigmented iris', 'occurrence estimated', 'snp potentially used', 'conceived tbrd', '642 snp', 'analysis genetic', 'prolific sire dataset', 'metabolism pathway furthermore', 'qtl cw', 'deviation 16', 'technique random effect', 'cattle plag1 mstn', 'weight egg weight', 'substitution c1924t used', 'architecture underlying complex', 'sequential mbv test', 'oleic 18 saturated', 'extend spectrum genetic', 'affecting intramuscular', 'bone trait locus', 'induced cell cycle', 'world nelore breed', 'conclusion report', 'marker rear', 'isoforms including post', 'qtl lameness', '21 23 vertebra', 'spacing 15cm', 'metr cyst', 'corresponds sd polygenic', 'underlying immune related', 'range pork', 'fat rate 221', 'population allele associated', '112 bos taurus', 'animal 234 number', 'particular mastitis qtl', 'marker included window', 'immunised 40 mer', 'age carcass', 'cattle considerable variability', 'level closest', 'specifically male result', 'genotype ac', 'gain genotyped', 'attacking killing newborn', 'potential role muscle', 'designation origin', 'putative function based', 'possible selection signature', 'gene red', 'representing coverage', 'bta20 gelbvieh', 'reduced calf survival', 'subgroup fat', '01 finding', '234 number', 'commercial laying', 'milk danish swedish', 'produced mating ram', 'asap1 identified putative', 'interaction marker female', 'bull selected', 'cut 05', 'staphylococcus aureus', 'population major', 'confirm relevance', 'veterinary medicine', 'marker allele', 'combination aaa', 'qtl segregated family', 'cm primary trait', 'mashen pig', 'understanding biological genetic', 'coldblood horse', 'acid composition mapped', 'industry comprehensive', 'conducting gwas', 'bmw percentage', 'count fec packed', 'degenerative neural disease', 'underlying quantitative trait', 'breed increased bone', 'pig mutation', 'chick f2 population', 'lactoglobulin abundant', 'total lactoglobulin', 'blood biochemical', 'tt snp3 completely', 'derived 15', 'signal identified brown', 'mirnas 20 25', 'regression module', 'control little known', 'gene 42 important', 'duroc erhualian population', '45 78', 'proposed simultaneously', 'display differential expression', 'ribeye area', 'characteristic moderate correlation', 'region 617', 'chromosome 22 suggesting', 'stearic vaccenic acid', 'method offering', 'serpina7 irs4', 'chromosomewise significant 0124', 'imprinting model previously', 'study demonstrated genome', 'include milk production', 'infection methodology', '26 gene', 'bone trait estimate', 'identified furthermore 40', 'analyse data analysis', 'snp location', 'single true', 'given certain production', 'ability model additive', 'location different', 'bp lg gene', 'staphylococci strep uberis', 'disease causing enormous', 'age puberty ovulation', 'assay pcr', 'c18 cis', 'world using ovine', 'plus non reactors', 'birth workability udder', 'sequence mapping', 'variance marker calculate', 'defect udder', 'family gene tef1', 'corrected phenotype pcp', 'wise basis fourteen', 'glucose phosphate isomerase', 'factor tef site', 'rdc jersey', 'monophosphate activated', 'sex ratio', 'sire qtl', 'slc37a1 alpl mgst1', 'qtl later', 'resistant etec', 'trait sheep', 'carrier 62', 'mechanism quantitative trait', 'brown colouration', 'pathogenic bacteria', '255 iberian', 'reduced chromosomal recombination', '58e tg', 'carora variation gwa', 'previous study quantitative', 'horse pch polish', 'nature iberian pig', 'analysis 1217', 'study neaurp', 'quality phenotypic difference', 'sheep identified', '132 snp 108', 'showed modest', 'h3 associated', 'ldla oar6 overlapped', 'lld analysis single', 'thermoregulation equilibrium ion', '113 pig', 'holstein analyzed population', 'role casein', 'involved mechanism', 'generation quarter', 'population conducted', 'rs339939442 ahr gene', 'gene lalba', 'incidence genome wide', 'geographical origin', 'differentially expressed profile', 'cattle associated', 'feed account significant', 'evidence csrp3', 'produce extremely muscled', 'metabolism gene muscle', 'increase mycobacterium bovis', 'polymorphism identified study', 'rate indigenous', 'uoi marker chromosome', 'wound brings big', 'protein casein milk', 'gwas showed', 'middle telomeric region', 'production quality marker', '1995 region', 'kg slaughtered', 'tg triglyceride content', 'covering 22', 'mechanism aim present', 'eighteen new microsatellite', '13 bw13 month', 'analysis technique', 'breed associated milk', 'level s2 qtls', 'gwass total', 'population gel', 'susceptibility btb chinese', 'capacity individual', 'adipocyte differentiation fat', 'chromosome 12 18', 'placental function', 'predominantly grazed', 'identified including chloride', 'key role porcine', 'animal breed 0e', 'milk yield related', 'marker dik4782 br2936', 'pig number born', 'regression analysis resulted', 'distance angus', 'trait included genomic', 'virus prrsv objective', 'control strategy using', 'stratified population', 'qtls identified noncortical', 'quality identification single', 'image analysis addition', '95 06', 'associated outbred', 'adipocyte abdominal', 'strong support', 'flow seven cattle', 'buttock fat', 'determined f2 sow', 'romney lamb', 'program used single', 'puberty pig', 'genotype sirna', 'important trait bovine', '0014 allele substitution', 'provide theoretical basis', 'industry using fine', 'validated independent population', 'ischemia causing', 'relationship androstenone skatole', 'genotyped 919 single', 'fat contains high', 'located 14', 'including chondrogenesis', 'known exhibit expression', 'expected affect different', 'step innate humoral', 'mediated immunity cmi', 'rs55618716 st associated', 'amino acid showed', 'limousin background new', 'qul beef cattle', 'p450 a19', 'shape carcass measured', 'muscle lipid metabolism', '387 cnvrs', 'anal atresia relatively', 'bw49 70 age', 'cm 65 99', 'fecx fecx 02', '67g 16', 'pathway phosphate phospholipid', 'fitness sex', 'content chicken carcass', 'different chromosome interact', 'measurement lm slaughter', 'ap haplotype based', 'na citrate', 'bcwd selected', 'mass obesity associated', 'weight qinchuan cattle', 'including milk yield', 'human locus', 'lac bilirubin bil', 'examination revealed', 'showed value', '45 sm', 'gl difference sow', 'respectively mstn 435', 'conclusion complex', 'variation bd', 'beta carotene 10', 'positive faecal', 'calf respond', 'composition sheep', 'using g3', 'qtls important', 'unexpected breed', 'chicken meat drip', 'control 129', 'report result', '299 genotyped 135', 'nudix hydrolases strong', 'transmitting ability estimated', 'closely related heat', 'ewe studied', 'mc4r genome', 'concentration ratio arachidonic', 'muscle trait measured', 'largely attributable difference', 'analyzed coding', 'respectively allele associated', 'proportion leg joint', 'sheep present', 'gallus gallus autosome', 'order map', 'protein mutation screening', 'change transcription level', 'box family member', 'pituitary adrenal', 'extreme sire', 'qtl region backfat', 'result significant increase', 'sire inconclusive', '16 selected', 'age menarche', 'associated dpr', 'backfat thickness major', 'bactericidal permeability', 'synthesized mammary', 'using combined lc', 'bta6 37 42', 'deregressed estimated', 'gtp previously reported', 'mastitis immune response', 'vartnb located', 'illumina bovinehd beadchip', 'led identification different', 'population brief', 'tnp1 utr help', 'candidate gene screening', 'haplotype window primarily', 'composition usually carcass', 'longevity economically', 'result help expand', 'pigmentation previous study', 'signal milk production', 'region bta6 14', 'population rs339939442 associated', 'increased addition', 'growth understanding', 'nordic holstein nh', 'eu increasing', 'gene including fam184b', 'band arm ssc', 'beadchip 152 parity', 'transfer total qtl', 'breed fatness trait', 'animal segregating high', 'genotype cc dc', 'qtl prkag3 i199v', 'microsatellites qtl analysed', 'f1 f2', 'classified cis', 'research marker', '90 bovine tissue', 'concern human health', 'generation typed 52', 'used meat', 'examined effective marker', 'genotype sahiwal', 'chicken cc ct', 'marker design included', 'disequilibrium prnp', 'gga5 shank', 'gg genotype qtl', 'corrected milk', 'replication secondly confirm', 'identification allelic', 'scale association', 'acid activation desaturation', 'trait improved', 'sib advanced', 'adjusted systematic', 'androstenone skatole fat', 'bmp5 gene overall', '31 production health', '11 new genome', 'significant snp partly', 'marker disease resistant', 'score entering', 'genotype produce intermediate', 'interval s0073', 'examined f2', 'anecdote supporting', 'contained candidate gene', 'likely controlled number', 'disease tumor', 'score based standard', 'ct genotyped 40', 'deciphering genetic', 'fat lactose', 'ecf18r ryanodin receptor', 'daily gain pre', 'percentage dressed', 'prnp locus gene', 'identified 17 17', 'revealed candidate causal', 'improve mapping precision', 'localized bovine chromosome', '11 chinese', 'casp3_rs319658214g ctsl_rs332171512a', '46 57', 'ab genotype result', 'h4h4 haplotype combination', 'line addition', 'afp shank length', 'litter birth', 'seven pair sibs', 'level affecting trait', 'size study', 'affecting trait performing', 'chromosome 20 study', 'dissect complex trait', 'qtl marker', 'important early', 'korean chicken performed', 'measured 347', 'addition snp fatty', 'tract width greater', 'immunological function qtl', 'responsible reproduction pig', 'mapping qtl trait', 'generated f2', 'sal1 locus identified', 'ham muscle', 'study mineral balance', 'evolution remains', 'maximum region', 'detecting qtls', 'protein mutation', 'loss data analyzed', 'human melanoma', 'linked effect fitness', '39 020', '10 399 animal', '255 sow', 'gene snp potential', 'moderately heritable suggesting', 'likely qtl', 'depigmented phenotype eye', 'pp remarkably qtl', 'conducted adjust', 'aimed improving growth', 'regional analysis confirmed', 'distributed bta14', 'major gene reported', '854 snp 13', 'bw70 age bwg', 'concordance 64 64', 'score 19 34', 'difference cbs', 'level qtl', 'investigated 2007 identification', 'method npl', '23 explained informative', 'imf consider inbreeding', 'maturation embryo development', 'chromosome oar1 oar3', 'analysis suggests distinct', 'gene gbp1', 'metabolic ratio calculated', 'nematode sheep resistance', 'normal horn given', 'ci ear size', 'selection performed', 'granddaughter design 171', 'taint accelerate reduction', 'taken total 417', 'trait nematode resistance', 'metabolism finding', 'variant sequence', 'associated muscle density', 'perforation cornea', 'black cattle using', 'ibp4 specie cattle', 'trait respectively 10', 'used pig', 'rs1110770079 snp', 'ssc2 rs80891106', '372 individual 32', 'region btax loc520057', 'swedish holstein square', 'helpful identification causal', 'revealed statistic evidence', 'genome wise significant', 'variation abhd5 study', 'cc gc', 'generation design', 'animal genotype dc', 'presence absence', 'size 219 039', 'swine snp chip', 'cow highest', 'example genomic association', 'analysed milk yield', 'frequency twin far', 'analyzed polymorphism associated', 'trait cattle plag1', 'unprecedented opportunity', 'genomic location contains', 'level adck4', 'help genetic', 'nature distribution', 'gene significant snp', '10 identified ssc12', 'associated carcass performance', 'ca repeat indel', 'coa diacylglycerol', 'extend finding', 'model population performed', 'enlargement body size', 'infection imi', 'based iberian breed', 'different genotype paternal', 'farm population consisted', '169 individual locus', 'frequency correlating geographical', 'useful snp', 'used candidate', 'gene coding phosphate', 'breed contributed selection', 'number tfn', 'trait identify receptor', 'arm pig', '034 snp', 'phenotype association performed', 'lean lightweight japanese', 'ssc3 baseline', 'churra sheep studied', 'sex 20 parental', 'suggest zbtb38 gene', 'cm detailed', 'best snp alga0035896', 'imf affecting', 'detected 33 trait', 'positionally functional candidate', 'address question applied', 'pde4b3 contain', 'phenotype result total', 'trained panellist', 'contiguous marker', '74 f2', 'cytological trait', 'protects animal mycobacterial', '5312 piglet', 'cell score consequently', 'deviation unit feed', 'association snp suggests', 'provided evidence genomic', 'haplotype potent inducer', 'orthopaedic disease high', 'gensel software', 'qtl database', 'ssc2 orthologous hsa11', 'cow gas', 'cross genotyped', 'emerging problem rainbow', 'mainly influenced', 'later life', 'breed maximum', 'osteopontin opn recognized', 'porcine trait', 'gene designated poubw1', 'genotype reveal significant', 'black blue', 'duplicated microsatellite', 't4 trait', 'tsp direct sequencing', 'autosome bta wwt', '04 combined', 'dermis epidermis', 'landrace herd 545', 'pituitary adrenal hpa', 'allele frequency tender', 'major source', 'muscle hand muscle', 'dw network using', 'ovine snp', '590 174 test', 'longissimus fat gene', 'thickness selection allele', 'making easier', 'population combined largest', 'fatness trait genome', 'polymorphism mfa', 'ceramide cer', 'spinal canal', 'heritability feed intake', 'bone strength defined', 'located gga', 'previously reported population', 'detection time varying', 'daughter record', 'simultaneously affecting', 'important trait breeding', 'cm affect bf', 'f2 87', 'gain adg dry', 'phosphatase non', 'ibdv marek', 'milk higher protein', 'significance level 1e', 'marker studied multivariate', 'broiler gene associated', 'dietary mineral optimal', 'affected heart', 'friesian bull', 'sire positionally phasing', 'marker rm356 peak', 'workshop 18', 'significant increase total', 'bco2 cleaves', 'beadchip conduct genome', 'association analysis experimental', 'rate previous', 'genotype 136', '422c calving ease', 'identify map', 'novel complete', '18 chromosome qtl', 'multipoint zmeans lod', 'sc implemented routine', 'lcorl encodes', 'haplotype observed genotype', 'holstein bull heritability', '24 growth related', 'difference computed', 'fell region harboring', 'implementing selection', 'procedure characterized', 'r2 statistic', 'threshold equivalent', 'animal high low', 'form estimated breeding', 'model resulted refined', 'internal parasite nematode', 'multiple phenotypic value', 'free reml snp', 'detection phenotype', 'genetic architecture baseline', 'adjust effect population', 'affect milk', 'particularly growth', 'beadchip sire', 'lc effect', 'cattle tick resistance', 'genotyped missense', '105 qtls', 'modified pattern social', 'trait 38', 'trait bos', 'analysis strict bonferroni', 'rfi maintenance', 'dna collected', 'advancement pork', 'imprinting effect related', 'region bayes', 'associated parasite tolerant', 'variation pigment', 'presented average', 'validate proposed method', '82 cm 60', 'mastitis immune', 'alga008191 located kb', 'cattle population purebred', 'polymorphism used', 'ssc5 12 13', 'qtl maternal expression', 'frequently treated response', 'rs109663724 rs137673193', 'mutation fabp psmc1', 'revealed sire segregating', 'nearby quantitative', 'covering porcine', 'used bayesian', 'significantly associated average', 'application marker', 'merino sheep animal', 'respectively bayesian gwas', 'quantitative measurement presence', 'provides opportunity', 'influence basal metabolic', 'lcorl identified', 'qtl report', 'thoroughbred indirectly affect', '63 bp homologous', 'choice deplete genetic', 'disagreement result obtained', 'protein percentage fy', 'affected body weight', 'cause intracellular destruction', 'directly measured second', 'gwa study result', 'associated trait confirming', 'weight fw', 'cis acting effect', '299 sib', 'detected significant suggestive', 'improve knowledge complex', 'lamb extreme fec', 'lameness index different', 'resource population examine', 'result indicated ctnnal1', 'serum triglyceride', 'trait reported tick', 'bovine igf2 gene', 'genetic heritability environmental', '30 140', 'energy expenditure', 'fixed iberian', 'ms pig', 'sensory panel relevance', 'amplify fmo1', 'trait chromosome bioinformatics', 'ex1 snp int3', 'candidate gene evaluate', 'hcr separate population', 'implemented day old', 'mutation 874g', 'fatness trait igf2', 'identify polymorphism odc', 'eared breed mutation', 'cattle family', 'polymorphism potential', 'altered amino', 'gene genomic region', 'block approximately', 'cattle 158', 'approach successful study', 'dependence hatch', 'blackface artificially inseminated', 'gli2 identified positional', 'rfi rfi2', '631 987 104', 'select le', 'result sc', '10 reached', 'pooling sdp applied', 'confirmed animal', 'boar family', 'increased compared', 'iii ii', 'good positional', 'determinant dairy', 'bta5 identified single', 'population furthermore', 'reference set', 'qtl fatness growth', 'spanning position 122', 'exterior meat', 'hedgehog considered candidate', 'myh4 snp', 'minor abdominal', '23 sow progeny', 'interval generally smaller', 'immune reproduction phenotypic', 'fabp gene 35', 'malic enzyme', 'interval le', 'shank pigmentation', 'profile linkage', 'affect udder health', 'detailed haplotype', 'morphology trait spanish', 'variant foxp1 activated', 'allowed identification', 'selective breeding enhance', 'age analyzed parameter', 'level identify polymorphism', 'subset 6744 cow', 'database huge', 'low genetic heritability', 'snp selected 20', 'bw 12 week', 'preliminary association snp', 'sheep susceptibility', 'fiber diameter 05', 'bw gain backfat', 'standard prediction equation', 'age pelvis', 'fasn gene evaluated', 'illumina 50k ovine', 'individual animal', 'confirmed btb case', 'fmo3 result demonstrated', 'gcc snp', 'cow accurate', 'association polymorphism lumbar', 'laying hen genetic', 'longevity genome', 'phenotypic variance chromosome', 'software genome', 'marker sf3b1 associated', 'snp chip snp', 'mechanism growth related', 'chosen involvement', 'ii gene polymorphism', 'oarae101 interestingly', 'chicken growth', 'gene identified university', 'highlighted quantitative', 'integrated map', 'significant qtl result', 'resistance based', 'breed meishan data', '26 cm studied', 'potentially positional', 'like extracellular', 'qtl region vimentin', 'skatole breakdown', 'crucial start', 'qtl search conducted', 'missense mutation g1406a', 'behavioral phenotype human', 'frequency snp significantly', 'sign similar breed', 'objective ass', 'development effective', 'born tnb number', 'slc37a1 ankh encoding', 'variation porcine', 'yield composition health', 'locus impact litter', 'diet increased greatly', 'nramp1 shown', 'trait important studied', 'based relatively', 'snp bovine fasn', 'technique random', 'design single family', 'milk cholesterol chl', 'different pattern', 'weight heart', '18 texel sheep', '332 erhualian pig', 'paving way', '056 nucb2', 'allelic genotypic', 'sib model permutation', 'body composition site', 'utr region association', '25 include', 'red dr total', 'purportedly play', 'lambing quantitative trait', 'production flock', 'software result result', 'shape quantitative', 'treatment subtraits harbor', 'plag1 ncapg lcorl', 'thickness shoulder', 'fec qtl segregating', '19 pig', 'gene gys1 marker', 'result total 43', '05 62', 'production potential lean', 'resistance haemonchus contortus', 'sample association analysis', 'infected map', 'muc13 likely', 'genotype animal used', 'height identify significant', 'original study', 'marker calpastatin calpain', 'snp16 non', 'refined map', 'concordantly 127 independent', 'frequently suffer', 'common set', 'agrees evidence cyp2e1', '897 snp revealed', 'bta20 55 63', 'hdl density', 'percentage cattle chromosome', 'offer great', 'cytochrome p450 ii', 'variance contrary expectation', '14 conformational', 'allele ank1 gene', 'breed analyzed effect', 'increased reliability', 'muscle greatest', 'affect function', '15 552 968', 'marker 355', 'rate breed', 'factor affecting ability', 'search free living', 'lepr coding region', 'function genabel', 'important trait affect', 'area ph', '11 qtl 19', 'calculated individually', 'composition growth', 'aim determine', 'recorded 292 315', 'gwass performed', 'detected according qtl', 'abcg2 ovine', 'epistasis suggesting genetic', 'significant seven', 'result experiment', 'classified carrier', 'cluster highly significant', 'gbrowse oaries_genome', 'genomic region linked', '54 confirmed', 'interact host cell', 'locate causative', 'promoter haplotype', 'regulation dopaminergic', 'serum mucosal', 'fam184b htt', 'genotype individual snp', 'study significant fitted', 'qtl study performed', '1574a significant', 'aid genetic', 'detected novel coding', 'effect considered result', 'bta14 significant marker', 'fcb128 rm356 flanking', 'erythrocyte count rbc', 'recorded trait estimated', 'h2 34', 'positive ratio', 'associated thermal', 'qtl located 14', 'conceive puberty', 'total carcass', 'mpdz gene code', 'chromosome ayrshire holstein', 'sperm mapped', 'breed selective breeding', 'including novel gene', 'cc pig thinner', 'la sapinière inra', 'unknown applied combination', 'lean cut 01', 'total 180', 'postmortem play', 'qtl model multitrait', 'software main', 'gene centromere data', 'region region', 'desaturase gene', 'fixed effect slaughter', 'composition seven', 'acronym used producer', 'composition bta14', 'commercial population commercial', 'corticosterone response', 'fatpc leanpc nearby', 'million imputed genome', 'significance presence qtl', 'sire calving trait', 'titer binding lp', 'bta26 10 46', 'higher power lower', 'significant association bft', 'following reason gene', '303 animal respectively', 'unusual gene', 'bivariate gwas', 'set 05 animal', 'possible association a868g', 'detected chromosome gga5', 'study confirmed linkage', 'model significant', 'avoid boar', 'control approach estimate', 'additional snp associated', 'stimulated preovulatory ovarian', 'termed snp fst', 'trait initially snp', 'respectively improved', 'faecal sample collected', 'haplotype csnps significantly', 'employed identify', 'porcine single', 'regressed estimated breeding', 'rock silkies', 'equine chromosome eca2', 'difference divergent haplotype', 'sm ssc', 'meat yield 86', '14 autosomal chromosome', 'allele frequency myf', 'temperament collected behavior', 'classification scheme', 'cm tg 190', 'milk 581', 'valine gtc', 'shamo lean lightweight', 'represents major', 'increasing prlr expression', 'phenotype data including', 'significant deviation', 'bovine spermatozoon reported', 'high genetic correlation', 'a53861g a65188c t65444c', 'polymorphism 2421t intron5', 'eliminate gap', 'qtl production', 'undergone huge', 'significantly day', 'different significant', 'composition conclusion', 'effect additive effect', '44 77', 'harvest 299 sib', 'potentially benefit breeding', 'fixed qtl genotype', 'area weight', 'new strategy', 'network related', 'related beef', 'selection previously', 'population st kilda', 'liver association', 'alpha gene', 'iranian urmia', 'snp asga0009814', 'animal genotyped 82', 'resource identifying', 'ovine abcg2 cdna', 'gene fatty', 'aa genotype bb', 'gene dpp6', 'bm1500 useful', 'support stat6', 'bone density bd', 'mode inheritance oar18', 'week weight', 'integrating single', 'maturity eggshell thickness', 'refined region', 'pig asp298asn', '27 paternal', 'chicken association analysis', 'iap selected', 'f2 intercross performed', 'weaned sow', 'effect large lrt', 'tissue cdna', 'improving immune capacity', 'atpase investigated qinchuan', 'mother enabled dissection', 'estimation involving', 'affymetrix megallele genechip', 'hpai identified', 'function related myogenesis', 'major whey', 'population animal robust', 'considered second', 'genotype missing', 'muscle pbm', 'analysed regarding milk', 'muscle area 19', 'applied chromosomal region', 'piglet weaning 200', '84 indicating animal', 'intestinal wound healing', 'javanicus bos grunniens', 'sperm kinetic parameter', 'trait snp performed', 'body weight female', 'silico snp 356', 'effect il 10ralpha', 'performed 938', 'qtl significantly le', 'gene responsible microtia', 'using single marker', 'total 369', 'based genotyping', 'iberian pig defined', 'monogenic dominant trait', 'quantitative rt pcr', 'target messenger', 'pi p2', 'using log10', '22 bp 199', 'result globally', '50k assay composed', 'significant qtl glycogen', 'marker slc2a9', 'piglet included pool', 'threshold allele substitution', 'total 100', 'performed separately 10', 'tharparkar indigenous breed', 'overall identified 14', '78 83 prediction', 'feed intake lead', '78 79', 'affecting absence', 'biological pathway implicated', 'commonly occurring', 'obesity performed targeted', 'significantly associated calving', 'oc homozygous', 'selection high pp', 'angus simangus', 'association informative', 'cortisol production', 'significant association trait', 'developmental growth time', 'gga9 static qtl', 'rs321666676 associated', 'liberal approach', 'trait human liver', 'level promising', '10 genome', 'corpus lutea cl', 'effect expected improve', 'locus dominance', '235 age', 'nellore bos', 'using pspl3 exon', 'score chicken', 'kgf 51 2n', 'indicate commonly occurring', 'cow different measure', 'gene showing', 'perfectly correspond previously', 'quality used population', 'morbidity mortality rate', 'detected milk', 'evaluation experiment ii', 'model related energy', 'causing prrsv resistance', 'sib model additional', 'recorded generation resource', 'genotyping performed using', 'distinguished based successive', '22 25 addition', 'evolutionary benefit examined', 'hnf 4α', 'improved mapping qtl', 'humoral immune response', 'report result genome', 'method closed', 'reared finished', 'nanyang body length', 'measurement trait mentioned', 'group snp associated', 'strategy reduced cost', 'noted explain', 'coughing nasal', 'associated gene boar', 'volume manure spite', 'applying false discovery', 'developed survive', 'bta17 feet', 'length productive life', 'milk performance reproduction', 'significant marginal genetic', 'total 200 purebred', 'yield bta7 insr', '784 chinese holstein', 'cattle using pcr', '24 hour', 'microsatellites used identified', 'pathogenic bacteria cause', 'conducted outbreak identified', '28 suggestive genome', 'different milk production', 'permutation tree', 'prolific phenotype fecx', 'set analysis performed', 'gene localized 200', 'width month age', 'polymorphism gys1 intron', 'al use genetic', 'bft cwt increased', 'low pool deviation', 'mapping conducted fwec', 'ssc7 near', 'health middle', 'trait sexually dimorphic', 'female fertility detect', 'using imputed sequence', 'selection response strengthened', 'postgsf90 result', 'coexpressed mdv infected', 'ejaculation trait', 'vertebra number lumbar', 'evaluated progeny', 'selective genotyping ebv', 'meat stearoyl', 'showed strongest', 'analyze body weight', 'underlying genetics birth', 'immune function animal', '436 snp retained', 'trait chicken chromosome', 'localize qtl developmental', '16 chromosome', '46547859c snp promotor', 'gene positional', 'curd corresponding', 'derived broiler', 'heterozygote higher 001', 'lcorl gene custom', 'snp selected based', 'decr1 cattle', 'qtl maximum resolution', 'various acronym used', 'horse potentially', 'polymorphism broiler fayoumi', 'population used study', '30 exclusively rao', 'indolic compound', 'breeding population', 'presentation qtl region', '118 239', 'fgf2 anxa5 analysis', 'wise level chromosome', 'determine number significant', 'vl exhibited', 'milk production composition', 'cast located', 'phenotype line chicken', 'seven snp termed', 'egg count genotyped', 'accounted imprinting', 'individual bb genotype', 'ci 13', 'measure individual', '224 marker trait', '14 qtl detected', 'mediated translational', 'gene chosen catecholaminergic', 'detected jersey red', 'basis pork eating', 'extreme historical selective', 'scan conducted 12', 'sex specific control', 'significant qtl intramuscular', 'abcg2 fe', 'biomarkers improve biological', 'significant snp mlk', 'trait specifically targeted', 'mechanism especially swine', 'lamb year round', 'effect 16', 'important role numerous', 'result long non', 'map used scan', 'wide snp mapped', 'boar skatole', 'production quality trait', 'quality cause', 'percentage carcass', 'line strongest', 'velocity percentage', 'type hs', 'breed respectively mutation', 'sire breed total', 'burden genotyping snp', '10 qtl identified', 'average distance', 'architecture fatty acid', 'population epistasis', 'spermatozoon set', 'quantitative trait efficient', 'suggested qtl female', 'cnv study bos', 'revealed qtl genome', 'gene expression experiment', 'production given effect', 'balance objective', 'postmortem genetic', 'marker gene dach1', 'melanin pigmentation', 'genome wide mixed', 'rs29024684 87 mbp', 'higher lbt', 'mapping implemented using', 'fed concentrate based', 'line generation', 'neurotism second', 'model lmm random', 'preceding subsequent', 'reported result analysis', 'binding lta located', 'acsm5 fo', '230 bp end', 'bone density volume', 'chromosome location different', 'include feed intake', 'cumulative milk yield', 'old failure discover', 'investigates link', 'involved md resistance', 'previously reported strong', 'cnvs verified', 'significance locus near', 'snp candidate', 'population half', 'assay result indicated', 'genomic control grammar', 'uncovered study addition', 'f1 offspring', 'candidate gene region', 'fertility production trait', 'low abdominal fat', 'marker covering genome', '05 rs13997811', 'growth production', 'studied identify gene', 'gene worthy investigation', 'interval close proximity', 'relevance 12 qtl', 'explained 27', 'rate nrr french', 'associated ascites incidence', 'develop osteochondrosis dissecans', 'genotype detected', 'formation finding', '31 snp predicted', 'overall test association', 'fresh beef steak', 'liver gallbladder', 'detected included fine', 'qtls appear detected', 'sure independence screening', 'attempt fine map', 'respectively coinciding qtl', 'determined productivity feed', 'progeny furthermore male', 'ssc4 stillp', 'effect fetlock', 'trait associated economic', 'animal endangered dsn', 'finger transcription factor', 'consumer increase beef', 'ii apovldl', 'bta14 key', 'candidate region chromosome', 'count appeared', 'dik0079 dik8044', 'flock sheep', 'association genotype 311a', 'bf detected pig', 'correlated af trait', 'symptom difficult', 'nature trait using', 'ovulation rate 423', 'significant qtl rfi', 'cd8 cell pig', 'genotyped 165 microsatellite', 'quality trait significant', 'increased muscling overall', 'ngs 28234', '275 romane', 'bone carcass analysis', 'based 50 snp', '46 150', 'discovered analysis', 'mastitis trait 54', 'thousand thirty snp', 'permutation based', 'pig experimentally infected', 'snvs identified newly', 'atgl stimulating', '62 cm trait', 'ph associated', '54 148', 'beadchip resulting genome', 'define qtl region', 'trait pig identify', 'tibia width gga3', 'ltnb lifetime number', 'sscrofa10 pig genome', '1538 225g largest', 'genotype trial', 'population phenotyped 68', 'polymorphism associated measure', 'pou1f1 pou', 'bta26 fibroblast growth', 'study addition snp', 'indicating segregation', 'genetic variation validation', 'mastitis bacteriological data', 'corticotrophin releasing hormone', 'investigating postmortem genetic', 'lg 58', 'build total', 'singularly promotes', 'high proviral', 'snp cattle breed', 'kruppel family member', 'novo construction genetic', 'prior vaccination polygenic', 'cofactor increased', 'identification sheep snp', 'result snp', 'dual purpose german', 'difficult difficult measure', 'package offer', 'gemma haploview gcta', 'cold water', 'influencing complex', 'infection constraint', 'selection pressure growth', 'snp 353c', 'based seminological motility', 'debvs trait 2061', 'lower mean loin', 'focus analysis productive', 'effect nematodirus egg', '204 murine', 'linkage family ld', 'pbm conclude plin1', 'coccidiosis growth', 'investigated national center', 'porcine periweaning', 'production analysis gc', 'gwas conducted detect', 'detected age', 'study share qtl', 'suggested individual hap9', 'salmonella enteritidis', 'pbonferroni threshold', 'consistent suggesting qtl', 'japanese black beef', 'ca multitrait', 'calving difficulty red', 'polymorphism barki ewe', 'allele present', 'polymorphism database', 'average spacing 15', '477 classical', 'chromosome 18 demonstrate', 'commercialized dna test', 'crossroad inflammation', 'confirmed localization ctsk', 'related physiological mechanism', 'trait segregate landrace', 'potentially affecting', 'growth trait sheep', 'absence anotia', 'composition addition snp', 'vaccine 03', 'normal function liver', 'unique validated marker', '17 phenotypic variance', 'color lightness bco', 'effect milk yield', 'lm area beef', 'gene final snp', 'ongoing cow allocation', 'fdr significance', 'variation resistance gastrointestinal', 'sequencing 273 bp', 'decr1 cbfa2t1 fgf8', 'bratzler wb shear', 'tended increase', 'mapping interacting quantitative', 'responsible pig production', 'farm animal prominent', 'prevalent outdoor production', 'associated 105 weight', 'performed using weighted', 'cheap high', 'ssc near microsatellite', 'calving event', '1217 chinese', 'oaries_genome qtl milk', 'despite great', 'study novel follow', 'adipose tissue varied', 'qtl differentially expressed', 'conjugated linoleic acid', 'map qtl evaluate', 'protein psmc1', 'ear trait', 'associated respiratory', 'new genetic', 'independent pig homozygous', 'gdf8 common', 'locus enhanced', 'independent data set', 'conclusion genomic region', 'level performed replication', 'microsatellite marker 15', 'permutation significance threshold', 'connected f2 crosses', 'ease bta15', 'allele parental', 'set healthy cow', 'finding provide important', 'confirmed excluded', 'including body weight', 'interaction investigated', 'including fixed', 'ii concentration', 'mapped 70 cm', 'new promising', 'process consistent clinico', 'significance contrast', 'subclinical disease', 'content decrease', 'hm eca', 'ccl2 il8 chemokine', 'identified region inverted', 'responsible similar', 'shoulder yield', 'vivo response lp', 'sequence share', 'main aim', 'mitigation methane', 'trait test', 'detection strategy', 'nucleotide polymorphism 12', 'expressed widely predominantly', 'founder breed used', 'location cm chromosome', 'suggesting mechanism', 'igf1 association study', 'identifying 46', 'landrace family known', '094 brangus data', 'androstenone 2000', 'daughter 1097 holstein', 'identify sequence variant', 'spawn weight showed', 'trait dna 510', 'trout backcrosses trout', 'effect presence', 'ayrshire ai bull', '609 imputation', 'cas9 crossbreeding experiment', 'gene study gene', 'cu dh', 'snps uncover', 'angus bull genotype', 'gene included bovine', 'family offspring', 'inbred line allele', 'rbc mean corpuscular', 'technology snp26', 'informative expression', 'care feed conversion', 'significant peak identified', 'equidistant location', 'unification method', 'pasture whilst australian', 'expressed late life', 'equilibrium undergoing', 'bp significantly associated', 'ldl high', 'uw measurement', 'background ph', 'wide snp 252', 'β1 chosen', 'revealed qtl', 'carcass trait meat', 'f2 animal', 'salmonella susceptibility specie', 'point mutation splice', 'fourth generation interspecific', 'genotyping technology', '15 1q32 xpter', 'age calving afc', 'rb1 p2ry5', 'soay sheep time', 'unsurprisingly domestication acted', 'pool unrelated animal', 'aim identify powerful', 'population marker', 'behaviour predisposition', 'protein regulation calpain', 'respectively muc4', 'gct0006 explained', 'qtl association signal', 'lower adjusted', '19 15 cm', 'atpase family', 'region 29', 'case 629 control', 'length affect chicken', 'behave hub', 'trait holstein', 'yield trait including', '26 pcgs located', 'analyzed individually followed', 'cattle ideal model', 'correlated fat', 'gemma haploview', 'qul ab', 'farm drench', 'dominantly represented biochemical', 'in1 e5', 'close acsl4 f2', 'grass mineralized salt', 'snp genotyped 337', 'snp haplotype based', 'se 056', '2005 liveweight measured', 'homozygote sibling externally', 'additionally combined mitochondrial', '11 general', 'based population based', 'additional roan', '557 f2', 'revealed qtl chromosome', 'located exon', 'targeted quantitative trait', 'data trait', 'breed angus', 'defect ists', 'hsp90 chaperone hsp90aa1', 'loss entire backyard', 'observed trait', 'power significant', 'higher expression 05', 'picture genetic', 'time death td', 'purpose study establish', 'screen polymorphism equine', 'bta14 gestation length', 'calm docile', 'advanced understanding', 'posterior quantitative trait', 'significant level qtl', 'contribute phenotypic expression', 'examined atp1a1', 'snp daily', '27 29 particularly', '42 dpi wg42', 'possible breed', 'record regressed estimated', 'haplotypes conducted identify', 'polymorphism interaction jointly', 'importance swine', 'parameter including', 'motility velocity', '149 cluster', 'bw withers', 'retail product', 'average gene substitution', 'locate genome', 'muscularity obesity', '23 qtl', 'marker sw2456 suggestive', 'thickness ib lr', 'conformed correlation pattern', '19 10', 'target gene lead', 'chromosome bta2 bta29', 'genotyped 34', 'marker marker density', 'population useful identifying', 'trait carried significant', 'size demonstrated synthetic', 'model significant difference', '51 molecular marker', 'regulating chicken growth', 'trait genome wise', 'lod drop method', 'spp1c 1301g pleiotropic', '480 result', 'chromosome showed', 'follicle especially', 'individual autosome', 'expected false positive', 'evenly distributed equine', 'region bta11', 'structure similar berkshire', '05 fabp haeiii', 'sire 34', 'magnitude impact qtl', 'hek293 cell line', 'information genomic', 'significant individual', 'soon realised', 'sequencing pooled dna', 'associated improving', 'trait using illumina', 'linked genomic region', 'revealed qtl affecting', 'design analysed', 'marker backward elimination', 'displayed polymorphism analysed', '14 contrast single', 'region mastitis trait', '835 f2 animal', 'trait qtls ssc7', 'associated increased notably', 'pig various', 'thorax waist fat', 'concern reducing', 'synonymous single', '22 combination trait', 'number iteration', 'snp daughter 17', 'haplotype significantly associated', 'induced proliferation 05', 'poultry breeding program', 'variance shank', 'sibling family', 'identified using aforementioned', 'investigated german landrace', 'narrow confidence interval', 'sheep population romney', 'study potential future', '640 animal', 'cfd difference phenotypic', 'coldblooded trotter using', 'sire canchim zebu', 'meat area', 'trait study carried', 'test followed homozygosity', 'difference providing', 'lack knowledge genetic', 'predictor longevity country', 'confirmed experimental', 'explained certain locus', 'frequentist approach', 'trait combination tail', '13 thirteen 23', 'qtl relatively low', 'analysis immunocrits 5312', 'curve genetic', 'swine increasingly studied', 'independent genome wide', 'affecting fetal', 'characterize region', 'identified target region', 'pedigree population', 'sequencing coding exon', 'cattle study demonstrated', 'improve fe', 'eqtl 104', 'g142a exon3', 'estrus pregnancy determined', 'surface signal', 'controlling bmd bone', 'typing closely spaced', '22 sire breed', 'cell derived chemotaxin', 'gene vegfa activated', 'using 430', 'second putative qtl', 'bf intramuscular', 'study aim detect', 'concentration circulating androgen', 'mir furthermore altered', 'located ssc2 13', 'composite line titan', 'quantify strength population', '457 46 day', 'correspond previously identified', 'gene map', 'significant snp genome', 'like human immunodeficiency', 'accumulate large', 'immunohistochemistry testis', 'f1 male combined', 'report provide 29', 'week age pelvis', 'carcass fatness rfi', 'milk genetically', 'using 60k snp', 'priority pork', 'variant kit pax3', 'change qtl', 'danish swedish', 'coding plasma', 'allowing separate sire', 'qtl 118 previously', 'reflectance value conductivity', 'evolution immune', 'encoded different qtl', 'lalba protein', 'gene susceptibility', 'gene spp1 osteopontin', '003 weaning', 'prolonged expression', 'chromosomal region associated', '80 encoded allele', 'kidney cell primary', 'evaluated bf', 'retinal short', 'ggaz qtl', 'remaining sire heterozygous', 'wild boar region', 'tail trait distribution', 'white holstein', 'lesion count explored', 'kappa casein csn3', 'estimate fixed', 'reproduction overlapping', 'data cow', 'response sixteen region', 'role lipid biosynthesis', 'selection dairy', 'sex antagonistic minor', 'triglyceride catabolic', 'parameter offspring', 'genotyping technology methodology', 'applying suggested sensory', 'puberty key developmental', 'sow age random', 'bmp15 implicated', 'susceptibility jersey cattle', 'agreement reporter assay', '25 633 569', '30 55', '650 test seven', 'scottish blackface texel', 'analyzed supplementary evidence', 'snp chip hanwoo', 'spanish purebred hanoverian', 'major source structural', 'lfw half number', 'start site second', 'receptor gr', 'selection showed', 'member hepatocyte', 'associated productivity', 'gene known function', 'known cause', 'bta 23 associated', 'commercial broiler male', '43 qtl region', 'dcd ch population', 'generation 875 fish', 'intake 05 chicken', 'polymorphism detected exon', 'previously reported churra', 'repeatability test', 'differentiation fat', 'austria significant principal', 'kbp window significant', 'quality animal initially', 'renamed pou1f1 comparative', 'vertebral column critical', 'real genetic', 'locus western modern', 'segregate selected', 'equilibrium sample', 'trait selected breed', 'differentiation skeletal', 'mutation recombinant', 'adverse welfare', 'trait complex important', 'locus affecting reproductive', 'milk fa analysis', 'analysis revealed 61', 'analysed major contributor', 'comparison trend', 'meat fasn', 'revealed androstenone', 'slick locus cm', 'understood result', 'farrowing viable piglet', 'prlr s18n', '527 male 733', '57 snp', 'using permutation test', 'allele fto snp', 'underlying gene mechanism', 'hanoverian stallion', '990 243', 'founder imputing', 'analysis estimation effect', 'information 276 twh', 'indicated sex specific', 'candidate gene tested', 'responsible genetic variation', 'distal chromosomal region', 'mapped qtl backfat', 'canchim breed 114', 'cholesterol deficiency holstein', 'present result mapping', 'production fertility', 'infanticide extreme failed', 'qtl suggestive association', 'identify association known', 'size stature nordic', 'association trait including', '46 hanoverian warmblood', 'hanwoo detected', 'identified approach', 'result hcr1', 'comprising total', 'identify association period', 'software predicted snp', 'imbalance cell proliferation', 'investigated amplifying', 'norwegian duroc', 'understanding genetics underlying', 'age muscle', 'associated viral', 'basis growth', 'wt genotype 98', 'accounted significant 05', 'density oar1', 'cattle reared pasture', 'confirm qtl refine', 'record 5000', 'used genomic selection', 'mb microsatellites', 'cow contained significantly', 'dense genome', 'associated backfat canchim', 'addition pig genotyped', 'bp mitf', 'gene trait insufficient', 'age total 18', 'sire crossbred dam', 'conclusion genetic analysis', 'genotyped entire resource', 'fertility main', 'offer optimal', 'snp array 382', 'studied included', 'difference 05', 'tnb enox1', 'explaining 19 genetic', 'lacking validation', 'service conception 19', 'organ development', 'analysed gene studied', 'approach provided complementary', 'channel subfamily member', 'set candidate', 'association skatole ssc14', 'method shown', 'qtl analysis locus', 'network analysis identified', 'value udder', 'impact nursing', 'disease greater', 'inhibitor hif1an ladybird', 'polymorphism 10', 'snp chromosome showing', 'marker ssc17', 'reticuloendotheliosis virus long', 'association thickness', 'allele snp rs42670352', 'influence fetal growth', 'performance high', '56 s2', 'sod1 transcript tissue', 'trait strongest signal', 'reflecting carcass', 'likelihood approach', 'best second best', 'previous research', 'pig genome genome', 'activated gamma', 'understanding significant genetic', 'xirp2 involved pathogenesis', 'association nba snp', 'genetic factor pathogen', 'skin integrity', 'transition probability estimated', 'detailed carcass composition', 'chicken hmga2', 'effect influence', 'shear force 05', '300 horse classified', 'vtn kera', 'field disease', 'ubiquitin mediated', 'male derived map', 'qtl meat', 'beginning end trial', 'sm ssc 15', 'identified association analysis', 'information response', 'growth 28 carcass', 'gene screened sequencing', '10 analysis', 'il8 promoter', 'study analysis', '712 snp', 'quantitative pcr including', 'carcass merit beef', 'microsatellite marker overlapping', 'worldwide production', '52 individual test', 'analysis interpretation genome', 'variant regulatory', 'sfa unsaturated', 'commercial japanese black', 'determination different pig', '19 main', 'damaging effect protein', 'demonstrated qtl segregating', 'map developed create', 'pat target trait', 'asga0100525 asga0055225', 'lw liver gallbladder', 'pig lacking', 'male bos', 'model averaging', 'nutritional quality', 'point mcm6 pax3', 'sequencing identified missense', 'population 109', 'univariate approach', 'rely anthelmintic drenches', 'accounted 23', 'analyze association', 'skeletal muscle finding', 'cost fish reach', 'btb infected', 'snp c14 snp', 'age menarche human', 'merit fertility', 'netrin receptor gene', 'second shearing pleiotropic', 'bovinesnp50 beadchip initial', 'strongly suggest', 'fe residual feed', 'derived chromosomewise genomewise', 'abdominal fat important', 'identified qtl point', 'my100 250', '01 common trait', 'porcine fatty acid', 'understand knowledge', '05 kg', 'chest breadth sternal', 'h1 h4 sc', 'leptin gene reported', 'relevant total 57', 'meat ph described', 'biology growth', 'locus sex linked', 'complex qtl', 'result kit mitf', 'associated snp predicting', 'cheese breeding', 'strategy gwas applied', 'exhaustive catalogue', 'improvement ema ms', 'mixed model 20', 'exon rflp', 'medical condition', 'powerful framework carry', 'gene considered promising', 'resulted identification region', 'trait formed independent', '268 individual tested', '16 37', 'different parity objective', 'fayoumi associated multiple', 'increased prediction bias', 'shared ibd haplotype', 'imputed high density', 'using tgfbr1', 'tumour affecting cattle', 'curve parameter used', 'observed duroc pig', 'selection allele favored', 'gon4l gene segregated', 'quality phenotype muscle', 'using ldla method', 'level heme biosynthesis', 'result support oligogenic', 'carrier status', 'public regarding chemical', 'quantitative trait affect', 'degree variation', 'right line', 'skin leg muscle', 'associated embryonic', 'genetic merit fertility', 'kidney postnatal', 'index employ genetics', 'regulatory effect snp', 'status tt genotype', 'rump fat', 'genotype production trait', 'approach gdd wide', 'data support', 'decreasing concentration beta', '41 nominally', 'strategy suggestive qtl', 'herd repository', 'study genetic variation', 'disease 264 585', '19 fat similar', 'mineral content influenced', 'gene associated region', 'resistance developed', '2014 527', 'receptor tlr2 caspase', 'cast capn3', 'network gene intragenic', 'performing genome wide', 'polymorphism mtnr1a gene', 'agreement result reported', 'lactation persistency lp', 'associated mastitis resistance', 'large difference body', 'multigenerational resource', 'sheep analyzing commercial', 'data possibly using', 'percentage myristic', 'mrna expression level', 'bird identification', 'rate anti', 'role value', 'strain generation birds', 'protein nesp55', 'allele frequency snp', 'binary recurrent phenotype', 'autophagy critical', 'ocd 15', 'r2 value suggests', 'polymorphism genotype', 'measured trait', 'sequencing gene 16', 'streptococcus trigger', '02 associated', 'weaning ultrasound scanning', 'nanyang qinchuan jiaxian', 'trait korean native', 'qtl plasma coloration', 'identified showed significant', 'region reached level', 'analysis innate', 'bta6 14 20', 'yield fertility linking', 'conclusion importance', 'level high', 'covering entire genome', 'nil difference trait', 'region chr1 presented', 'effect intronic snp', 'reproduction artificially selected', 'snp31 significantly', 'parasite exposure', 'yorkshire dly way', 'management difference', '776 dgat1', 'factor igf2 gene', 'increasing meat production', 'ehhadh mogat1', 'jb2 excluded statistical', 'prt 878 bta14', 'composed 65', 'effect haplotype validated', 'expressed wide range', '219 genotype tended', '35 day age', 'pointing genomic location', '74 genetic', 'cell occurs', 'mastitis decade selective', 'interleukin important signalling', 'bone comparing', 'signaling pathway reported', 'haplotype ranged additive', 'birth weight passive', 'identified chromosome including', 'rs1144647991 associated', '447a allele increased', 'fat lfw imf', 'severity human animal', 'quality trait region', 'higher sc', 'metabolic trait conclusion', 'identified endocrine', 'rf approach identified', 'weight feed conversion', '434 sutai pig', 'multiple previously', 'pathway unique', 'snp detection', 'metabolic activity', 'bradyzoite number skeletal', 'breed total', 'effect association analysis', 'producing precursor thyroid', 'mutation subsequent', 'cured ham', 'analysis indicating prediction', 'measurement ifc abt', 'meat yield wl77', 'heterozygosity 87 good', 'qtl1 located', 'exon identified association', 'genotyped 304', 'parallel similar study', 'time period', 'known strong', 'based seven snp', 'specific common', 'dgat1 gene tested', 'likely captured', 'glycine codon arginine', 'range phenotype', 'ml animal', 'potent orexigenic', 'used novel polymorphism', 'characteristic compared bos', '180 210 effect', 'superior tt', 'rln coincident present', 'decomposition obtain total', 'identified including genome', 'effect pork quality', 'landrace allele increase', 'sensory evaluation moderately', 'evidence genetic basis', 'gene including tnfrsf1b', 'mb 48 57', 'taint offensive', 'wealth knowledge', 'general behaviour', 'described pvuii haeiii', 'hect domain catalytic', 'acid sequence isoform', 'meg3 locus', 'snp 180 gene', 'suggestively associated faecal', 'statistical power difference', 'collected 180 used', '100 my100', 'depigmented iris', 'light genetic basis', 'prrsv european', 'liver network module', 'variant japanese black', 'selection report', 'crucial effect', 'mcw0106 explained 05', 'trait contemporary', 'total 502 f2', 'environment interaction included', 'liver skeletal', 'mainly evident pig', 'gtf2a1 clspn', '42 95', 'sample 230 yorkshire', 'month respectively', 'study using larger', 'pork consumption', 'replicated sample', '15 microsatellite marker', 'region 14 qtl', 'related gene including', 'limousin ancestry despite', 'intake lead identification', 'cluster affecting', 'mb bta7 93', 'mbl2 porcine', 'evaluation experiment', 'ssc9 quantitative trait', 'obtained rna sequencing', 'population lost selected', 'chromosome oar1', 'hypocalcemia association', 'analysis pathway', 'rate values', 'trait duroc purebred', 'attribute investigated', 'postnatal ppara transcript', 'presently available analyzing', 'marker 15 ltnb', 'effect qtl', 'rat pig expression', 'detected c1092t locus', 'week nominally significant', 'pleuropneumoniae important pathogen', 'validation procedure', 'incorporating 152 marker', '41 gga2 growth', 'gga2 explained bw', 'adaption tropical environment', 'acsm5 acss2 atf3', 'disequilibrium qtl', 'genetic pool', 'faecal shedding 75', 'chicken mapping', 'complex trait lp', 'cmar score', 'contributing thermotolerance tharparkar', 'pre corrected phenotype', 'evaluated 68', 'efficiency swine quantitative', 'different zero tanzanian', 'large white mlw', 'gene tmem68', 'snp detected total', '10 respectively region', 'finding suggested sequence', 'gga12 gga14 respectively', '14 seven', 'coding association', 'snp copy number', '26 28', 'cc genotype significant', 'gwas dominant', 'ile442met previously', 'genotyped 25 aflp', 'program based', 'swedish yorkshire inter', 'significance individual marker', 'cope infection', 'evaluate influence', 'selection future', '12 candidate gene', 'sire utilized ass', 'confirms erythroid trait', 'exon 19', 'flight feeder', 'better understand possible', 'statistically allocating', 'indicated t354c g392a', 'moraxellabovis ibk characterized', 'reported human placenta', 'size parameter revealed', 'north american lean', 'fasn mutation', 'bm snp', 'ifl covering', '599 lamb', 'identified snp haplotype', 'finding gwas', 'py ax 185120896', 'high level monounsaturated', 'temperament qtl cattle', 'nematode main health', 'quadratic animal', 'wide significance significant', 'association hematological trait', 'derived individual joint', 'density leg muscle', 'genome genome linkage', 'ssc 13 interesting', 'resistance significant association', 'disease dairy', 'polymorphism gene miga2', 'erhualian f2', 'association height', 'multiple analysis reveal', 'ratio method', '947 snp associated', 'cddr population', 'method shown increase', 'alanine variant increasing', 'pit strongly associated', 'fasn intron snp', '110 informative', '305 fat', 'met ncapg chromosome', '17 36', 'qtl small chromosome', 'equally distributed', 'gene calpastatin cast', 'isu 32', 'shape chromosome 15', 'glycolytic pathway', 'april 2005 2007', 'linkage disequilibrium allowed', 'subsequently identified', 'allowed prediction 91', 'highest number qtl', 'trait snp 39692', 'pathway underlying rfi', 'mtnr1a hypothalamus', 'fcr feed efficiency', 'produced wagyu limousin', 'period intensive', 'vitamin animal different', 'ile leu affect', 'exon 8398g identified', 'noriker sample locus', 'play negative regulatory', '86 105', 'family effect multivariate', 'level production', 'current study identify', 'test daily gain', 'cell differentiation developmental', 'classified lc', 'rate fat carcasses', 'testis epididymis control', 'position qtl study', 'trout unselected trait', 'oocyte demise', 'interval linkage marker', 'experiment 17', '17 bovine bos', 'breeding founder breed', 'importance qtl', 'verify existence gh1', 'disequilibrium breed', 'weight wool trait', 'ppargc1a atp binding', '110 126 cm', 'highly associated snp', '18 relative position', 'snp large difference', 'suggested conclusion result', 'clear small moderate', 'quality trait 3kb', 'a10 anxa10', '16 chromosomal', 'gwas haplotype', 'cm qtl result', 'investigation required elucidate', 'male similar', 'study dependent', 'successive discriminant', 'ultrasound measure', 'depended data normalised', 'gene advance', '10 selected individual', 'ssc1 ssc4 ssc13', 'ssc5 ssc8', 'fm hock', 'bta18 addition scs', 'lp influenced genetic', 'marker data 21', 'qtls identified qtlmap', 'absent 32 01', 'using 60k', 'concentration genotype', '58 large scale', 'heritabilities gwas analysis', 'mapping genetic', 'random additive polygenic', 'develop genetic obesity', 'providing crucial start', 'importance previously', 'set id ssc', 'mapping study lack', 'detected region', 'deposit study conducted', 'background cattle gene', 'binding lectin', 'dairy production', 'bmp5 gene meishan', 'showed gene ctsz', 'ebv average daily', 'rib bft', 'depth shoulder', 'evaluated specie', 'including chloride channel', 'genotypic probability female', 'biased standard', 'internal organ', 'hypersensitivity reaction', 'meat dry cured', 'request new analysis', 'population integrating single', 'fertility measure 021', 'copy tm qtl', 'position increased addition', 'csnvs experimental', 'importance genetic factor', 'analysis putative', '53 known quantitative', 'heritability qtl estimated', 'nr breed reached', 'locus identified chromosome', 'analyzed increase marker', 'breeding value trait', '123 cm 15', 'considered candidate functional', 'bacteriological analysis', 'different trait addition', 'gene chinese indigenous', 'analyze milk production', 'estimated 47 head', 'confirmed effect', 'near interferon', '404 dh', 'trait mb region', 'dominant effect snp', 'implementation measurement integrating', 'correlated suggesting presence', 'expression conversely eqtls', 'fatal history aim', 'ca inorganic', 'genetic effect dependency', 'cattle includes functional', 'genomic approach sampling', 'ssc1 17 18', 'illumina beadchip porcinesnp60', 'crossing partially', 'great promise marker', 'snp asga0009814 value', 'map tissue infection', 'myofibrillar component', 'human considerable', 'cast capn3 significantly', 'showed 38 mb', 'white marking horse', 'genetic effect influence', 'nellore cattle examine', '64 15 12', 'size necessary', 'rate early', 'disequilibrium block 32', 'transport located', 'indicated substitution', 'ex12 milk', 'bull 338', 'commercial swine', 'aberration compromise general', 'led revision cw', 'level relevant association', 'ocln pccb significant', 'associated analyzed trait', 'cow allocation scheme', 'transmembrane drug', 'placenta mouse qtl', 'microsatellite allele imf', 'scan using single', 'snp snp window', 'trait chinese merino', 'conclusion result reinforce', 'bta2 10 005', 'pmm2 tbc1d24', 'kg fat yield', 'lutea ssc nonparametric', 'gr 001 proportion', 'higher risk fetlock', 'performed pcr sscp', 'rate previous work', 'capn3 significantly associated', 'activated receptor', 'using genomic sliding', 'previously reported temperament', 'underlying acop performed', 'angle family marker', 'gr fecx identified', 'layer blood meat', 'cost snp genotyping', 'performed aim enhancing', 'radiographic data obtained', 'caused difference fatness', 'total chromosome 05', 'trait carcass trait', 'texture score', 'ai sire representing', 'bilateral mononeuropathy unknown', 'second best', 'company germany', 'using univariate linear', 'population utilized family', 'hand provided extensive', 'snp 26 positional', 'study attempt identify', 'cow concordant result', 'population seven', 'protein multitype', 'level adck4 rear', 'factor tractable factor', 'large 13', 'satisfaction carcass', 'decline decline', 'stallion mare', 'ttn detected', 'oh shamo breed', 'romo cebú tested', 'using white', 'vaccination biosecurity measure', 'qtl affecting direct', '2007 steer genotyped', 'exon segregated', 'association serum viremia', 'bac clone revealed', 'evidenced study', 'underlying fertility growth', 'analysis diverse population', 'deal stratification mapping', 'likelihood method developed', 'chromosome 4q ssc4q', 'non infected herdmates', 'significant trait 43', 'organ white leghorn', 'locus detected bmw', 'background porcine chromosome', 'antigen culicoides spp', 'family combination significant', 'dam identified haplotype', 'association test followed', 'exceeding threshold genome', 'performance major', 'content longissimus muscle', 'quality challenging eggshell', 'positional agreement cast', 'dependent nuclear', 'effect greater', 'breed uk', 'selection reduced somatic', 'showed prediction', 'phenotype important', 'confirmed result indicate', 'haplotype odc gene', 'yield grade proportion', '18 combined', 'gene candidate', 'rely marker', 'qtl defined', 'tropically adapted cattle', 'number correlated', 'comparison qtl feed', 'based regression individual', 'dh genomic', 'fixed polygenic', '172 genome', 'showing allelic', 'wound healing larger', 'kit association', 'born 288', 'involved lipid biosynthesis', 'presented used selection', '30 litter accounted', 'hypothesis cw', 'igf1r slc16a1 located', 'fat thickness period', 'region 16 autosomal', 'analysis fetal response', 'additionally identification sheep', 'basis feed consumption', 'important trait closely', 'snp tgf', '47 fatty acid', 'effect significantly different', 'trait rear', 'affect trait commercial', 'chromosome ssc verify', 'record 23', 'ah1 haplotype associated', 'identified career earnings', 'used example optimize', 'recessive defect', 'animal study norwegian', 'population impute 20', 'polymorphism 15', 'including cyp1a2 cyb5d1', 'novel bayesian shrinkage', 'longissimus dorsi semimembranous', 'genetic effect intronic', 'subjected natural condition', 'milk chl identified', 'ssc2 sscx experiment', 'considered essential enzyme', 'landrace backcross population', 'variant characterized', 'total 35 28', 'dam unrelated', 'function genabel package', 'body size favorable', 'middle ssc2', 'ssc6 detected phenotypic', 'studied base', 'bacterial load b1', 'snp marker analysis', 'production developed', 'influenced outcome highly', 'mutation synonymous mutation', 'animal study step', 'phenotype gaussian', 'position 55 cm', 'imposed trait small', 'increase ph base', 'location slick locus', 'association protein variant', 'dilution phenotype', 'gene bdh2 bsp3', '04 02 05', 'direct negative', 'fat weight maximum', 'qtl bta2 31', 'reported xkr4 genotype', 'harboring significant qtl', 'carried mixed', '42 result demonstrate', 'background persistence', 'diplotype sex', 'cb type cb', '27 01', 'half body', 'estimated asreml mixed', 'cross identify polymorphism', 'record year old', 'considered situation', 'aquaculture production trait', 'marker improved', 'ssc 2p14', 'female barrow resulting', 'chromosome wise 05', 'identified key player', 'founder animal', 'milk processed', 'parity 05 div', 'assessed using polymerase', 'experiment set', 'haplotype promoter', 'gene selective sweep', 'hatch wog', 'study describes identification', '27 qtl population', 'distribution group pig', 'chicken n202', 'fa srb', 'generation animal', 'subunit phosphorylase', 'tested bull total', 'snp significant association', 'candidate gene acsl4', 'attributed meishan', 'prme horse relative', 'fa srb qtl', 'designated poubw1 play', 'commercial broiler dam', 'porcine fatness', 'genetic source associated', 'state way decrease', 'limb joint', 'architecture teat malformation', 'coding sequence gene', '001 snp using', 'effect underlie', '01 snp31', 'qtl identified single', 'muscle heart kidney', 'pwsy number', 'precise genetic basis', 'associated abdominal', 'character human mouse', 'challenge costly pasture', 'created crossing commercial', 'parenthesis 02 003', 'pure breed association', 'factor quantitative trait', 'offspring female offspring', 'process change affect', 'lep gene developed', 'length uterine horn', 'gwas indicating significant', 'temporal stage', 'binding site showed', 'growth objective study', 'discovery rate', 'associated trichostrongyle egg', 'various bovine', 'detected study showed', 'gga_rs14554319 gga_rs13593979 candidate', 'phenotyped ascites', 'individually followed backward', 'indicate sscx', 'combining expression', 'restraint test indicating', 'recycle calving crc', 'software foundation statistical', 'analysis successful detecting', 'gene ctsz cstf1', 'bta 15 single', 'used predict', 'control rate 90', 'effect similarly', '12 31', 'study increase understanding', 'production confirmed', 'revealed bull', 'syntenic bovine', 'searched single nucleotide', 'snp caused', 'important pig breeding', 'formed independent', 'acid composition key', '12284a 12331t', 'meishan european large', 'individually followed', 'demonstrated experimental challenge', 'possible existence population', 'bovine cidec gene', 'fertility trait previously', 'directional selection abdominal', 'derive annotated gene', 'following vaccination', 'qtl localized', 'spanning bovine genome', 'band family', 'quality trait backfat', '13 number mutation', 'provided strong', 'bayesr resulted', 'values seven snp', 'order study', 'open cow low', 'different genotype identified', 'differs report suggesting', 'result showed substantial', 'growth associated', 'unique snp showing', 'parent used significant', 'marker allow', 'ram studied resource', 'previously work needed', 'multiple test significant', 'malnutrition potentially', 'used fertility trait', 'cholesterol triglyceride', 'polygenic effect snp', 'cm 14', 'fam174a chd1 rgmb', 'furthermore study', 'using generalized linear', 'bw49 05 bw70', 'axis consists gene', 'genetic variance holstein', 'affymetrix axiom chicken', 'industry better understanding', 'bmp15 gdf9 egg', 'domain alpha subunit', 'native broiler', 'region harbouring', 'mb draft sequence', 'fixed used', 'heterozygote diplotype', '05 snp28 snp31', 'fat tissue 335', 'play numerous', 'consumer prefer', 'fst involved hair', 'porcine tea domain', 'detected afw percentage', '2282 cm pig', 'animal genotype dfiadj', 'gene tmem68 transmembrane', 'using weighted single', 'wur interferon inducible', 'yield sc identified', '933 f2', 'resource population qtl', 'haplotype based snp', 'particular tropical', 'polymorphism bovine hnf', 'score persistency milk', 'threshold suffolk', 'gg showed', 'data addition principal', 'coding rna', 'breed holstein', 'ghrl significantly', 'identified sequencing synonymous', 'snp effect mixed', 'weight length duodenum', 'livestock specie calpains', 'blood cell rbc', '05 observed', 'plasma insulin like', 'animal candidate gene', 'refining localization', '18 55', '14 chromosome bta1', 'significant snp sc', 'study 135 f2', '262 bp lowest', 'control including', 'gwas overlapped region', 'function gene novel', 'inra experimental farm', 'dam selected genotyped', 'sheep similar genetic', 'sq developmental qtl', 'ssc7 pleiotropic effect', 'role regulation temperament', 'mapping candidate gene', 'suggesting presence', 'total 27 significant', 'affecting nsb 10', 'relation intramuscular', 'qtl cm interval', 'disequilibrium conserved', 'lactation lp2', 'neuroendocrine influence production', 'scan approximately time', 'milk fat fatty', 'process beef cattle', '20 11 25', 'allele partially recessive', 'total 33 qtl', 'module relevant', 'torbiscal entrepelado', 'pcr cofi rflp', 'furthermore 47 positional', 'addition gene encoding', 'haplotype 249 marker', 'ssc 49', 'gain test', 'exploring functional effect', 'individual 100', 'investigated quantitative', 'stage experiment genome', 'genotype different trait', 'greatly advance', 'chromosome affecting milk', 'sheep population identified', 'associated difference canonical', 'genetic potential body', 'large small problem', '87 mbp closely', 'total 74 snp', 'dna repository 214', 'rs41639155 candidate', 'androstenone adipose', 'count strongyle specie', 'tn 110', 'pit gene', 'genotype indicated', 'charollais lamb', 'associated carcass', 'quality constrained', 'prevented conclusive determination', 'coverage average depth', '492 bp', 'locus detected afw', 'study evaluated association', 'growth phenotype', 'large scale data', 'trajectory trait', 'area animal allele', 'genomic breeding improved', 'frequency 55 45', 'providing functional information', 'bmps play fundamental', 'imf addition 10', 'susceptibility respectively genome', 'breed meta analysis', 'genotype tested animal', 'bovinesnp50 54 609', 'solely detected', 'fraction genetic variation', 'analysis designing primer', 'nutritional value present', 'daily gain duroc', 'marker located pig', 'cattle confirmed snp', 'acvr2a transcription', '35 41 day', 'live weight weight', 'differed hf', 'specific age accounted', 'strategy genetic analysis', 'volodkevitch test average', 'intron gnas', 'breeding mainly', 'estimate fertility directionally', 'cattle aim study', 'animal major issue', 'malignant melanoma sinclair', 'bft ham weight', 'leg butt', 'pig industry', 'basis swine', 'female produce parity', 'proposed influence weight', 'ssc1 snp region', 'fabp mutation', 'model increased', 'infected prrs', 'tissue objective', 'family comprising 7860', 'kctd3 gap43 lsamp', 'efficiency pig productivity', 'finding confirmed seven', 'breakdown deep sequencing', 'vrtn involved', 'variable potentially', 'qtl analysis fat', 'contributing trait', '007 genotypic', 'snp gemma', 'smaller frequency', 'probability 013 064', '600 aa', 'association apovldl ii', 'tissue mammary specific', 'trait genetic evaluation', 'different selection', 'causative snp provide', 'hen economic welfare', 'suggests need', 'exhibited higher', 'productivity management genetic', 'polymorphism mirna', 'milk lactoglobulin', 'using postgsf90 version', 'marbling cd', 'size small tail', 'odd year line', 'required large number', 'dd 05', 'phenotype role', 'additional 37', 'accounted variation', 'region gga13 12', '770k genotyped', 'identified specific family', 'measure liver weight', 'microsatellite bms490 rea', 'statistically significant strongest', 'marker pig recombinant', 'metabolism fat digestion', 'cattle breed china', 'lep hinfi', 'index 0005', 'rt201 susceptible yk', 'sib family microsatellite', 'strongly suggests', 'amino acid position', 'influenced cattle', 'regulation calpain activity', 'maternal component trait', 'size mutation gene', 'outbreak pathway analysis', 'trait total', 'accounted single qtl', 'putative role', 'cm ros0005', 'nominal significance level', 'carcasses large litter', 'gene identified porcine', 'genetic variation increase', 'protein addition', 'variance based', 'assessed genetic', 'major region serum', 'parental strain generation', 'foundation investigation validate', 'patterning numerous', 'rh mapping gene', 'analysis identified genome', 'human evidence', 'ph important', 'background nordic', 'line large', 'showed snp altered', 'genetic architecture variability', 'concordant dataset finally', 'basal inducible promoter', '05 significance', 'hornless trait commercial', 'ixodid tick specie', 'population 1343', 'striking result', 'adl328 developed construct', 'healthiness dairy product', 'body measurement trait', 'bta18 pglyrp1', 'leghorn apovldl', 'qtl affect cm2', 'lx qinchuan qc', 'provided candidate gene', 'mapped marker bm81124', '45 animal', 'protein yield py', 'effect resulting difference', 'used calculate independent', 'current assembly', 'sample exhibited paternal', 'affect different morphological', 'chromosome 24 respectively', 'altered protein', 'component responded heat', 'fixation index composite', 'adipocyte gene swine', '240g trp80stop', 'likely regulatory mutation', 'passed stage', 'using 25880', 'bta 26', 'contains missense', 'decrease birthweight', 'longevity litter size', 'fever incidence holstein', 'vartnb used genomic', 'correlated reproduction', 'package program brief', 'body composition usually', 'polymorphism acsm5 promoter', 'compensatory vivo bull', 'explained le genetic', 'training population', 'significance modulating complex', 'interestingly chromosomal region', 'maintaining barrier function', 'sequencing approach identified', 'reproductive hormone conclusion', 'approach detected pleiotropic', '170 f2', 'sow period 2007', 'phenotypic information collected', 'und mouse', 'affecting gene previous', 'maternal allele used', 'used country', 'specific primer', '12 18 genome', 'precision power breed', 'showed pleiotropic association', 'black bone', 'reported significant', 'gas chromatography used', 'understanding vertebrate', 'qib fatty acid', '205g chinese indigenous', 'annotation implemented', 'qtl afe', 'kb region ssc7', 'lesion anterior', 'cause problem cattle', '15 chromosome ayrshire', 'present analysis perform', 'affecting reproductive', 'resistance region domestic', '01 86', '16 sire', 'extremely good', 'background availability', 'est expression cnv12', 'bf 29 23', 'measure lm cross', 'chromosome 10q', 'snp evaluated indicator', 'thinning reanalysis', 'helpful illuminate', 'ssc4 sw316', 'heading mesh enrichment', 'genotype phenotype', 'diameter 25 cm', 'parity total', 'specific strep', '15 cytokine proposed', 'total 51', 'temporal impact reproductive', 'performed nba', 'included conceived tbrd', 'mg na', 'especially motility velocity', 'likely difference', 'ontology interaction', 'investigate influence', 'register included', 'positioned qtl', 'hereford limousin evaluate', 'association threshold', 'eye completely', 'color uniformity', 'muscle mass fertility', 'titer antibody binding', 'thirteen allele 38', 'revealed single nucleotide', 'largest impact early', 'cluster cis', 'viremia day blood', 'heritability se 42', 'covering 31 chromosome', 'variation largest chromosome', 'position hinders application', 'purebred grandparent chromosomal', 'selected randomly pcr', 'retroviral replication', 'chip containing', 'used sire', 'variation litter size', 'subpopulation novel polymorphism', 'allowed comparison', 'pool pcr', 'nematode favouring', 'cbfb gpc6 present', '30 cm approximately', 'danish swedish milk', 'mutation resistance', 'bird 05', 'qtl genotypic allelic', 'confirmed seven', 'riboflavin 93mg milk', 'based snp derived', 'skip upregulated', 'moderate small', 'swiss cow gas', 'volume loin', 'different breed including', 'monthly 586 nguni', 'red cattle independently', 'relevant haematological trait', 'loss search polymorphic', 'reproductive performance mammal', 'cells ml conclusion', 'chicken paper', 'independently epistatic effect', 'greatest effect', 'muscle maintenance knowledge', 'pig european', 'snp ghrl ghsr', 'known trypanotolerance', 'test mutation', 'ancestry european', 'trait population studied', 'element shown strong', 'analyze polymorphism 5229th', 'backfat thickness', 'analysis pcr', 'condition crossbred', 'sheep linkage map', 'locus statistically significant', 'associated female', 'recently quantitative', 'significant qtl horse', 'ssc3 ph24', 'variance component method', 'understood result study', 'male lod', 'swine population 819', '72472 locus animal', 'inflammatory subsequent immune', 'response stress adaptation', 'cattle aged 12', 'study consistently', 'experimental animal genotyped', '282 individual analyzed', 'rate hcr proportion', 'bb detected result', 'meishan chromosome crossbreeding', '30 milk', 'phosphatase ocrl additionally', 'calcium homeostasis', 'limit individual tm', 'texel breed population', '144 gene differentially', 'recorded 13 month', 'vaccination plasma antibody', 'model 24 post', 'adg prrsv', 'dataset val', 'motivation behavior', 'shuxuan cattle', '31 equine autosome', 'site mutation', 'demonstrate possible', 'trait reported study', 'provide knowledge molecular', 'lacking pig herewith', 'alive dead', 'leptin regulation puberty', 'laboratory estimate indole', 'study individual genotyped', '2p14 p17 involved', 'term anai4', '11 yr', 'sire gestation', 'maximum mb', '395 animal', 'breeding cow high', 'generation estimate', 'eth10 included panel', 'explore qtl using', 'feed consumption contributes', 'locus group 10', 'binding 0003677 value', 'effect protein function', 'mutation hoxd gene', 'independent dataset use', 'population shared multiple', 'adult genome', '29 bos', 'carcass trait led', 'polymorphism polymorphism identified', 'pqtdt 68 10', 'trait linear transformation', 'scrofa chromosome ssc', 'ubf similar', '01 showed evidence', 'eqtls fdr affecting', 'include au', '05 growth rate', 'associated target trait', 'cwt commercial', 'associate region', 'region fixed european', 'significance level 20', '24 harbour', 'cross available analysis', 'analyzed basis', 'study precisely map', 'mapping oar3 addition', 'decade selective', 'mapping localized hsp90aa1', 'number egg egg', 'genotyped pcr rflp', 'revealed significant influence', 'founder breed chinese', 'broiler fayoumi cross', 'polymorphism distributed ssc8', 'revealed previous', 'qtl f2', 'individual generated', 'region result elovl6', 'imf phenotypically diverse', 'muc4 expression level', 'trait assessed test', 'present data genome', 'line 990 243', 'detect cidec single', 'lr rg 08', 'mammalian biology', 'included total 17', 'implemented routine', 'dupi mycoplasma hypopneumoniae', 'domestic ruminant worldwide', 'suspected population order', 'effect negative', 'chromosome analysed correlated', 'inferred simplem', 'verification specific scenario', 'backcross pedigree reported', 'phenotypic pure', 'window 50 adjacent', 'small effect large', 'location contains', 'clustered mammal', 'haplotype composed mutation', 'negr1 slc44a5 pde4b', 'regression single marker', 'chromosome 11 15', 'cross generated', 'equilibrium undergoing selection', 'relative conception', '917 horse', 'disease affect', 'difference total number', 'driven selection', 'phenotype sequence', 'siblings performed', 'public linkage', 'confirm population level', 'identified 12 chromosome', 'gene myh1', 'mutation synonymous decr1', 'failure 85 mb', 'present study great', 'response dna', 'insemination horse', 'fgfr3 ear size', 'coding sequence variant', 'useful strategy avoid', 'backfat previously', 'multiple commercial line', 'nucleotide bw', 'genome wide error', 'carrier lamb', 'genotyped chicken 60k', 'ssc17 growth', 'acid substitution', '85 dam af', 'haematological trait', 'component genome', 'approach gwas', 'somatic cell msc', 'english thoroughbred order', '21 pre', 'end test lifetime', 'pigmentation mechanism valuing', 'tendency association ryr1', 'dna sequencing genome', 'level hypothalamus', 'rate residing', 'agreement gwas likely', 'effect ttn', 'chromosome paving', 'genotyping represented', 'lacking validation aim', 'improvement duroc boar', 'demonstrates utility', 'structure missing homozygous', 'incorporated 69 microsatellite', 'reported web', 'genotype 13', 'kr3 kr6', 'myostatin gene charolais', 'study screen candidate', 'linked marker incorporated', 'snp rs418747104', 'protein sequence function', 'genetic correlation production', 'parent qtl', 'recently located bovine', 'purebred sheep 11', 'reproductive process', 'selection fitting individually', 'involved primary', 'number single nucleotide', 'count 13', 'pat corresponding', 'average milk', 'zealand progeny', '19 snp 13', 'cross line', 'genome objective', 'detected cntn3', 'bovine milk fatty', 'total 239 warmblood', '13 microsatellite', 'lrp1b somatic cell', 'infection specifically', 'trait form solid', 'excretion associated metabolic', 'completely protect heterologous', 'conformation polymorphism sscp', 'based association analysis', 'c6 caprylic acid', 'mstn 874g myf5', 'sa version', 'fine mapped region', 'nudt7 expression', 'range medical condition', 'ability calculated fivefold', 'promoter region i199v', 'broad range horse', 'significant economic', 'analysed comb', '96 family single', 'causal mutation research', 'overlap obesity related', 'inbred chicken line', 'seven texel sired', 'overall liking cooking', 'residual feed consumption', 'thickness linkage', 'analysis indicated false', 'genomewide level', 'control snp', 'molecular tool', 'number snp significantly', 'sire heterozygous', 'taken response variable', 'grilled sample chromosome', 'prediction ability bovinesnp50', 'effect ranged 13', 'number gene trait', 'animal dairy cattle', 'eggshell quality used', 'mass nonrandomly clustered', 'day expression', 'chip separate', 'marker g133c g156a', '258 kg', 'female estrus', 'processing plant', 'dna pooling design', 'milk quality', 'provide evidence segregation', 'shank beef carcass', 'ssc6 egfr ssc9', 'kappa dgat1', 'bmp15 bone', 'background genomic', 'declining milk yield', 'disease single', 'postalbumin 1a', 'cattle provided opportunity', 'crossing commercial', 'pig addition association', 'cdna isolated egyptian', 'negative prrsv', 'conformation trait located', 'moderate polygenic trait', '20 month qinchuan', 'compressor like', 'report body weight', 'social economic loss', 'cattle produced', 'association dna variant', 'exon ripk2', 'function differential', '15 27 seven', 'wide genotyping', 'confer divergent', 'missed approach present', 'receptor ghrhr insulin', 'population chicken overexpression', '24 sire 47', 'clue explain strong', 'particularly applied multiple', 'sexual maturity', 'considered affect various', 'invading parasite', 'result scope', 'dairy genome building', 'associated fat thickness', 'snp 47673g associated', 'map accurately', 'analysis putative region', 'qtl sex allowed', 'multiple significant snp', 'bta1 10', 'correlation utt fl', 'locus suggesting mutation', 'snp bayesian', 'study given intensive', 'unique bovine', 'nuclear receptor associated', 'dependent record response', 'aim improve', 'result suggest growth', 'property nutritional value', 'cell volume avpcv', 'sow longevity lifetime', 'bone circumference', 'hm fm', 'statistic exceeded chromosome', 'highly expressed meishan', 'genotyped 21', 'ldl analysis method', '543 439 intron', 'marker typed 29', '14 moderate', '16 microsatellite marker', 'identified chromosome 10', 'protein different', 'trait consistent strong', 'reduced fat deposition', 'candidate gene sequence', 'phenotype investigate additional', 'haplotype generally improved', 'bta6 marker bracket', 'ref previously', 'total 10 significant', '481 233a significantly', 'primary goal study', 'multitrait meta analysis', 'neauhlf genotyped chicken', 'hmga2 sox5', 'main health issue', 'le important objective', 'shd adiposity', 'specific genetic factor', '10 rs315831750', 'chicken noninbred', '70 psi', 'potential use selection', 'prkag3 associated meat', 'area water', 'rs81477883 ssc12 rs80938898', 'significant suggestive', 'molecular level haplotype', 'sign osteochondrosis oc', 'expression gene potential', 'higher degree genetic', 'genotyped 169', 'hatch obtained phenotypic', 'variant gene associated', 'combined information gene', '209 brahman angus', 'finally different', 'ppara pik3r1', 'cattle exhibit lower', 'fj515744 bovine', 'effect decreasing cbg', 'trait real', 'predicted weight', 'haplotype observed', 'qtl analysis', '800 italian holstein', 'gga4 gga7 gga9', 'mapping using muscle', 'pig production identification', 'sequence polymorphism population', 'sequence gene previously', 'genotyping performed 211', 'identified specie', 'qtl mapped qtl', 'carcass weight variation', 'milk energy', '12 15 16', 'trait knc', 'percentage 0023', 'performance trait considered', '10213t 10329c', '13 female', 'population improve', '25 highest number', 'ranged 05 62', '2009 dense genome', 'reduced null model', 'ribeye area rea', 'forced pcr rflps', 'phenotype pedigree data', 'present revised', 'ssc7 predominantly', 'phenotypic variance snp', 'fat obtained post', 'trait somatic cell', 'group pelibuey', 'represented snp associated', 'respectively pleiotropic', 'result presented support', '528 mediated translational', 'milk production desirable', 'snp1 synonymous', 'intron 25858322c', 'clustered qtl female', 'gwas useful alternative', 'depth backfat depth', 'growth trait 19', 'roy berg kinsella', 'explained relatively', 'data half sib', 'based fragment analysis', 'set model window', 'ca ratio', 'efficiency infected', 'method expected robust', 'neuroendocrine specific protein', 'roh identity', 'allele multi qtl', 'selected genotyped', '2192c val ala', 'new zealand', 'support possibility using', '14 quantitative', 'body defect practice', 'imf 490', 'shank diameter sd9', 'previously cddr population', 'treated previously mentioned', 'seven functional milk', 'affect cm region', 'fertility reported', 'snp reduced effect', 'gwas combining breed', 'farm 2012', 'trait tinagl1', 'dpr higher', 'chromosome explain 87', 'confidence interval strong', 'exhibiting significant', 'myod myog', 'junglefowl rjf domestic', 'total body weight', 'scan relevant', 'performed 555 animal', '1326t genotype', 'gene variant gene', '401 breed', 'association previously identified', 'aldh7a1 apoa2 lin7c', 'applied 1000 fold', 'polymorphism snp 888g', 'map potentially', 'limousin cross identify', 'contains skp2 spef2', 'sd ph 45', 'mb ssc1', 'selected based', '500 f2', 'polygene belgian', 'control extent', 'susceptibility respiratory disease', 'oviposition bwf age', 'candidate causative variation', 'trait locus eosinophil', 'ars bfgl ngs', 'association highly significant', 'dam line phenotypic', 'tibia norwegian standardbred', 'appeared tcf12 200', 'day heat day', 'individually combination', 'tew tew', 'adrenergic receptor coded', 'qtls included', 'carried sire', 'ct tt genotype', 'gene 481 233a', 'size observed mapping', '300 compared', 'texel f2', 'ncapg harbor', 'single trait trait', 'chicken il 15', '14 17', 'analysis candidate gene', '23 endocrine', 'f2 crossbreds', 'widespread use', 'afe heritability', 'snp43 snp64 representing', '11 large', 'data 225 marker', 'total yield', 'syncytial virus', 'mining procedure', 'model applied granddaughter', 'uk irish', 'containing cast marker', '10 observed', 'mtpap gene', 'heritability suggests plumage', 'potential opportunity', 'rs13997809 ucp3 significantly', 'generally condensed effect', 'ph 01 respectively', 'microsatellite marker ssc7', 'ebv tnb identify', 'gene scrotal circumference', 'cd8 cd4 cd8', 'seven snp mapped', '137 marker covering', '497 heifer open', 'isi em blasso', 'using 305 cow', 'control infection nominal', 'estimate genetic', 'antibody production observed', 'weight exhibited high', 'affect somatic cell', 'genotyped informative', 'result encouraging', 'type sry', 'underlying variation tick', 'genetic analysis successful', 'cell rbc', 'difference cattle', 'bone weight bw', 'carcass cast 373', 'mb pig', 'percentage gga14 drum', 'qtl detected showing', 'explained chromosome', 'nucleotide polymorphism autosome', 'power transcribed gene', 'result mapping', 'lead novel insight', 'marker analysis sma', 'seven anonymous', 'identification link', 'maml3 setd7 causal', 'population bird', 'hol bull validated', 'exception qtl ham', 'traditional breeding measured', 'promoter higher reporter', 'trait moderate heritabilities', 'identified missense', 'describes identification phenotypic', 'panel genotype nearly', 'support hypothesis host', 'fraction dyd', 'study phenotypic trait', 'taurus evaluate', 'kept confinement fed', 'meishan breed', '18 genetic', 'hypothalamus combined', 'model assuming unrelated', 'structure performed', 'trait fdr suggested', '550 kg', '13 intron published', 'characteristic indigenous chinese', 'irf3 shown', 'polymorphism mutation associated', 'fggy located', 'sufficient explain qtl', 'cm _tef 1_86', 'angus pa', '278a gu253337 320t', 'weaned sow year', 'davis archival', 'association ap reproductive', 'dataset 321', 'explained variation uac', 'proteinase obesity marker', 'muscle suggesting', 'production trait chicken', 'conformation calving ease', 'genotype exceeded', 'treatment strategy', 'candidate rfi based', 'regarding trait immunoblot', 'search genome', '22 individual', 'stallion phenotype', '70 cm 11', 'eimeria tenella chicken', 'puberty association', 'lactating cow', 'affecting leg', 'detection group', 'marker including seven', 'histocompatibility complex bradyzoites', 'consider direct selection', 'help confirm', 'largest number marker', 'control association testing', 'size haplotype block', 'supposed impact bmp15', 'analysis revealed 32', 'environment herd production', 'genotype genotype phenotype', 'developmental event', 'imf addition', 'member calmodulin regulated', '359 635', 'leverage potential ebv', 'disease detrimental', 'snp discovery pig', 'geographical region', 'mapped roan locus', 'dairy breeding hampered', 'peak detected', 'analyzed half', 'holstein animal result', 'mum thirty', 'derived red maasai', 'trait rfi result', 'ssc6 ra', '15 23 conducted', 'prolificacy 255 sow', 'associated highly', 'search parasite resistance', 'p50 klf7 sp1', 'tolerance handling', 'sscx peak region', 'identified pathway analysis', 'ampa gria1', 'eastern germany', 'estimate androstenone chromosome', 'related testis growth', 'body weight shin', 'qtl associated lp', 'causal mutation', 'based linkage information', 'genotyping genome', '15 shoulder', 'line pig containing', 'bivariate genome', 'marker similar', 'using molecular', 'repository 214', 'differ propensity em', 'prior information chicken', 'variant investigated', 'scc alternative', 'selection result', 'exhibit complex', 'higher 27534932a polymorphism', 'pathway underlie', 'ssc11 genotyping', 'effect sensory nutritional', 'method result total', 'involved genetic', 'showing consistent effect', 'covering 23 autosome', 'deposition trait f2', 'percent snp ref', 'swine feed', 'feather pigmentation', 'bta14 negatively correlated', 'varied kg', 'program estimate', 'changing ile', 'marker 24', 'genotype progeny', 'empirical data', 'completely protect', 'gdf8 gene', 'genotyping additional animal', 'alternative mean', 'association epistatic interaction', 'developed genotype iowa', 'pig breed radiation', 'smc2 thought', 'epidermal fabp5', '20 25 chromosomewide', '12 finding provide', 'infection switch gene', 'snp discovered genotyping', 'milk lactation', '23 day ph', 'ld 12 021', 'association total', 'fatty acid jb1', '140 240', 'production trait analyzed', 'collected 180', 'using daughter average', 'likelihood curve addition', 'mutation segregating', 'susceptibility swine viral', 'association study 85k', 'growth current', 'phenotyped 68', 'involving varying complex', 'bone mineral trait', 'present region', 'comparison bvd pi', 'f2 progeny experimental', 'strength test', 'variant wildtype', 'daughter 1097', 'analyze backfat', 'formed snp int5', 'individually 534 f2', 'map obtained gm', 'study test', '184 11', 'suggested bta', 'protein ubiquitination factor', 'number metabolic', 'total saleable meat', 'breed using dna', 'trait analysis suggestive', 'profile total', 'cattle region', 'mb primarily', '13 seventy', '14 genomic', 'genotype wt', 'successively included fixed', 'analysis conclude', 'threonine kinase', 'gwas performed 601', 'combination significantly higher', 'identified generation sib', 'performing daughter', 'involving killing microorganism', 'showed low', 'significant negative correlation', 'influenced number mhcii', 'number trichostrongylus', 'discovered central', 'panel associated carcass', 'perform quantitative', 'candidate improve efficiency', 'spp1 polymorphism', '26 sheep autosome', 'coldblood horse using', 'line sheep', 'inclusion 39', 'gpe cycle', 'porcine f2 resource', '56 identified', 'haplotype percentage unit', '38 half sib', 'depth direct calving', 'identified meat', 'imf 23', 'background qtl', 'polymorphism research population', 'production pig study', 'causal relationship trait', 'locus cause', 'significant positive', 'genome average marker', 'serine trypsin', 'src tg thrsp', 'result employing', 'precluded beef cattle', '13 20', 'map obtained', 'analyzing pleiotropy', 'intake time', 'neutrophil recruitment', '19 41 33', 'quality mainly', 'improve animal health', 'term kyoto', 'autosomal genome phenotypic', 'favorable phenotype', 'redness ssc8', 'important role feed', 'crossbreed pietrain', 'scs_ebvs using', 'included centromeric region', 'hybridized mrna longissimus', 'generalized linear model', 'concordant region analysis', 'spermatozoon qtl related', 'estimate dominance genetic', 'region 23 03', 'widespread sub', 'respectively examine application', 'detected 77', 'gene population', 'analytic model accounted', 'iberian variety', 'rm137 cm marker', 'numerous phenotype', 'genetic parameter correction', 'twin far', '17 46 18', 'tac haplotype based', 'cluster marker', '84 cm', 'process oocyte maturation', 'population respectively identify', 'qtl provides starting', 'antibody response post', 'analysis key', 'intron associated', 'number stage', 'phenotyped 12 body', 'rs80938898 rs80971725', 'structure growth carcass', '1310 lamb animal', 'appeared narrow region', 'decreased 05 tg', 'time sq', 'study obtained cdna', '44g 622c carrier', 'cellular biosynthesis', 'wk age 0061', 'approach revealed statistically', 'associated insulin', 'interaction large', 'relevant efficient future', 'differentiation skeletal muscle', 'nonparametric genetic method', 'percentage bmp', 'relevant trait animal', 'elisa panel 315', 'body weight 001', 'percentage kidney', 'small small genotype', 'effect non additive', 'mapped model', 'used explore region', 'preliminary framework', 'time greater transcription', 'high line', 'fraction observed phenotypic', 'list significant', 'lp located gga9', 'udder health synthesis', 'onset sexual maturity', 'usefulness modelling', 'analysis pathway analysis', 'genetic defect', 'fm244720 400c exon', 'human mouse gene', 'enzyme activity result', 'analysis fatness growth', 'angle measured granddaughter', 'breed dominated', 'ewe present', 'maximize economic benefit', 'acid difference cbs', 'setd7 identified', '258 kg reduced', 'spaced marker individual', 'bco bco', 'hybrid backcross population', 'level se', 'non affected', 'post immersion', 'trait intrinsic limitation', 'oar23 marker adjacent', 'respiration promising candidate', '22 05', 'near significant snp', 'sex intramuscular fat', 'animal polymorphism gene', 'gene feed efficiency', 'litter mate', 'index sci', 'pathway term', 'commercial duroc population', 'positional gene gene', 'qtl snp potentially', 'rate fdr resulted', 'technology snp26 utr', 'remarkably small high', 'respectively proving trait', 'obesity diabetes', 'causal mutation disease', 'survival postnatal', 'exon gamma subunit', 'force taste panel', 'locus trait', 'gene notch2', 'fabp4 affect', 'sample genotyped 62', 'individual large', 'disequilibrium marker', '431 885', 'fibre trait', '655 44', 'abnormal hindgut development', 'lepr calpastatin', 'mutated sperm', 'window sum', 'using subjective classification', 'count 35 ttn', 'relative allele frequency', 'genome scan using', 'examine variation', 'identify new single', 'sequencing help', 'estimation putative association', 'weight 35', 'protein percentage single', 'indicating different regulatory', 'purebred population landrace', 'provide validation result', 'detected ssc1 regard', 'poultry industry term', 'positive control cow', 'associated lea 02', 'cow 05', 'determined 258', 'associate density', 'near gws', 'local chinese breed', 'f2 genome variant', 'charollais ram', 'informative 188 animal', 'rate hcr separate', 'confirmed nordic', 'muscle gluteus', 'milk production response', '151 microsatellite', 'used potential marker', 'paternal transmission', 'trait extension genetic', 'shank head', 'explain qtl different', 'make qtl igf2', 'examination comprised fetlock', 'selection growth', 'casq2 znf518b s1pr1', 'qtl region identified', '7258 bp', 'muscle area lumbar', 'investigated known non', 'steer collected weaning', 'challenge identified', 'box sox9 myc', 'fabp3 fo hif1an', 'maternal pelvic width', 'brazilian f2', 'exception qtl', 'trait us_m ssc2', 'phenotypic variance thoracic', '115 cm', 'promoter demonstrated different', '56 10', 'qtl corticosterone response', 'sequencing breed confirmed', 'gwas applied detect', 'mcv candidate gene', 'gene result confirm', 'best second', 'specie continent particularly', 'used establish', 'gga27 identified qtl', 'size subset allowed', 'qtl snp association', 'aco2 pi4k2a got1', 'taurus haplotype significant', 'chicken performed', 'technology provided', '174 test', 'sonic hedgehog considered', 'ib used study', 'complex underlying', 'genetic analysis showed', 'prophylactic measure', 'btb susceptibility date', 'growth period compared', 'slaughtered 85', 'appetite regulating pathway', '350 male', 'meat quality hpa', 'ovulation rate data', 'mstn variant reported', 'protein percent pp', 'contributes muscular', 'glioma associated oncogene', 'discovered significant mb', 'signficant difference total', 'cd bl', 'dominant coefficient fixed', 'focused severely rao', 'effectively result', 'suggest functional', 'heterogeneity presence', 'qtl respectively qtl', 'genbank aj292286', 'correlation structure', 'moderate high level', 'new informative microsatellites', 'individual snp account', 'evidenced qtl located', 'dataset improved', 'procedure model', 'resulted protein asn570lys', 'minor allele identified', 'encoded orphan', 'bta21 pce qtl', 'analysis selected polymorphism', 'compared association thickness', 'improving program', 'week allele epr', 'quality objective characterise', 'association study detection', 'blackface sheep data', 'stimulation genetic marker', 'incubation period oar18', 'allelic homologous recombination', 'marker improving', '12 gene determining', 'model trait', 'significance qtl influencing', 'region partially', 'source riboflavin', 'efficient growth', 'datasets used investigate', 'positive rate fprs', 'site important aspect', 'bacterial load', 'region heterozygote', 'located ssc1qter terminal', 'identify possible', 'bone large quantitative', 'development promising', 'concordance previous', 'variance associated', 'carlo method maximum', 'addition janus', 'region fatty', '96 marker analysed', 'chromosome neuronal', 'containing missense mutation', '204 progeny', 'effect marbling qtl', 'polymorphism alter', 'response conducted', '750 250', 'lemd3 tigar', 'marker chromosome 16', 'slope response milk', 'week bw', 'map qtl various', 'reported study underlying', 'white leghorn laying', 'genotyped 313', 'snp detected significantly', 'genotyped 373 nelore', 'ssc4 ssc6 qtl', '006 dif copy', 'population difference allele', 'shown play', 'int3 snp int5', 'psmc1 gene polymorphism', 'data routinely accumulated', 'gene regulating mo', 'maintenance efficiency', 'week age largest', '05 result generated', 'dimension average', 'locus age menarche', 'condition used', 'relative ch', 'gene boar taint', 'accounting 76 additive', 'protein cd46', 'near mc4r gene', '31 megabases', 'gene unlike', 'marbling score quality', '117 su', 'qtl marker ear', 'ssc5 ssc7 major', 'transport localization lipid', 'fescue infected lolium', 'total 1252', 'efficiency economic', 'combine information linkage', '305 lactation record', 'breed suffolk', 'wide distributed marker', 'concentration identified', 'irs matrix', 'ewe heterozygous ewe', 'debvs regardless genotyping', 'index culture peak', 'possible existence', 'prediction model increased', 'iranian indigenous', 'analysis combined linkage', 'size snp', 'initially pig ssc4', 'underlying variation clearance', 'used estimate', 'report refined', 'c2a2 c2a2', 'bc analyzed separately', 'heterozygous qtl affect', 'contributed selection modern', 'reduce impact reproductive', 'related utero', 'search conducted comparing', 'trait serum', 'main objective', '10 observe effect', '16q21 1878 bp', 'contributing height sex', 'mcm6 pax3 erbb3', 'chromosome evaluated allele', 'tg_x05380 422c calving', 'thoracic vertebral', 'included 548', 'chick adult', 'different mutation', 'role membrane organization', 'frequency number', 'sub structure', 'effect gg', 'lod score 19', 'hybrid commercial', 'current study performs', 'nr marker', 'reduce succinyl coa', 'association locus previously', 'gene 29 inferred', 'earlier susceptible animal', 'oar11 greasy', 'analysis validated', 'control cross', 'locus located immune', 'qtl bta23', 'kinship matrix individual', 'development periparturient hypocalcemia', 'synthase stearoyl', 'domain gpihbp1 protein', 'genoprob prior qxpak', 'expression mdv', 'clearly demonstrated relevant', 'nuclear transfer technique', 'regulating milk cheesemaking', 'avoid boar taint', 'thickness abt', 'trait comparison', 'total 44 snp', 'g105521a snp3', 'conclusion significant qtl', 'indistinguishable pleiotropy suggesting', 'different transcript eqtls', 'climate change association', 'uw haplotype 7637', 'cause survival problem', 'analysis milk production', 'resolution possible using', 'interaction statistical model', 'variety logistic regression', 'concentration 45', 'bone health', 'assessment carcass', 'sscp strategy following', '125 875', 'causing seriously', 'genomic blup approach', 'substitution effect used', '17 26', 'body weight bta6', 'canadian angus cattle', 'refined prediction equation', 'analysis carried using', 'significantly associated target', 'trait chromosome 14', 'yield deviation beneficial', 'haplotype based analysis', 'hip structure pig', 'examined normality', 'dff45 like effector', 'genomewide significance level', 'role sheep reproduction', 'sod1 amino', 'trait measured longissimus', 'model cm previously', 'result identified 44', '146 significant', 'gg ct ag', 'increase possibility using', 'tm qtl increase', 'ontology result', 'main milk protein', 'observed backfat thickness', 'chromosome 13 using', 'tt polymorphism highly', 'erhualian small', 'birth study used', 'spot14alpha gene polymorphism', 'total 45', 'carcass weight carcass', 'thoroughbred low genetic', 'lg1 lg3', 'milk similar', 'trait leg', 'coverage sequencing bacterial', 'strategy confirmed', 'elucidate association genotype', 'gene glutamate receptor', 'study milk', 'porcine economic', 'constructed 23', 'ssc3 dressing percent', 'vipr prolactin', 'sporidesmin dosed', 'cross parent derived', 'previously associated respiratory', 'qtls fertility growth', '53 97 phenotypic', 'software genotype obtained', '803 producing', 'possibility genetic', 'ibk population numerous', 'infected tall fescue', 'le linoleic', 'economic trait selection', 'protein fat lactose', 'expression 489c', 'maximum difference 65', 'sc significant', 'performed comparing', 'drop snp', 'genome used genome', 'present study resource', 'validation snp', 'perform data', 'underlying body development', 'identify family segregated', 'production trait udder', 'chromosome birth date', 'correlated ttn', 'estimate significance association', 'ibd allele', 'percentage 05 mutation', 'animal fine mapping', 'result charolais', 'wrinkle appear head', 'mbv test', 'myod1 gene', 'constructed distribution variation', 'polish warmbloods', 'weight gain premium', '6e rs312463697', 'identifying qtl affecting', 'model probable', 'map locus potential', 'response variable statistical', 'effect monounsaturated', 'genotyped using 16', 'snp setd7 identified', 'concentration milk qtl', 'qtls discovered sus', 'ssc18 genome wide', 'region marker oar3', 'suggest presence', 'test beginning', 'trait real time', 'variance observed total', 'including bone', 'polymorphism bovine igf2', 'age increasing', 'generation sib population', '38 mb', 'dependent protein kinase', 'detecting fine mapping', 'feed efficiency trait', 'haplotype remaining', 'regional effect', 'heterologous challenge', 'trait mqts qinchuan', 'binary survival', 'selection sow reproductive', 'thickness detected ssc2', 'exon regulate reproductive', 'plus snp', 'model lp data', 'holstein cow mainly', 'snp marker log10', 'qtl tenth rib', 'useful physiological', 'variance female need', 'potential improve', 'claw lesion', 'immune response cattle', 'pasture fed', 'sexual selection particularly', 'significantly affected 37', 'mononeuropathy unknown', 'fm horse', 'population founder grandparental', 'selective breeding enlargement', 'health synthesis', 'signal detected chromosome', 'random regression test', 'region utr sheep', 'skatole lw marker', 'taint previously demonstrated', 'challenge mixed', '91c 18377t', 'highly inbred breed', 'snp detected reference', '776 daughter', 'snp gene previously', 'gwas average', 'dpi viral load', 'study collection', 'day brine', 'genome wide combined', 'population result supported', 'level highest subcutaneous', 'peak qtl affecting', 'block providing genetic', 'pedigree combination', 'snp mixed', 'focus analysis', 'gene involved cellular', 'analysis association analysis', 'cmlm 21 snp', 'lg26 suggestive', 'qtl mapped using', 'androstenone autosomal heritability', 'year low', 'gene located adjacent', 'genomic region result', '05 bw alter', 'gene encoding thyroglobulin', 'linkage group microsatellites', 'covariates approach', 'kdm5a gene participates', 'emmax significant region', 'trait model fitted', 'estimate addition', 'number hox', 'epistasis frequent', 'homologous distal pig', 'percentage dressed weight', '11 mb', '19 danish holstein', 'born 1955 2003', 'fst gene chinese', 'bos taurus cattle', 'locus qtl calpain', 'significantly affected calving', 'equine snp70 bead', '102 case', 'lay haplotype block', 'acetyl coenzyme', 'joined analysis variety', 'length horn', 'gene detected', 'measured backfat thickness', 'line descent inheritance', 'criticized new', 'role artificial', '13 qtl', '99 cm', 'chromosome sharper', 'test whittemore', 'ssc16 suggestive', 'set included 1260', 'genotype 2379tc association', '05 271', 'disequilibrium regression model', 'different position', 'promotes porcine mbl', 'snp located previously', 'heterozygous favourable dominant', 'weight 70', 'association low', 'ovine footrot score', 'variant classical', 'identified aligning sheep', 'fitted asreml substitution', 'higher prediction accuracy', 'including chicken previously', 'development tumor', 'genome scan gwa', 'selected grandsires genotyped', 'established specifically map', 'genotype 01', 'gene expression large', '163 evenly', 'crossbreds second', 'fpcm dry matter', 'sample size used', 'ct cc genotype', 'animal carcass composition', 'percentage fa', 'component provide human', 'linked qtls controlling', '1752816097 exon 27', 'associated reproductive performance', 'genotyping exonic', 'associated hornless', 'genome linkage', 'available flanking marker', 'conclusion identified new', 'addition epistatic', 'population 22', 'largely unknown', 'animalgenome org', 'blue catfish interspecific', 'method animal 385', 'meishan linkage mapping', 'biology feed efficiency', 'fat content qtl', 'showed marker', 'slc39a7 gene carcass', 'αs1 cn lower', 'polymorphism represented putative', 'age result using', 'french landrace pig', 'related ram davisdale', 'examined multigeneration', 'force score previously', 'respectively contrast', 'defined way 15', 'attempt ensure', 'half sibling sire', 'identified affect number', 'linked qtl identified', 'linked block', 'post immunisation experimental', 'qtl dpr productive', 'assessed warner', 'mb 64', 'analysis qtl', 'national database', 'mechanism remains', 'addition selected', 'composition fat cattle', 'twopoint nonparametric genetic', 'relevant genomic region', 'clstn2 mtmr2', 'italy produce fresh', 'microsatellite snp marker', 'detected allele specific', '161 located', 'implemented gridqtl', 'association trait detected', 'genetic determination radiologic', 'pregnant gilt experimentally', 'wild female', 'se protein', 'sensorial technological', 'allele parental breed', 'respiration rate rr', 'coat colour pig', 'targeted qtl', 'cow performed', 'porcine 60k', 'single trait genetic', 'conformation polymorphism pcr', 'milk fat', 'involved milk', 'observed growth variation', 'certain condition mortality', 'association observed large', 'service period', '000 snp marker', 'wide value', 'exon 3000 bp', 'liver muscle', 'need alternative', 'snp combined frequency', '7th rib', 'ratio fcr economically', '622c 770c', 'egwas 45', 'nibp region fat', 'delineate genetic architecture', 'fat imf porcine', 'number marker association', 'qtl previously', 'correlation utt', 'vaccine 03 f1', 'consequence imbalance', 'highly advanced intercross', 'valuable information', 'link ovine footrot', 'potential causal effect', 'following adjustment', 'genetically phenotypically independent', 'csnps 10718g 10841g', 'inheriting positive', 'model weight age', 'pathway better', 'region showed association', '19 unique haplotype', 'puberty greater average', 'lactation order', 'revealed 15', 'muscle mass fat', 'dystocia reduced', 'using paternal', 'cyclic monophosphate', '141 mb skatole', 'g93a significant effect', 'test located', 'mapping precision compared', 'evidence previously', 'influencing scrapie', 'view reveal oc', 'biological process underlying', 'removed qtl signal', 'event follow', 'c18 c16 c18', 'respectively additional genome', 'breed allele snp3_t', 'resource population total', 'cell differentiation', 'breeding estimated 55', 'number ssc1 13', 'respectively remained intermediate', 'udder structure', 'effect coming meishan', 'percentage bc cow', 'selection animal breeding', 'weakness issue', 'gga2 affected heart', 'program improve milk', 'independently validated', 'threshold derived chromosomewise', '50 snp dna', 'signalling socs2', 'fattening carcass', 'model summary previously', 'suis particularly', 'udder health middle', 'future breeding strategy', 'lack fit test', 'lge22 crest trait', 'result suggested regulation', 'receptor gene serum', 'strain secondly data', 'withers height thoroughbred', 'positional genetic statistical', 'analysis snp group', 'percentage 52 la', 'eventually unraveling causal', 'effect largest marker', 'gene opn location', '24 raspf7', '619 landrace boar', 'overrepresented process', 'suggests association', 'gene carcass meat', 'height thoroughbred', 'sino european', 'using natural genetic', 'genome result selection', 'brief training', 'weight lesser extent', 'data investigate', 'present study showed', 'sex herd month', 'rfi snp showed', 'qtl mapping result', 'study linked', 'used porcine breeding', 'individual verified 30', 'property hampered high', 'coded standardised form', 'density tissue', 'detected different line', '181 microsatellite', 'carcass fat deposition', 'pig production agent', 'gwas genetic', 'region esc resistance', 'response disease', 'significantly 0001', 'transforming growth factor', 'uncovered qtl', 'adg vaccinated', 'biology gin disease', 'fat mar', 'intercross meishan', 'tm qtl result', 'studies involving', 'sow fold increased', 'average distance cm', 'conformational polymorphism dna', 'pig originally', 'snp performed genome', 'correction located', 'evaluated larger independent', '50 ssc2', 'adaptive evolution', 'traditional maximum likelihood', 'direction differed season', 'genotype p1 gg', 'used investigate effect', 'bp indel showed', 'interval mapping conducted', '149876507 bft', 'accounted 12', 'founder animal segregating', 'snp chip using', 'reported time represent', 'respectively enrichment', 'respectively different marker', 'mutation cat', '54 mb', '30 day old', 'consisted 14 crossbred', 'identified multiple promising', 'suppressor locus locus', 'element putative', 'industry detecting', 'en laying', 'commercial line candidate', 'fatness trait cytological', 'lean meat production', 'rgmb riok2 lix1', 'snp milk yield', 'causing albinism barring', 'ratio test', 'decreased fertility', '01 hem', '286 868 16', 'marker seven trait', '12 significant', '004 study demonstrate', 'carcass data collected', '05 confirm present', 'bovine foetus', 'cell primary porcine', 'calculated 540', 'mortem ph 24h', '16 qtls based', 'attribute cattle', 'qtl sow', 'genome wide qtls', 'despite small', 'deletion open', 'pcr rt', 'pig population using', 'meat purpose', 'significant interaction', 'substitution effect 43', 'gene reported sheep', 'genotype heterosis occurs', 'abw qtl combined', 'covariate fitting fixed', 'weight saleable meat', 'mechanism disease', 'age phenotype measured', 'identified inverted teat', 'lactose lg bb', 'md susceptible', 'cm 86 304', 'carried based interval', 'compared previously mapped', 'influence behavioral', 'detected comparison', 'foot leg disorder', 'detected ryanodine receptor', 'substitution akr1c2', 'suggestive shank', 'ssc14 121', 'partial correlation annotation', 'fat milk protein', 'procedure used routine', 'trait overall', 'mainly glucose', 'born tnb corpus', 'polygenic variance component', 'adopted analyze polymorphism', 'consisted 285 animal', 'generation hybrid', 'challenge response', 'holstein gene based', 'fatty acid sfa', 'growth rate indigenous', 'good candidate gene', 'mtnr1a gene individual', 'zn 404', 'method regulation dhps', 'significance putative', '654 individual', 'comparison ongoing', 'grouped control', 'identified qtl backfat', 'chromosome trait suggested', 'gene body weight', 'map genetic locus', 'measured 1029', 'considered genetic', 'fabricius weight', 'stat1 sorbs1', 'oxygenation poor tissue', 'quantitative measurement qtl', 'average logp', 'genotyped 27 microsatellites', '21 10', 'study result single', 'il vil1', 'reliability pta dpr', 'ssc7 glycolytic', 'dairy cattle mid', 'dynamic en laying', 'cm affected haem', 'obtained sscp', 'current marker', 'mb significant', 'fggy located near', 'sex specific', 'oar2 previously detected', 'trait collected commercial', 'greater transcription', 'gws ssc4', 'type abdh5', 'annotation bovine gnas', 'confirm importance', 'linked maternal stillbirth', 'qtls detected work', 'rhm result rhm', 'significant snp associated', 'low proviral load', 'gene affect scrapie', 'wish differentially wired', 'protein transcription regulation', 'wk age genotype', 'snp useful candidate', 'stat6 candidate gene', 'phe predicted affect', 'nearby 25', 'adequately fit simulated', 'multi trait analysis', '17 30 73', 'broiler industry', 'loin eye muscle', 'detected duroc', 'study seven qtl', 'respectively conclusion gwas', 'providing knowledge gene', 'dietary organoleptic quality', 'paper characterize polymorphism', 'pathway gene set', 'mammalian specie pig', 'regulated abdominal', 'position indicating', 'polled horned phenotype', 'leading reduction', 'deposition investigation', 'provides insight complex', 'chicken suggest use', 'line loss', 'mlnr med4', 'trait identifying potential', 'component score moderate', '15 association ap', 'qtl cumulatively account', 'harness racing horse', 'type lysosomal', 'breed gushi chicken', 'furthermore lg prl', 'hetero genotypes site', 'detection failure', '36 qtl udder', 'criterion conclude jolliffe', 'crossbreed bon cebú', 'qtl allele effect', 'response variable gain', 'intra specific channel', 'observed effect missense', 'direct negative selection', 'iranian urmia indigenous', 'dressing percentage dressed', 'sire random source', 'situated fabp gene', 'total 1689', 'bp variant', '711 001', 'segregating small', 'defined qtl available', 'study log transformed', 'herewith investigated', 'represented biological pathway', 'physiological response', 'suggesting allele', 'distance cm physical', 'study showed strength', 'growth improved', '71 69 ab', 'gain animal', 'conducted validate proposed', 'investigate positional candidate', 'snp rs400827589', 'size location', 'candidate eqtls low', 'casein csn3 gene', 'hormone acth hormone', 'hu measured 40', 'edn3 bmp7 bpifb3', 'growing pig age', 'cell apoptosis', '12 trait', '01 43', 'based successive discriminant', 'seven genome', 'average gene', 'cell 20 cross', 'probability infection', 'indicating cnv generated', '63 cm mcw0123', 'energy homeostasis', 'situation swine', 'maximum likelihood using', 'keratoconjunctivitis pinkeye', '80e 19', 'ncoa1 pik3r1 pla2g12a', 'cell count platelet', 'association posterior probability', 'pork eating quality', 'disease main cause', 'increase test', 'fivefold cross', 'trait purebred duroc', 'acid chinese holstein', 'adjust multiple testing', 'rna seq experiment', 'associated thermal tolerance', 'pose increased risk', 'prolonged exercise', 'environmental factor 60', 'growth rate population', 'fetlock ocd 15', 'mqr panel associated', 'chromosome test performed', 'sib family allele', 'gene related fatty', 'sire representing', 'aa 17 175', '018 contrast', 'increased milk 0001', 'effect tbg carcass', 'chromosome perform genome', 'polyadenylation signal', 'architecture antibody response', 'data used carry', 'genotyping study', 'interval mapping provided', 'tomography pqct biomechanical', 'data coli challenged', 'human chromosome hsa', 'animal pig', 'kera ssc5', 'melted fat respectively', 'research detect bovine', 'detected animal material', 'backfat fgf8 004', 'salmonella tested study', 'greater shear', 'yearling weight adjusted', 'fowl cholera', 'synthesis leydig cell', 'broiler identification', 'subset 229 lamb', 'population include', 'background quantitative trait', 'background meat quality', 'snp marker total', 'detected ssc6 qtl', 'quantitative genetic', 'percentage male litter', 'vital understanding gene', 'encompassed pign', 'biosynthesis metabolism', 'snp plcz snp', 'area perimeter', 'analyzed breed level', 'qtl common breed', 'gene including', '47 53 copy', 'locus confirmed association', 'located associated region', '22 bone proportion', 'brahman alpha 144', 'poorly understood performed', 'region af', 'potential high', 'day lean muscle', 'bovine myogenic factor', 'breed haplotype associated', 'sequencing approach called', 'showed higher frequency', 'broad qtl peak', 'screening 129', '11 22', 'successful detecting', 'range pork color', 'significant marker identified', 'weight furthermore', 'analysis including detected', 'snp 5678784a snp', 'block result', 'bil ca influenced', 'qtl calving', 'individual test days', 'lda motility abomasum', 'fdr 05 affected', 'rate growth tail', 'study parameter italian', 'lamb order determine', 'time response infection', 'ssc6 associated', 'hereditary disease foal', 'level mitochondrial mrna', 'breed analysis effective', 'linolenic acid significant', 'ram romanov ewe', 'stated varied age', 'effect resulted', 'trait confirming role', 'trait meat', 'created based', 'paper detect qtl', 'score assigned', 'mendelian expression prkag3', 'expression level itih', 'map including 33', 'parameter detected gwas', 'number fatness qtl', 'greatest expression tissue', 'signalling play fundamental', 'distribution ex', 'chromosome 21', 'chromosome confirmed', 'estimation genetic', 'hapmap50366 bta 46960', 'number interleukin important', 'usually diagnosed based', '1657 growth', 'kegg mesh', 'acsl4 gene identified', 'significant effect increasing', 'snp analysis based', 'ldla approach significant', '14 quantitative trait', 'animal health welfare', 'unravel molecular mechanism', 'trait contributing tenderness', 'exhibited heterozygous', 'play essential global', 'fracture egg laying', 'significant qtl explain', 'using 3k snp', 'significant qtl marker', 'scan qtl', 'revealing potential', '1042 1043', 'detected pparg cebpa', 'distinguished member', '712 calving event', 'control showed significant', 'immune organ', 'breeder select genetically', 'locus collected', 'physiological difference seen', 'rln coincident', 'tail sperm', 'beadchip 770', 'number location effect', 'tenderness livestock specie', 'size gene underlying', 'associated bwg fcr', 'metabolic pathway finding', 'according response prrs', 'sib grouping qtl', 'seven snp hmga2', 'functional variant', 'infection hematological trait', 'higher number snp', 'population snp3 snp1', 'result following', 'using rna seq', 'ssc3 01 ssc7', '21 236', 'ywt lma conclusion', '11 36 different', 'type noninfectious claw', '262 significant', 'sample evaluated yield', 'danish dairy population', 'detected gga', 'marbling 12', 'association study imprinted', 'marker ncapg lcorl', 'phenotypic association', 'longevity litter', 'autosome result', 'beef initially performed', 'ruminant worldwide', 'concentration time observed', 'content imf loin', 'chicken breed performed', 'su 152', 'previous study', 'snp significantly differentiated', 'associated behaviour generation', 'non parametric linkage', 'gene clearly', 'essential water', 'approach additive dominant', 'score showed location', 'b2 essential', '11 wg42 despite', 'consumer acceptability', 'melting point population', 'provided wealth', 'gga1 gga4 gga12', 'orphan nuclear', 'abnormal pork flavour', 'potential secrete higher', 'used directly estimate', 'influencing ph color', 'intake dfi adj', 'association genotype', 'characterize qtl mode', 'cattle possible', 'detection segregating', 'trait combination identified', 'trait ssc4 multitrait', 'using logistic regression', 'method used chromosome', 'higher bull', 'gene mmp2', 'associated tolerance cow', 'wbsf breed detected', 'dominant component', 'mb ssc6 snp', 'suggesting allele inherited', 'marker mapping chromosome', 'circulating probability unification', 'showed 255g 626t', 'content influenced', 'suggestive significant snp', '50 qtl identified', 'according qtl estimate', 'membrane component pgrmc2', 'qtl m4 model', 'site plausible', 'pig crossbred', 'productive meat quality', 'variation approximately 400', 'bta04 bta07 bta13', 'water retention', 'platelet distribution', 'blocking percentage csf', 'interesting snp', 'involved regulation 45', 'locus rs43284251', 'ornament model', 'property carcass', 'corrected significance', '28 influence intensity', 'raised different farm', 'wide relationship individual', 'snp ex12 protein', 'expression analysis draw', 'gene including ywhaz', 'expression level igf2', 'childbirth period substantial', 'associated multiple snp', 'csf contagious', 'analysed 14 new', 'susceptible mastitis square', 'wide level allelic', 'confinement novelty', 'develop apply', 'allow validate', 'involved rfi', 'constitute valuable', 'female follicle', 'digestive efficiency', 'resides large region', 'genetic component shown', 'involved maintaining', '26 umd genetic', 'expression play', 'gene marker interval', 'knockdown preadipocytes mrna', 'trait positively correlated', 'validate significantly differentiated', 'target region discussed', 'addition basal', 'adjusted fat', 'genetic variation contribute', 'protein cent', 'genotyped 940 descendant', 'qtl chromosome closely', 'steer 707', 'proportion monounsaturated', 'identified susceptibility locus', 'marker chromosome 10', 'post slaughter bm1500', 'snp using animal', 'protein potential calpain', 'incidence recorded birth', 'ttn predominant', 'adfi ssc3', '233t identified', 'clinical mastitis late', 'logarithm odds 68', 'positive correlation detected', 'require confirmation segregated', 'wrinkle formation shed', 'cb included', 'program used alter', 'region pparγ gene', 'segment rf identified', 'position genetically', 'use molecular', 'qtl significant experiment', 'conclusion variance explained', 'discovery rate 40', 'varied depending applied', 'pepsinogen level', 'retrieved generation', 'covering mbp', 'bostauv1r419 map2k5', 'breed suggesting breed', 'measured feed conversion', 'term submaintenance feeding', 'muscling carcass composition', 'evidenced major', 'trait multiple phenotypic', 'pew pbm', 'aa gg ct', 'previous finding performed', 'genome region ssc7', 'pre different', 'breed veterinary', '28 functional', 'chicken study', 'gene landrace yorkshire', 'resistance adult', 'progesterone prior breeding', 'influencing meat ph', 'allele meishan', 'lm area fat', 'second shearing oar11', 'cow 40mg milk', 'btb infection', 'expression resistant susceptible', 'pig population statistical', 'melanoma predisposing gene', 'controlled distinct qtls', 'intercross berkshire', 'protein play essential', 'interval conclusion', 'fine mapping result', 'rate occidental', 'status gene range', 'sfd 10936g significantly', 'haemoglobin hb level', 'lma detected', 'ct scanning significantly', 'pietrain breed study', 'feed efficiency objective', 'trait genetically', 'testicular weight epididymal', '11 data', '967 hd', 'adipocyte abdominal fat', 'qtl reporting', 'cm using', 'ssc2 ssc4 ssc8', 'method facilitate', 'help reduce noise', 'impact equine', 'association gene number', 'effect occurrence', 'gene mainly coding', 'dlg1 known regulator', 'correlated body', '05 genotype', 'phu ph15 dl', 'mutation resident', 'estimated account', 'rft bta13 61', 'profile investigate', 'protein 259', 'haplotype capture genetic', '18 suggestive linkage', 'tissue evaluated', 'showed higher luciferase', 'hock quality', 'association ear', 'gompertz growth', 'utilization marker', 'qtl channel', 'performance trait employing', 'born dead including', 'fatness saturated fatty', 'mastitis case study', 'female result indicate', 'lipid qtl identified', 'lm lean', 'report suggestive qtl', '24 47 copy', '13 hm eca', 'horse prme', 'study indicates meat', 'leaner meishan allele', 'fat moisture percent', 'horse previously', 'dorset east', 'horse horse affected', 'breeding program used', 'nitrogen phosphorus', 'experimentally infected', 'prkag2 mature protein', 'site bacterium', 'trait essential', 'included quantitative trait', 'mstn variant', 'texel sire tm', 'regression mapping', 'snp 2002c', 'mental capacity required', '11 jaw', 'protein kinase amp', 'level qtl controlling', 'value subcutaneous', 'data estimated account', 'genetic predisposition environmental', 'gwas useful', 'accounting variance trait', 'snp marbling', 'snp predicted transcription', 'age recorded egg', 'targeted experiment future', 'rib area', 'family combination', 'region 17 mb', 'pool dna', 'unrelated ram allelic', 'oc disturbance', 'act modulator scrapie', 'analysis indicated t32742394c', 'present study examine', '12 13', 'performed genome qtl', 'snp1 snp3 snp4', 'effect marker similar', 'gene cystathionine', 'teat comparing significant', 'sheep additional analysis', 'sow suggesting', 'mhc locus', 'performance test investigated', 'using 390 microsatellites', 'genetically diverse pig', 'intercross genome', 'clearance heritability estimate', 'total detected', 'association result validated', 'block containing', 'previous report', 'assay association', 'npc mutation', '226 novel', 'pigment body dilution', 'study identified associated', 'variance linear', 'approximately genetic variance', 'tick counted', 'susceptibility btb 26', 'producer voluntary', 'genotyped 58 single', 'erhualian white duroc', 'multiple trait growth', 'analysis model body', 'qtls imf confirmed', 'peeling algorithm', 'cattle population sequence', 'metabolism inorganic anion', 'role mastitis', 'assisted selection program', 'series lack fit', 'significant global', 'carcass fat depth', 'risk recessive', 'qtl exert effect', 'play role implantation', 'snp rs419096188 rs415580501', 'gg genotyped cattle', 'snp marker genotype', 'variance pig', 'putatively influence quantitative', 'ep300 tenderness sdk1', 'different phenotype group', 'differential expression candidate', 'importance genetic', 'analysis comparison', 'megallele genechip bovine', 'greater transcription rorc', 'total genetic variance', 'gene tnb', 'source meat beef', 'function integration', 'weight bft validation', 'mir spectrum thirty', 'specific gene region', '570 kb region', 'line total', 'intermediate phenotype', 'protein associated', 'view reveal', 'score quality', '439 used test', 'egg number snp', 'aberration compromise', 'common population', 'population comprised 992', '52 respectively', 'pik3c2a akt3 prkab2', 'bta26 03', 'effect qtl oar21', 'lipid protein', 'rate genotyped', 'tc 05 higher', 'gel electrophoresis', 'used analyze data', 'weight small size', 'heritability difficult', 'haplotype based seven', 'locus qtl previously', 'qtl exceeding', 'intercross sequence', 'previous study consistent', 'region middle region', '804 holstein', 'criterion pig', 'trait contrast', 'gap knowledge using', 'variation somatic', 'cnvrs cnvrs', 'phospholipase beta plcb1', '108 cm family', 'contrast sterility exhibited', 'parental gene involved', 'scan 110', 'coq9 epas1', 'region excluded', '01 ewe heterozygous', 'exon respectively 205g', 'determine genetic', 'study identify association', 'far porcine microsomal', 'adenosine cyclic', 'family disease incidence', 'quantified expression', 'tumor cell line', 'localize suggesting pleiotropic', 'arm ssc', 'regressing rfi final', 'trait range', 'facial wrinkle appear', 'sel1l3 gpt', 'gene total 826', 'total 15 significant', 'chromosome gene harbored', 'pre infection 10', 'basophil ba monocyte', 'pig showed signficant', 'allele new', 'prrsv objective', 'static qtl chromosome', 'month body', '10 epistatic', 'confirming role casein', 'group 198 horse', 'holstein paternal', 'sexual precocity reproductive', 'rs109546980 rs42404006', 'near igf2', 'allele rs315135692 favorable', 'porcine chromosome 15', 'bta19 23', 'inverse pcr technique', 'refine previously detected', 'luxi simmental', 'gene previously demonstrated', 'variance dcd contrast', 'variance dcd', 'conducted detect', '23 26 mb', 'ruled group', 'alive snp showed', 'growing native broiler', 'conducted determine relationship', 'qtl nematodirus', 'reported lepr', 'euthanization million', 'junmu white', 'apoptosis understanding', 'level previously', '355 snp genotyped', 'cattle heritable', 'gentile breed', 'age genetic', 'contribute development novel', 'variant ap haplotype', 'stearic acid concentration', 'weight 550 day', 'fat lean inra', 'development form', 'correlated 91 charolais', 'useful effective', 'parameter correction', 'high faecal', 'population composition quarter', 'importance livestock', 'type breed european', 'elovl6 gene identified', 'rt 17 19', 'hcw marbling score', 'nc_037332 31183170t', 'previously reported updated', 'polymorphism pcr rflp', 'additional marker performed', 'gene related female', 'ank1 cdna amplified', 'insulin receptor insr', 'tmx4 replicated 05', 'gene expression performed', 'reduction incidence', 'mortality young', 'breed breeding strategy', 'thyroid metabolism', 'backfat thyroxine', 'result indicate effect', 'gene slc11a1 tlr4', 'respectively suggested', 'variant targeted', 'identification additional qtl', 'rbc red blood', 'record weight', 'evidence unravelling genetic', 'variant performed breed', 'approach study association', 'weight additive plus', 'cattle genetic background', 'grk5 prospero', 'parameter veterinary practice', 'epistasis sex', 'polymorphism conserved', '01 genotype cc', 'location swine', 'small effect single', 'south america', 'usmarc map', 'value ejaculation', 'bmper gene indigenous', 'functional trait detected', 'group fixed effect', 'nervous development regulation', 'previously genotyped 315', 'score disease', 'large variation population', 'color important consideration', 'canadian holstein cow', 'different chromosome avfec', '14 chromosome', 'flanked marker', 'hook nicotinamide phosphoribosyltransferase', '18 ssc8', 'characterization genome wide', 'polymorphism analyse phenotypic', 'parity allelic variant', 'sire used phenotype', 'vector transfecting 293', 'result null allele', 'fleece weightand', 'level genetic control', 'localized location conclusion', 'test categorized different', '129 cm 27', 'gene reported associated', '22 susceptible', 'iap psap gene', '304 angus', 'mean sc', 'animal diagnostic', 'functional effect gwas', 'functional term calcium', 'abdominal fatness different', 'charolais crossbred animal', 'candidate gene hmga2', 'parasite exposure constant', 'given intensive', 'visceral subcutaneous', 'coding gene located', 'discover qtl suggests', 'coding non coding', 'form failure maternal', 'associated variation aimed', 'functional polymorphism leading', 'lamb 17 paternal', 'genes loci', 'ph water retention', 'variation meat', 'granulose cell', 'variation imprinted gnas', 'vitamin deficiency', 'prolificacy model investigate', 'design seventy', '704 inbred', 'reference population 293', 'inhba close marker', 'position 42', 'genetic line', 'bull 36 387', 'expression information', 'pparg erb b2', 'snp applying stringent', 'milk h1 h4', 'perform data analysis', '29 microsatellites', 'cow expressed', 'microsatellite marker sub', 'strong positional agreement', 'proinflammatory chemokine involved', 'analysis tissue', 'regulating milk', 'block nonsignificant marker', '14 15', 'harboring functional', 'localized quantitative trait', 'position 44', 'transcript tissue investigated', 'altered predicted', 'previously applied', 'qtl explains small', 'novel qtls showing', 'heat stress dairy', 'sheep industry recommended', '1596 candidate gene', 'kb region snp', 'rambouillet polypay', 'candidate gene hmga1', 'sutai pig genotype', 'tcap promoter', 'ebv ranging 38', 'mapping led revision', 'egg count indicator', 'human principal aim', 'line descended', 'mb skatole conclusion', 'eclairage lightness', 'imf located', 'bcse widespread', 'depth udder', 'ppard gene identified', 'animal enhanced', '88 cm ssc1', 'procedure linkage', 'implicated development periparturient', 'receptor membrane component', 'trait proportion', '47 10 suggestive', 'mogat1 echs1', 'activity number', 'daily gain ssc1', 'allele bta14', 'chromosome chromosome 23', 'suis measured', 'loss 030 cnvrs', 'metric average inverse', 'bms2142 chromosome 19', 'avlwt adjusted fixed', 'sire model', 'qtl meat quality', 'gga1 qtlexpress qualified', 'hypertrophy texel sheep', 'variation impact', 'lactation aimed capture', 'lamb created', 'pfts condition affect', 'porcine chip', 'gene order', 'genetic variant showed', 'microsatellite locus located', 'pattern phenotypic', 'ssc13 86 cm', 'result amino acid', 'mastitis overall', 'growth parameter', 'single locus mixed', 'analysis taking advantage', 'effect cpm milk', 'chromosome evidence chromosome', 'nearly billion annually', 'boar population 370', 'independence exon exon', 'pattern lncrna different', 'bw identified', 'ewe influenced', 'aimed identify locus', 'displayed internal', 'polymorphism population', 'population fattening', '07 additional 119', 'single trait using', 'primarily involved', 'act form apical', 'haplotype chap associated', 'indicating small', 'respectively tibetan sheep', 'mapping radiation hybrid', 'using 10', 'wide significance threshold', 'population method explore', 'tumor initiator suppressor', 'litter qtl', 'specific qtl f2', 'specific association signal', 'consisting 20 holstein', 'trait generation sus', 'composition pork method', '42344t 42404a', 'iodothyronine thyroxine insulin', 'production trait body', 'gene class mhc', '65 70 cm', 'genotype indicated haplotype', 'ratio imprinted', 'essrg pcyt1a', 'depth 0005 snp', 'likely provide useful', '2009 12', 'studying mechanism underlies', 'smaller rump', 'ssc7 snp', 'variability heterozygosity polymorphic', 'genotype future', 'homogentisate dioxygenase hgd', 'mapped calpastatin locus', 'dna marker used', 'use knowledge dairy', 'week 05 respectively', 'significant region', 'program aim', 'variation serum', 'hypocholesterolemia chronic emaciation', 'fra chinese cultivated', 'c14 index aim', 'dairy cow implies', 'trait snp revealed', 'research focused reproductive', 'wool trait measured', 'particularly strong association', 'basis study mineral', 'korean domestic', 'yield 0001 0053', 'vertebra nve', 'limpet hemocyanin klh', 'meishan origin', 'identified osteopontin', 'jointly austria', 'pedigree estimated', 'genotyped association', 'development standard method', 'association effect', 'effect snp annotation', 'phenotype time death', 'likelihood odds', 'relative position', 'polymorphism previously described', 'cow concordant', 'ttl rgs1 fbln5', 'impact qtl', 'aa substitution prkag3', '13 phenotypic variance', 'tenderness intramuscular fat', 'using additional animal', 'population detect quantitative', 'complementary method', '270t 156a showed', 'arpp21 gene', 'qtl average body', '019 ultrasound backfat', '14 titer', 'acid substitution genome', 'associated stearic', 'study genotype rare', 'associated degenerative', 'qtl region associated', 'substitution altered', 'growth egg trait', 'imf content pork', 'deterministic smd', '23 autosome', '266 low proviral', 'phylogeographic structure locus', 'analysis prrsv', 'evaluated 68 single', 'including seven newly', 'milk lgb content', 'production enables animal', 'avoid excessive', 'horse variant', 'study pcr sscp', 'deviation effect', 'femoral bone', '0e 05 marker', 'unravelling genetic mechanism', 'fore udder attachment', 'data mixture model', '01 immunocrit', 'locus additional quantitative', 'thirty snp marker', '301a 426t', 'detected locus detected', 'response tick', '24 26', 'identified eca 20', 'interferon gamma ifng', 'particularly 44g 622c', 'chip based estimated', 'mb 282', 'ayrshire population conclusion', 'day ai qtl', 'daughter constructed', 'fetlock oc 27', '2061t protein percentage', 'foundation identifying causal', 'breeding value total', 'genetic structure growth', 'production 104', 'subtype presented', 'study current', 'response prrsv', 'age effect', 'potential thyrotroph', '16 mscc', 'gene final', 'population independent', 'position frequency perform', 'region ghr similar', 'fit simulated variance', 'multi locus genome', 'cost beef production', 'analysed association phenotype', 'analysis pvuii', 'single trait selection', 'essential diagnostic', 'sib family illumina', 'trait performed genome', 'located adjacent', 'bta 16 20', 'wk age explained', 'gga1 initially selected', 'facilitate identification', '728 bp snp', 'analysis practical', 'target gene assisted', 'snp07 exhibited', 'cow 44 100', 'implementation ma', 'snp account 54', 'ph24 affect cie', 'complex architecture complex', 'significant behavioural', 'harbor qtl milk', 'based 41', 'adrb1 1293c 1311t', 'lead need validate', 'extreme tolerance', 'ne 30', 'required using', 'variation backfat muscle', 'phase linkage disequilibrium', 'pig number experiment', 'expression qtl eqtl', 'qtl eca10 dc', 'set identify', 'previous microsatellite', 'factor igf', 'insag higher', 'weight bwt calf', '6723g snp explained', 'tenderness color', 'max 30 ttn', 'region contain', 'implantation sustained release', 'prolificacy finnsheep objective', 'report focused body', 'genotyped using illuminaporcine60k', 'population previously', 'aligned close', 'effect dcd', 'non immune function', 't3 t4 trait', 'association obtained use', '299 s100t showed', 'pic 63', 'retardation increased mortality', 'major additive', 'gallbladder weight', 'prevented vaccine conferring', '22 respectively', 'specific superiority', 'chromosome explains substantial', 'phenotype showed specific', 'suggested presence association', 'ists defect production', 'trait dgat1', 'average skatole', 'commercial breed tested', '05 additive', 'background bovine tuberculosis', 'composition subcutaneous', 'providing excellent', 'evolutionarily conserved small', 'iib ssc6 ssc14', 'white recessive', 'qtls pleiotropic effect', 'range qtl genotypic', 'important regulator', 'beef production performed', 'breeding inherited', 'identify locus underlying', 'mapping revealed additional', 'number spermatozoon 12', 'study resequencing', 'detected qtl analyse', 'region body weight', 'understanding genetics complex', '68 f1 933', 'birth weight hot', 'cause diarrhoea neonatal', 'family qtl ssc1qter', 'moderately affected locus', 'adl0190 adl0152', 'identified associated mir', 'ram heterozygous qtl', 'breed allele dominant', 'population produced intercrossing', 'excluded gene', 'mapping population', 'family bull marbling', 'number animal available', 'strongly associated myristic', 'values pathway', 'range parasite burden', 'delta like', 'lipid biosynthetic', 'mapping approach haplotype', 'kb critical', 'taqi genotype', 'qtl increase depth', 'widely expressed', 'observed effect', 'mapping approach provide', 'study recognition closely', 'gene cast', 'fourth parity', 'avpcv live', 'candidate twinning rate', 'histologically head', 'bde stature sta', 'total 30 single', 'amplification created', 'detected associated carcass', 'chromosome ti', 'typed 40 md', 'cow desired milk', 'proposal precise', 'nhi white', 'breed ctsd polymorphism', 'mainly change skeletal', 'original particularly non', 'accuracy ebv', 'c16 fatty acid', 'cause painful lower', 'conclusion time genome', 'likelihood procedure', 'conservative region identified', 'developing developed world', 'growth component trait', 'dense snp', 'using pure', 'gene nr0b1', 'affected environmental genetic', 'estimate varying', 'genomic region microrna', 'information regarding biological', 'length luxi', 'located ssc2 ssc6', 'bf 30 10', 'size sufficient power', 'control resulted 452', 'data son yield', 'linked gene associated', 'tgf beta1 receptor', 'available chicken used', 'analysis haplotype t32742394c', 'broad qtl unreplicated', 'designated cd46 transcript', 'faced equine', 'identified candidate quantitative', 'country worldwide', 'interleukin 10', 'useful starting', 'polymorphism different cattle', 'detected western', 'example vasotocin', 'associated marker tbg', 'marker rs109546980 significantly', 'proposed mapping qtl', 'sire family french', 'cm ssc12', 'tc higher intramuscular', 'screened coding', 'rfi higher', 'gwas identify gene', 'selection program work', '196 snp', 'molecular marker rs81109601', 'assembly nascent', 'level genetic variation', 'gene affecting meat', 'phkg1 cis eqtl', '5239c 5240a', 'rainbow trout unselected', 'combining meishan', 'haplotype combination', 'snp 315t', 'locus associated odds', 'platform analyze milk', '382 cm bovine', 'disorder data', 'second approach', 'rln bilateral', 'muscle characterization laborious', 'individual measured parasite', 'peak flavour qtl', 'prolificacy sheep screening', 'embryonic kidney cell', 'horse animal', 'mir snp', 'trait scan', 'trait osteochondral', 'significant qtl f2', 'receptor biding', 'cob study genome', 'age 05 result', 'microsatellite marker additional', 'pcr cow concordant', 'composite breed evidence', 'fixed effect furthermore', 'selection increase litter', '18 10', 'variance haplotype', '15 breed 141', 'chromosome allelic', 'boar significantly', 'trait holstein conclusion', 'single amino acid', 'data 4280', 'association phenotype following', 'association rao 05', 'significant effect chromosome', 'gwas performed detect', 'intercrossed produce population', 'variant underlying locus', 'site microrna ssc', 'porcine chromosome region', '53 association', 'significant adjustment multiple', 'age 05 snp07', 'based crossbreds', 'nutrition public', 'repeat marker', 'mechanism key', 'gestation length number', 'fy economically important', 'substitution position 371', 'response previously identified', 'pair notable', 'static developmental qtl', 'lamb birth using', 'prediction accuracy increased', 'analysis mlma', 'called fecx shown', 'rs80805264 identified', 'antisense transcript method', 'study related', 'affecting metabolic', 'existence complete linkage', 'le detectable hbt', 'locus critical', 'effect 170', 'gene later stage', 'represents important', 'gene pool', 'pattern representing', 'associated lean', 'ovulation rate important', 'steak united state', 'involving 390', 'sytl3 bind', 'based simulation', 'high 283', '24 cm fy', '855 dbwavg 590', 'large sibship 265', 'like urine', 'fine mapping using', 'specificity qtl affecting', '789 animal year', 'pleiotropic snp associated', 'age animal body', '06 28 total', 'carcass weight qinchuan', 'population aflp combination', 'exceeding genome', 'region literature approach', 'intercept linear', 'significantly associated marbling', 'country use antimicrobial', '26 seven candidate', 'alp valuable', 'perfect concordance 100', '161 bull experimental', '88 microsatellite', 'ssc2 showed mendelian', 'microchromosomes uncovered analysis', 'vol duroc', 'rate hcr', 'agreement gwas', 'population qtl refined', 'relevant gene investigation', 'coincide skeletal', 'trait suggestive snp', 'quality metabolic', 'potential relationship', 'reported qtls pig', 'performance calf', 'factor influencing', 'near dik4482 identified', 'expression characteristic', 'affecting stillbirth calving', 'fertility selective', 'gene interestingly', 'joint flanked marker', 'severe problem', 'junglefowl map genetic', 'analysis different ibmap', 'simulation concluded following', 'costly desire functionally', 'case control association', 'endosteal circumference affecting', 'single snp association', 'trait nuclear', '14 641 3733', 'recorded production', 'descent ibd probability', 'sexual maturity genetic', 'disturbance process endochondral', '812 holstein', 'selective genotyping approach', 'structure genotypic frequency', 'murciano granadina', 'analysis using ingenuity', 'genome research work', 'positional candidate cw', 'confirmed refined', 'performance tested', 'proline serine', 'qtl using line', 'tetraspan subfamily', '18 qtl', 'previously reported genotype', 'effect qtl m4', 'linkage disequilibrium showed', 'selective breeding', 'slc17a1 slc17a4', 'associated trait used', 'chromosome near igf2', 'thermo tolerance subsequent', 'recorded variability number', 'interaction verified', 'ctbp2 highlighted candidate', 'regard animal', 'detected chromosome distal', 'significant meat', '155c snp 14', 'identified 854 snp', 'region gap 230', 'qtl express', '1382c revealed', 'adg qtls', 'loss higher juiciness', 'reaction lamb immunity', 'taint fertility result', 'thirty single nucleotide', 'identified gga4 151', 'mapped suggestive', 'body dimension body', 'breast bone length', 'piii acaca gene', 'c57r showed higher', 'ca serum 139', 'deletion combined 17', 'fi fcr', 'genotype indicated differentially', 'notably nlrc3', 'puberty pig locus', 'marker single trait', 'skeletal material', 'quality potential', 'animal target', 'fine mapping identification', 'protein gene', 'related attainment sexual', 'detected trait defined', 'phenotyped bf', 'receive allele', 'relevant association posterior', 'linkage test simwalk2', 'strain rainbow', 'conformation fatness', 'significance threshold glmm', 'expression lalba', 'family significant contrast', 'showed missense mutation', 'transport known bovine', 'sheep screening', 'region associated polyceraty', 'natural variation bovine', 'polymorphism allele', 'igf2 fdr 05', 'previously reported relate', 'association particular trait', 'related difference', 'snp obtained high', '15 animal', 'relationship measurement', '22 greater', '21 identified key', 'deposition porcine genome', 'conclude 636a snp', 'hamp_c 366', 'included proteolysis analysis', 'related trait unselected', 'polymorphism snp copy', 'bone medium positive', 'asian derived', 'divergent selection growth', 'length craniofacial abnormality', 'urine like unpleasant', 'obtained cow cohort', 'associated 05 range', 'model regression', 'position candidate gene', 'snp respective regressed', 'mutation 1394a his465arg', 'ram meat type', 'dj dh', 'ph blood', 'compared lw allele', 'herd erhualian pig', 'qtl influencing gompertz', 'derived breed including', 'resource population comprising', 'near centromere confirmed', 'inheritance qtl dominant', 'dissect complex architecture', 'detrimental human', 'hebraeum tick', 'debao pony', 'rfa musculus', 'osteoporotic fracture risk', 'cm respectively positive', 'coefficient ranged', 'hen 50', 'infant caused', 'linked hoxc8', 'juiciness flavor', 'control overall case', 'study production', 'able candidate gene', 'nucleotide polymorphism intron', 'disease resistance determined', 'staple strength shearing', 'homeostasis study improved', 'gwas population', 'tert notch1 slc6a3', 'female barrow', 'project identify characterize', 'utrs allows', 'horse 223', 'expression microarray analysis', 'potentially contributing', 'accompanying skeletal aberration', 'detected 265 cm', 'breed multibreed genome', 'multiple breed followed', 'severity score lesion', 'length pelvis breadth', 'possible effect fertility', 'foki pcr restriction', '54 29 snp', 'gene sets suggesting', 'force whiteness', 'length sl9 shank', 'pcr sscp', 'result western commercial', 'study develop examine', 'physiological meat quality', 'qtls affecting spawning', 'discovered snp', 'variation vertebral number', 'fat imf influence', 'using fold', 'creole cattle herd', '1343 trout', 'respectively examine', 'select snp based', 'susceptibility discovery', 'c14 significant', 'dq848681 8227c shown', 'sample 122', 'overlapping qtls', 'fertility different', 'located chromosome neuronal', 'indicated functional', 'tested association fork', 'derived genotype probability', 'affecting c10', 'sow population major', 'feather pecking significant', 'susceptibility trait', 'regulation process enable', '586 cow imputed', 'gene network significantly', 'gain genomic level', 'associated tnb nba', 'haemostasis regulation mucosal', 'used association analysis', 'chromosome radiological', 'hybrid chinese', 'result loki', 'ssc13 lgw', 'study assisted', 'model qtl analysis', 'nonproductive day herd', 'parameter performed', 'bf snp', 'binding lp', 'variation 49', 'locus analysis myostatin', 'mfa gene detected', 'trait snp explained', 'intestinal wound', 'using orthogonal', '001 polynomial', 'analysis danish', 'experimental family', 'level gene hypothalamus', 'capable explaining large', 'frequentist multi', 'wdr24 arl8a', '20 kit', 'genomics proteomics', 'multiple quantitative', 'identified region exceeded', 'mucosal defence detected', 'mxp 169 wxp', 'disequilibrium 88 00', 'disorder broiler study', 'polymorphism pig scd', 'santa gertrudis common', 'line hg', 'significant association displayed', 'indirect impact androstenone', 'significant effect sire', 'confirmed using', 'respect qtl', 'specific time point', 'slaughter 30', 'covered centimorgans', 'identified variety genetic', 'platform illumina60k', 'identified 59e bonferroni', 'non major histocompatibility', 'wgebv variance', 'software using', 'altering existing', '636 marker employed', 'est eggshell', 'health purpose', 'describing aseasonal reproduction', 'linked igg2 response', 'located mapping accuracy', 'selective breeding aim', 'considering iteration', 'higher proportion', 'indicator resistance mastitis', 'used pig animal', 'study identify', 'affect associated', 'chromosome position 55', 'qtl fatness trait', 'snp selected evaluation', 'snp including', 'experimental data detect', 'rs41256901 protease', 'generally joint analysis', 'score binomial', 'corrected value 015', 'harboured gene', 'mechanism feeding', '40 dj', 'causing diarrhoea', 'rs315831750 05 diplotypes', 'data prrs host', 'grm4 allele', 'growth animal known', 'sp1 creb atf', '25316t skewed hardy', 'snp 13 642', 'verify involvement chromosomal', 'study warner bratzler', '06 42e', 'cattle population 602', 'important role preventing', 'addition run homozygosity', 'opposes sexual', 'likelihood chi square', 'facial wrinkle formation', 'using data set', 'broiler chicken quantitative', 'frequency alternative', 'melanoma related trait', 'fixed effect cg', 'related known', 'postnatal muscle development', 'pig yorkshire', 'total 33', 'form pde4b1', 'involved category', 'qtl meat percentage', 'promoter analysed 113', 'consistent use', 'snps mb', 'linked qtls located', 'association analysis generation', 'gene encodes key', 'presence favorable allele', 'suggestive qtl ssc1', 'postgsf90 result confirmed', 'challenge qtl detection', '01 51 cm', 'proviral concentration rambouillet', 'downstream region eca3', 'variation coopworth sheep', 'cattle 1492 expression', '65 tcf12 200', '22 cm ryr1', 'conducted 912', 'identify qtl direct', '100 kb', 'increased susceptibility bone', 'control cortisol production', 'nipple csrp1 wnt7b', '05 suggestive 15', 'level immunoglobulin', 'reactivity need', 'fmo3 result', 'androstenone skatole indole', 'analysis probability increased', 'presentation qtl', 'far suggests', 'content ab', 'need genotyped achieve', 'number including', 'promoter region lpin2', 'sc mapped', 'autosome sequencing', 'bta6 10 observed', 'bta14 bta17 511', 'corresponding gain', 'bovine myog', 'progeny duroc chinese', 'performed example ssc6', 'rate behavioral trait', 'stress represents', 'line highly significant', 'fdr chromosome 16', 'signaling behavior', 'hampshire landrace', 'analyzing series mtpap', 'growth weak bone', 'baluchi sheep genotyped', 'program estimate uac', 'investigated result', 'period north american', 'neaurp established', 'basis underpinning relationship', 'performance thoroughbred', 'breeding value', 'persists population', 'sex limited expression', 'trait position differ', '78 significant position', 'increased uterine', 'identify chromosome', 'identified using 11', 'resource population produced', 'study shown feasibility', 'dissect qtl mode', 'content 28 protein', 'information obtained mc4r', 'afe remained significant', 'reported breed 236', 'effect varied sire', 'permutation analysis result', 'qtl relatively', 'value recorded', 'domestic sheep data', 'propose candidate', 'region shown associated', 'qtl hdl', 'generated cross', 'transcript japanese black', 'highest multipoint mean', 'trait polygenic sex', 'candidate gene physiological', 'variant gene', 'bta 17', 'difference respect', 'size number', 'porcinesnp60k beadchip mixed', 'fluctuating asymmetry', 'genotyped validation marker', 'lm lean area', 'report described genetic', 'variant regulating expression', 'percentage leg muscle', 'ne 13', 'loss low 07', 'meat quality conducted', 'displayed high test', 'dynamic host genomic', 'infanticide previously', 'litter w2cl', 'genetic factor underlie', '54 genome', 'overlap chromosome selected', 'result suggest development', 'ketone body blood', '70 day', 'contains candidate gene', 'located gene expression', 'artificially selected trait', 'qtl affecting treatment', 'specialized tropical dairy', '05 30 achieved', 'variant influencing', 'dik8042 dik8044', 'missing detection', 'signalling specie recognition', 'chromosome 14 earlier', 'taint relevance including', 'indels important', 'amino acid replacement', 'frequency genotyped 564', 'complex pedigree likelihood', 'longissimus dorsi saturated', 'sensitive stimulation appetite', 'growth trait segregating', 'regulation growth', 'snp make', 'hu sheep conducting', 'demanded androstenone', '12 qtl using', 'improvement chinese dairy', 'stationary performance testing', 'perform integrative genomic', 'born seven chromosome', 'chromosome pseudoautosomal region', 'snp explain 10', 'framework significant', 'sparerib weight', 'study fine', 'intron detected c1092t', 'nos2 haplotype polymorphism', 'association ncapg', 'osteoporosis human make', 'qtl area', 'majority qtl muscle', 'model confirmed analysis', 'cattle breed chi', 'allele white', 'suggested potential biological', 'wide value 0319', 'estimate cb', 'detected pleiotropic region', 'locus mapped using', 'aggressive melanoma', 'fecgh fecgt', 'genetic polymorphism zinc', 'combination detected qinchuan', 'tno 01 produced', 'generally negative overall', '01 chicken high', 'cm dairy', 'gene amph differentially', 'distinct qtl mapped', 'fleckvieh 812', '17 day', 'result confirm qtl', 'cm qtl2', 'leg weight carcass', 'cell differential leucocyte', 'evaluation snp region', 'length hap3', 'inside evolutionary conservative', 'follicle continue develop', 'genome scan confirmed', '20 cm probable', 'significantly associated bw49', 'mer peptide derived', '2834c 3533t', 'daily dmi', 'fat composition dairy', 'evaluation association', 'cattle present study', 'important role bone', 'detected showing', 'putatively associated', 'cm qtl ssc7', '23 presenting', 'development disease', 'variant intron', 'animal carcass phenotype', 'santa gertrudis', 'marker highlighted interesting', 'specific muscle', 'bovine hgd', 'imf 68 sd', 'significant association obtained', 'single nucleotide base', 'study successfully', 'association polymorphism meat', '27534932a polymorphism', 'enzyme glycogen', 'myostatin variant', 'seven snp region', 'size horse fluorescent', 'polymorphic influence litter', 'sge ripk2 knockout', 'bovine gdf10', 'region association study', 'wg21 42 dpi', 'olkuska breed', 'recorded twice daily', 'montbéliarde mon normande', 'deregressed proof probability', 'order marker derived', 'population consisted total', 'region chromosome multiple', 'hap3 05 result', 'phagosome tight junction', 'pb a11471g snp', 'segregating population developed', 'revealed ld block', 'gwas body', 'breed polish landrace', 'close qtl result', 'significant snp corrected', 'design furthermore', 'family 291 son', 'correlation enrichment', 'major biochemical', 'phenotypic variation fertility', 'biceps addition', 'rib 24 compared', 'design total 18', 'prrs virus challenge', 'dhx38 average', 'gene 156', 'array includes 580', 'selection provides', 'snp 638a', 'locus chromosome wise', 'effect reveal cryptic', 'epistasis family specific', 'consistent trait possible', 'gene action identified', 'importance livestock production', 'renewable population', 'influencing erythroid phenotype', 'time mode', 'water retention color', 'key pathway', '1556 predispose', 'adipose tissue mass', 'illumina snp50 beadchip', 'pig defined', 'trait qtl reached', 'locus slc52a3 riboflavin', 'snp gene significant', 'genetics variant', 'neaurp cross', 'using snp', 'gamma ifng toll', 'prediction blup', 'imputation accuracy time', 'examining genetic', 'result constructed linkage', 'lightness shear', 'influencing cholesterol', 'vertebra associated', 'age sheep trait', 'increased sc 05', '201 chinese holstein', 'signal milk', 'horse successful result', 'scan performed interval', 'significantly associated antibody', 'gene similar', 'lower longer significant', 'rxfp1 fam198b', '62 64', 'result study consistent', 'correlated chest circumference', 'line fsil design', 'fertility probably low', 'detecting mapping qtl', 'ige subclass', 'association milk performance', 'qtl pair provides', 'ssc16 coincided', 'expressed mammary', 'time phi additional', 'various additive dominance', 'calculate variance', 'basis whirling disease', 'centrally positioned', 'longer significant qtl', 'trait 28', 'delta cebpd', '332 conducted genome', 'variant 5274g located', '2108c snp', 'analysis required', 'growth obese', 'commercial population duroc', 'conferring scurs persist', 'detected breed gene', 'frequency varied', 'chromosome gene detected', 'genetic variation carcass', 'sc exhibit', 'captured 28 trait', 'commercial breed genetic', 'used phenotype qtl', 'acid difference', 'bacterial disease caused', 'far genetically improved', 'showing highest', 'ssc3 associated', 'objective test effect', 'lepr polymorphism examine', 'bal non productive', 'mdv challenge pure', 'qtl region association', '497 f2 animal', 'model absorb tiny', 'process marker', 'farm animal identified', 'difference adg', 'fragment length polymorphism', 'revealed chromosome', '42404a broiler', 'effect hairy phenotype', 'approach conducted', 'wide used', 'polymorphism scd', 'snp ex12 snp', 'encoding diacylglycerol', '1n9c c18 index', 'myod1 position 44', 'data derived line', '90 300 seminiferous', 'analysed trait', 'significant qtl bta22', 'sc ebv 0097', 'carcass attribute investigated', 'candidate cloning', 'qtl analysis sscx', 'kit gene', 'control analytical', 'activation response infection', 'contribute knowledge level', 'genome relatively small', 'cmi cause', 'suggestive linkage bone', 'technique indicate', 'human purpose', 'enzootic area', 'total 222 horse', 'backfat depth', 'effect fatness second', 'parameter fat', '27 20 13', 'highly likely exhibit', 'selection year round', 'step breed gwas', 'expressed 14', 'transcriptional level', 'genotype accordingly animal', 'bf gene analyzed', 'genomic prediction carcass', 'broadened goal', 'stage infection', 'fabp4 gene molecular', 'fat called', 'previously detected extreme', 'evaluate association milk', 'snp c18 index', 'mutation fecbb fecxb', 'study genetics variation', 'identify quantitative', 'influence antigen', '4850a analyzed association', 'strategy confirmed significant', 'expression lead allelic', '150 174', 'higher somatic sc', 'initial qtl analysis', 'py lactating', 'gli3 mediates', 'snp beadchip data', 'consisted regressed', 'disease pattern region', 'weight adjusted 420', 'growth related', 'fecbb fecge', 'identified chromosome 20', 'family reared outside', 'significant qtl corpus', 'marked loss', 'population half sib', 'concentrate slaughter', 'observed gluteus', 'suggested group single', 'study compare performance', 'gain adg important', 'chain length ratio', 'cofactor included 30', 'disease disease', 'related niemann pick', 'swine ep like', '20 consecutive', '26 carried qtl', 'locus ranged', 'polypeptide vip vip', 'improvement economically important', 'mutation identified', 'yorkshire pig based', 'locus position', '031 036', 'large cohort', 'marker covering 248', 'content 94', 'position related', 'decreasing feed cost', 'qtl gga2', 'progeny commercial', 'asga0029495 value', 'study detect qtl', 'point fat detected', 'line dam', 'importance mirnas target', 'regulation ca2', 'comparison snp', 'proportion unsaturated fatty', 'dd compared genotype', 'product wool play', 'neural crest', 'knowledge complex trait', 'utr region', 'end point phenotype', 'qtl single qtl', '78 rib duroc', 'cell make animal', 'exists affecting calving', 'underlying typical', 'indicated snp2', 'study identified chromosome', 'expressed adipose', 'saturated mono polyunsaturated', 'unique qtls', 'variance explained', 'lma ssc18 marker', 'concentration response', 'prrsv fetus assessed', 'mirna 1606 gene', 'elucidate ancestral', 'gene gene expression', 'g489a asp224asn', 'radiation hybrid bacterial', 'seven variant', '17 343', 'cattle small size', 'pronounced prior', 'pleiotropy responsible overlapping', 'associated skeletal size', 'feed intake driven', 'le susceptible animal', 'porcine adipose', 'family different', 'encompassing znf613', 'tg ldl', 'result crossbred population', 'parasite brahman cattle', 'pigment phaeomelanin', 'failure conceive', 'respectively chromosome 19', 'cluster explain', 'rdw measured', 'spectrum thirty', 'likely domestication taken', 'assisted selection effective', 'score sc 05', 'stringent quality', 'using different model', 'polymorphism identified used', 'value ranged 002', 'gene tcf21', 'chromosome 13 sw1495', 'mdv cost poultry', 'study concordance', 'history identifying information', 'accounting 17 variance', 'largely augmented', 'similar phenotype attributed', 'immunisation fdmv', 'homeostasis previous study', 'genotyping sire', 'litter size european', 'individual protein danish', 'meat chicken enhance', 'qtl carcass quality', 'including 250 barrow', 'allowed prediction', 'highly expressed', 'horn polled', 'using larger number', 'trait chromosome 13', 'weight hatch metatarsus', 'line provide positional', 'incidence training set', 'target site mirna', 'sib group ocd', 'result age parity', 'carcass length sparerib', 't1151g bpi exon', 'commercial pig according', 'darker meat difference', 'female need genotyped', 'genotype available progeny', 'uncover qtl rad', 'dmi feed conversion', 'breed china order', 'line dam line', 'snp chicken', 'zero effect snp', 'sscx qtl', 'regulatory subunit', 'associated aggressive behaviour', 'yield milk', 'activity result', 'carcass serum', 'significantly associated immune', 'divergent degree', 'mum 10 maternally', 'trait sahiwal', 'employing limited number', 'c3 cdna isolated', 'total offspring', 'australian poll dorset', '86 10', 'analysed jointly using', 'health event', 'phenotypic association test', 'sc hmga1 rps10', 'sift polyphen', 'elusive pig', 'distributed chromosome egwas', 'relevant abnormal behavioral', 'calculated 133 marker', 'cattle rdc', 'underlying mcv mch', 'glm procedure result', 'sheep strongyle', 'overall case control', 'determined main candidate', 'objective study evaluate', 'kingdom used investigate', 'qtl identified eca3', 'fat accumulation', 'romney perendale sheep', 'time rt', 'genotyped microsatellite', 'relative percentage diameter', 'quality trait including', '3379 single nucleotide', 'milk composition conclusion', 'landrace cross ibmap', 'pig candidate gene', 'yield composition bta14', 'chicken recent', 'igf2 identified novel', 'qtlr using pure', 'quality detected commercial', 'original data addition', 'utr manifested', 'pioneering work', 'thickness negr1', 'libechov minipig melim', 'analysis male', 'length associated', 'snp passed', 'protein play integral', 'cross broiler', 'locus f4bcr determined', 'znf770 identified', 'permutation used establish', 'performance trait black', 'revealed quantitative trait', 'week age nematodirus', 'white duroc allele', 'marker plus snp', 'region associated parasite', 'ilsts098 05 bms778', 'polymorphism insertion deletion', 'association tested', 'kinase kinase', 'assessment performed', 'variance trait 38', 'variable detection', 'mutation porcine', 'heritability estimate traditional', 'effective established host', 'silv 64a associated', 'including arid1a rxrg', '862t hardy weinberg', 'efficient imputation', 'line created broiler', 'notably single snp', 'fo ppara', 'capacity allele', 'antimicrobial poultry production', 'population maternal', 'location gene', 'german value', 'lean fat weight', 'make difficult detect', 'lipid content fa', 'horse twh range', 'temperature suggestive qtl', '12 14 cxcl6', '00 51 mb', 'deduced ars bfgl', 'analysis region', '192 ewe', 'incidence periparturient', 'genotypic information pedigree', 'contribute development', 'gene overall leg', 'resistance sheep', 'factor pathogen trait', 'genotyping data provides', 'difference mapping quantitative', 'pvuii chi2', 'environmental factor play', 'observed chromosome abcc4', 'qtl lda', 'average glycolytic', 'association gene variant', 'mo vol', 'nematode resistance', '26 45 adg', 'used aim', 'case high', 'cm intestine', 'select meat quality', 'multiple phenotypic alteration', 'cell death', 'changing abt suhuai', 'dna repository 715', 'incorporation gene gene', 'overall result indicated', 'wh 11', '533 285delttct', 'polyceraty report', 'adiposity growing', 'sequence similarity 110', 'tibiotarsal humeral breaking', 'genome potentially', 'piglet genetic improvement', 'mrna level', 'landrace polish', 'association gene phenotypic', 'exhibited increased', 'resulted identification', 'genotype preliminary', 'read bridging breakpoint', 'scan meat', 'growth commercial', 'depth european wild', 'structure order account', 'cow treated superovulation', 'summary snp association', 'snp fitted fixed', 'additional qtl bta2', 'parasite resistance sheep', 'associated temperament', 'significant quantitative trait', '12 13 contained', 'polymorphism snp untranslated', 'bb 01', 'interations 349 gene', 'gwas valuable tool', 'thickness ssc4', 'capacity whc young', 'fertility aim', 'son receives', 'suggestive evidence quantitative', 'bh sire', 'mapping population comprised', 'furthermore snp particularly', 'eye area', 'compression force', 'result generated study', 'bal non', 'gene chromosomal region', 'intercrossed generation following', 'response influence animal', 'averaging 335 kg', 'level melanoma synthetic', 'clustered human chromosome', 'functional positional approach', 'basal metabolic', 'set holstein', 'c16 c18 ssc11', 'snp ncapg gene', 'decrease vartnb highly', 'analysis 172 genome', 'underlying qtl bovine', 'date weight', 'examined include nebraska', 'factor value', 'mirna 1606 candidate', 'quantitative trait analysis', 'gin information', 'observed hanwoo commercial', 'mechanism underlying', 'complex mhc', 'calculated trait', 'aa homozygote western', 'qtl analysis applied', 'wise significant estimate', 'size eggshell thickness', 'retn ryr1 scd', 'sufficient estimating', 'indicates complex', 'fine map', 'snp alga0022658 59', 'intron 20 kit', 'fecxl fecxo fecxr', '11 pp 21', 'acid c6 caprylic', 'holstein cow bonferroni', 'analysis false discovery', 'wide qtls', 'imf eye muscle', 'grouping qtl', 'stage 65', 'ucp1 play', 'method explore effect', 'familial basis complex', 'rate 10', 'sequence resulted', 'mean behaviour', 'junglefowl white leghorn', 'hydroxyacyl coa', 'detection qtl maximum', 'physiological adaptation required', 'affecting bw', 'linear animal model', 'significantly higher rao', 'laid specific', 'different 01 line', 'marker intragenic', 'n202 strain', 'seventy calf offspring', 'qtls increase', 'cm experiment confirmed', 'qtl region locus', '250a g4533675c', 'carrier male similar', 'resistance swine provide', 'reciprocal efficiency', 'including total teat', 'triglyceride rich', 'fmo gene', 'region selection', '11040379c 167h ebv', 'accounting sub', 'elucidate genomic', 'useful approach identify', 'marker 54', 'luh weight', 'susceptibility chicken', 'unsaturated fatty acid', 'total 39 isu', 'stress including', 'variation attributable individual', 'sw344 distance cm', 'complementary tool', 'gene responsible skin', 'color conducted', 'pathway analysis identify', 'trait identified gwa', 'culture map infection', 'bovine growth', 'conflict normal', '5643 283', 'genbank dq487182', 'identification new', 'nominal values', 'outside weaning lamb', 'puberty gilt using', 'length male', 'background typical stratified', 'high meat yield', 'distinct variety iberian', 'microsatellites statistical', 'identified analysis including', 'cast mc4r', 'gene pleiotropic', 'sc identify', 'snp rs314448799 accumulative', 'deletion 15079217delc rs723240647', 'analysis using categorisation', 'microsatellite marker entire', 'haplotype inferred sequenced', 'genotype fenjing leping', 'dinucleotide microsatellite promoter', 'tended effect residual', 'redness ssc13', '733 female 402', '82 control developmental', 'application introgression program', 'seven candidate', 'cg used consisting', 'score day 113kg', 'treatment snp association', 'male detected 600', 'gwas 33', 'aquitaine breed respectively', 'domain rorc', 'greater fat content', 'indicus despite great', '19 suggestive', 'qtl 12 bone', 'menarche human conclusion', 'change milk yield', 'commonly used measure', 'mean map', 'values ranging', 'rate important', 'cob analysis identified', 'coding rna regulate', 'snp simultaneously covariate', 'phenotype addition 29k', 'f2 pig cg', 'toughness sex intramuscular', 'effect model involving', 'human conclusion', 'major locus genotyped', 'time pedigree including', 'related teat', 'ecotypes adapted', 'anxa10 female relative', 'fiber number', 'regression single', 'yield selection based', 'specific binding nuclear', 'genotyped animal genotypic', 'assay including', 'data reproductive', 'lnba similar reflecting', 'significant interval 78', 'duplication detected difference', 'cis cis12 c18', 'gene esr2 eaat2', 'large extent concordance', 'region af distinct', 'h173r variant', 'shown individual line', 'safety welfare', 'multi trait genome', '020 individual', 'black white animal', '30 73 mb', 'study suggested e4', 'breeding value 340', 'needed harness', 'genetic dissection qtl', 'dairy artificial insemination', 'influence antigen processing', 'expression play important', 'model association individual', 'breed commercial', 'controlling food', '41 33 903', '5019 bp', 'ma offspring charolais', 'measured shear', 'genotyped 172', '28 29 detected', 'illumina high density', 'furthermore expected use', 'influence response', 'small auricle total', 'ssc7 glycolytic potential', 'design qtl', 'seven chromosome 12', 'significant snp bta14', 'moderate fabp3', 'detected accounting', 'sheep expression analysis', 'trait sow', 'scs qtl', 'locus contributing trait', 'intake 01', 'known mutation in1', 'mutation polyceraty identified', 'interval analyzed', 'varying complex biological', 'decr1 012 carcass', 'used evaluate genetic', '05 abhd5', 'mrpl48 hcr hsd17b7', 'phenoypes collected digital', '16 19', 'reaction rt pcr', 'ratio forerib', 'cross belgian texel', 'detected probably', 'association carcass weight', 'cc genotype carcass', 'chromosome study supported', 'analysed trait study', 'position 2834c 3533t', 'change nature distribution', 'disease genome wide', 'estimated multi', 'statue ii', 'segregating low frequency', 'selection variation', 'ssc15 bf', 'production confirmed pleiotropic', 'associated significant increase', 'length luxi breed', 'acsl1 gene variant', 'content independently', 'site pref', '17 cm cw', 'cab39l ldb2 igf2bp1', 'related orphan', 'sept7 kirrel3', 'id location', 'partial intron', 'ssc12 lyz kera', 'cheese rec available', 'considerable additive genetic', 'heritable potentially amenable', 'formation shed light', 'variation trait explained', 'negative locus', 'controlling rfi measure', 'necessary verify qtl', '12 body', 'strategy disease', 'variation worm', 'chromosome described', 'identified swine importantly', 'challenge alternative mean', 'altering balance pro', 'set result', 'blood gas narrow', 'performed separately second', 'important genetic component', 'qingyu pig', 'result consistent univariate', '04 interaction effect', 'gland epithelial cell', 'region investigated', '171 82', 'resulting value examined', 'associated longissimus', 'pair cluster', 'marker genotyped 200', 'series model', 'regulating reproductive', 'indicate anxa10', 'gene cystathionine beta', 'transcript induces nonsense', 'effort improve genetic', 'comparison wild progenitor', 'end ornithine', 'study lastly', 'acrosome reaction iar', 'marker oar3', 'gwas analysis total', 'identified combined genotype', 'ct genotype', 'practice trait significant', 'pedf slco1b3 tbg', 'catenin alpha like', 'snp dgat1 tg', 'detailed milk fatty', 'based pcr rflp', 'majority breed specific', 'texture haplotype', 'increased calving difficulty', 'intake concluded', 'progeny 525 sire', 'map available chicken', 'identified belgian texel', '2061t 2196t genotype', 'ac hap22 tc', 'dehydrogenase postalbumin 1a', 'inheritance inverted', 'harboring mirna gene', 'lutea 01', 'degree similarity', 'relationship vrtn genotype', 'hap ag', 'yield bta14 bta23', 'applied semen', 'rapidly marker', 'data gene expression', 'varied 12 36', '26 putative lethal', 'marker covering pig', 'highlighted based', 'metabolite energy homeostasis', 'chromosome 19 bta19', 'human associated', '194 144', 'pair qtl affecting', '60k bead chip', 'c4715t mutation exon5', 'genotyped 988 piglet', '87 90 cm', 'osteochondral lesion polymorphism', 'encodes inducible form', '05 addition significant', 'cattle study linkage', 'heritability phenotype massive', 'illinois population selected', 'gir sire family', 'production social', 'haplotype carried', 'restriction evident', 'health disease result', 'lay bone quality', 'moderate high 18', 'overall case', 'pressure bacterial viral', 'dairy cattle study', 'eqtls associated', 'thickness backfat fat', 'crossbred sow different', 'locus qtl number', 'qtl epr chromosome', 'texture haplotype haplotype', 'sequencing mir', 'influence ham', 'heritable genetic', 'genomic region positional', '854 german holstein', 'candidate sequence', 'characteristic economic', 'gene enzyme role', 'age measured individually', 'cattle birth', 'occurred dik8042 dik8044', 'w80x rdhe2', 'a80v genotyped snp', 'capacity trait 93', 'camp cgmp', 'sheep required increase', 'effective regarding', 'molecular basis pork', 'footrot using ovine', 'dominant model respectively', 'research aim increase', 'suggested mstn', 'understand effect', 'gene recommended pig', 'puberty remain elusive', 'trait franches montagnes', 'extent genetic', 'fat weight 01', 'fast growth weak', 'using holstein', 'gabbr1 tail weight', 'gain detected conclude', 'udder morphology', 'genotype dd', 'association accounting', 'tenderness greater variability', 'result identified qtl', 'thoracic vertebra cl2', 'vitro transfection', 'ensembl porcine database', 'recurrent phenotype', 'horse genotyping performed', 'variant ubiquitously', 'analysis stage', 'snp associated afc', 'horse custom', 'pc3 trait', 'chromosome harbour', 'swiss cow individual', 'functional classification', 'haplotype location', '05 02', 'strategy used revealing', 'retained significance experimental', '600 snp panel', 'strongest signal mexico', 'systematic effect', 'chromosome different boar', 'skp2 spef2 possible', 'mammalian specie linkage', 'influence trait addition', 'cattle described comparison', 'family analysis allowed', 'breed qtl common', 'hnrnpd ahr', 'trait japanese black', 'afw breast muscle', 'disease resistance segregated', 'gave similar result', 'taurus autosome bta6', 'behavior defined', 'finland sweden', 'study showed significant', 'associated greater phenotypic', 'genotype thicker backfat', 'possible exception bta4', 'withstand bonferroni correction', 'notable region', 'present approach using', '69 10', 'distribution variation', 'associated locus affecting', 'economically important feature', 'higher muscle tissue', 'value bl genotype', 'gene coding properdin', 'smd mcmc mcmc', 'cross broiler fayoumi', 'created restriction site', '50 gene', 'potential ebv unraveling', 'present possible opportunity', 'slaughter glycolytic potential', 'suggesting variation', 'chick compared', 'essential enzyme', '32463 32302 identified', 'ssc8 ssc10', 'breed performed analyze', 'exogenous antigen cancer', 'actinobacillus pleuropneumoniae', 'ssgwas identifying', 'located chromosome 23', 'locus bta20 contains', 'enriched pathway gwa', 'low moderate 01', 'suggested statistic', 'confirmed effect tbg', 'cl uc', 'result open possibility', 'accounted 23 43', '13 14 mb', 'hormone th including', 'transcription factor polymorphism', 'possibility use snp', 'cross korean native', 'grey black', 'swine healthy', 'day age bw42', 'mir 532 binding', 'difficulty red breed', '28 genome', 'lipoprotein lipase', '24 48 72', 'exon intron structure', 'predict paternal', 'intake pituitary hormone', 'step qtl', 'linoleic acid cla', 'quality trait ph', 'tissue investigated', '17609c 17692c 17707c', '160 marker covering', 'substitution coding sequence', '56 05', 'gene useful marker', 'coimmunoprecipitation immunohistochemical staining', 'layer dam measured', 'mapped half sib', 'commercial crossbred', 'content somatic', 'confirmed nesfatin', 'factor spondin', 'parental chicken line', 'used simultaneous', 'mucin muc4 gene', 'marker added total', 'ultrasound based', 'identified 12 single', 'sire genotyped 50k', 'transacylase mcat', 'specific analysis', 'measured population', 'result egg weight', 'phylogenetic analysis showed', 'negative qtl allele', 'testis weight', 'cac respectively p4', 'hardy weinberg', 'relative ppara transcript', 'nesfatin food', 'architecture phenotypic variation', 'interval 38', 'additive effect limited', 'water coagulum dairy', 'gene known modulate', 'predispose egg layer', 'adjusted bonferroni 05', 'feed intake feeding', 'located ssc12 ssc18', 'modern breeding', 'loin analysed', 'sscx qtl jowl', 'churro examine eyelid', 'analysis different genotype', 'olkuska breed respectively', 'grivette homozygous fecx', 'difference ram', 'f2 intercross landrace', 'putative milk', 'snp identified provides', 'compare different criterion', 'result mucin muc4', 'chromosome different', 'bone length femoral', 'ranged 34 52', 'yield significantly associated', 'qtl detected 114', 'month age post', '185 synthetic line', 'qtl interesting effect', '20 single nucleotide', 'increased difference', 'rainbow trout greater', 'overlapped qtl litter', 'common parent seven', 'insulin triglyceride', 'seq data targeted', 'determined permutation according', 'level weaning', 'improve milk production', '05 explained', 'bta2 31', 'map contigs', 'identified seven cnvrs', 'significantly associated c17', 'number parity ltnp', 'specific partly new', 'surrounding identified', '40 day', 'reproduction litter', 'agent reduced legislation', 'tnp1 expression', 'yield snp', 'asxl3 bta mir', 'local breed analysis', 'rs41694656 located', 'live chicken', 'qtl affecting function', 'induction patterning', 'increased significance distal', 'putative gene', '28234 bovine chromosome', 'ayrshire fa danish', 'ryr1 commercial population', 'scrofa build', 'mapping number teat', 'snp identified coding', 'fec qtl segregate', '26 associated fat', 'different statistical model', 'intellectual disability retarded', 'near mummified', 'process fat', 'snp litter', 'trait snp genotyped', 'association study revealed', 'include excessive false', 'poorly annotated associated', 'different paternal', 'different result', 'chromosome 13 identified', 'hypothesis test', 'snp akr1c4 significantly', 'ear size standard', 'gene good candidate', 'based nw', '21 significant', 'analysis multitrait meta', 'considered phenotype', 'mouse shown lysosomal', 'snp estimate variance', 'strain generation', 'yield peak 42', 'trait dongxiang blue', 'columbia polypay', 'wk age body', 'significant qtl la', 'population onset', 'individual cc tt', 'fw pedigreed rainbow', 'genotyped 834 duroc', 'pch pwh', 'cent peak', 'finding provide confirmatory', 'variation japanese black', 'estimated using genomic', 'variant cnvs result', 'measured bw', 'intake decreased', 'rfi furthermore', 'horse 525', 'proteasome 26 subunit', 'yield high lactose', 'insemination pig breeding', 'stimulation contrast', 'milk synthesized mammary', 'gene function future', 'production trait related', 'result genetic', 'growth major', 'exon mucin', 'failed significant', 'area rib area', 'significant effect fresh', 'yield deviation daughter', 'sequence slc39a7 cdna', 'window identified significant', 'allele 201', '001 haeiii association', 'region 10 cm', 'uterine infection genome', 'mb lead chip', 'cortical bone comparing', 'chromosome snp showed', 'reached genome', 'gene investigate', 'muscling growth trait', 'carcass trait validated', 'conducted variance component', 'comparison behaviour pig', '47 trait recorded', 'trait reported studied', 'domain transcription', 'inositol phosphatase', '56 day heifer', 'parathyroid hormone receptor', 'analysis fetal', 'compared meishan', 'log10 resulting', 'observed sheep', 'e10 107 respectively', 'romney suffolk', 'expression splicing process', 'content muscle', 'new cnvrs', 'pleiotropic effect sc', 'kg duroc', 'ratio percentage', 'snp 278a located', 'killing microorganism directly', 'monocyte neutrophil series', 'transcriptome data 497', 'windows 12', 'plekha5 cby1', 'male result suggest', 'significant snp ii', 'area muscle', 'derived iberian ib', 'gene fabp4', 'polymorphic pattern', 'involved vitamin metabolic', 'cm 38', 'ssc12 qtl qtls', 'bta29 addition', 'landrace lr 299', 'pleuropneumonia result', 'region rxrg', 'moderate density snp', 'plantar osseous fragment', 'ebv fat milk', 'linked obtained differential', 'tend cause niemann', 'wide association strategy', 'bind myod family', '10 identified', 'half sib male', 'lg major', 'available analysis', 'myh3_rs81437544t casp3_rs319658214g', 'phosphorylation motif', 'value conclusion', 'l1 tdt', 'density fbmd', 'snp ccr2 gene', 'segregating iberian landrace', 'milk interesting indicator', 'protein hip circumference', '10 imf ubl5', 'mapping refine', 'acid synthesis compared', 'position 82 cm', 'consider continuous phenotype', 'ssc 49 88', 'bayes highlight utility', 'including ar serpina7', 'linked located downstream', 'relevant study', 'corticosterone level le', 'process birth weight', 'bmp15 promoter activity', 'calpain substrate', '315 genotyped', 'machine milking ability', 'locus 100 kb', 'trait underlie meat', 'number candidate chromosomal', 'genetic region discovered', 'effect estimated half', 'causal mutation conclusion', 'lack domain', 'protein prt', 'trait qinchuan beef', 'analysis identified genetic', 'taken response', 'concordance 64', 'parity 36', 'associated ocd genome', 'autosome bta 17', 'bonferroni adjusted 05', 'genetic merit holstein', 'lamb allocated', 'oxidation fatty acid', 'polymorphism ca cg', 'phenotype appeared', 'population applying', 'recent year low', '430 animal extreme', 'region promising candidate', 'variation carcass trait', 'breeding line pig', 'yorkshire population including', 'finding require validation', 'detected combined sire', 'identified family', 'prkag3 substitution included', 'disease described', 'industry mainly', 'status average', 'marc iii 246', '84 candidate', 'rate tissue necrosis', 'included score linear', 'twice homozygous', 'cow raised', 'chromosome performed using', 'assign weight', 'genetic effect snp', 'regarding effect milk', 'performed using 125', '358 768', 'dmi fcr snp', 'gebv milk', 'sheep strongyle fec', 'approach 15 trait', 'unrelated population use', 'enhancer ese', 'lactoglobulin desirable', 'hgd transcript', 'bm discovered', 'clinical mastitis iii', 'combination snp', 'trait showed number', 'concentration gene expression', 'haplotype hf explained', 'heterozygous sire gene', 'important source non', 'panel chromosome', 'resided known', 'associated stallion', 'population thirty qtl', 'egg layer line', 'mated crossbred', 'pcgs identify potential', 'result provide indication', 'body parameter productive', 'associated trait observed', 'hydrolyzes phosphatidylinositol', 'qtl paternal imprinting', 'score logarithm odds', 'yield fat percentage', 'human animal genome', 'gain prediction ability', 'aim better', 'fat tailed hair', 'ssc5 ssc6 ssc7', 'regardless specie', 'inclusion threshold', 'ebv pat target', 'tenderness connective tissue', 'qtl scan carried', 'mammalian pigmentation', 'beef cattle quantitative', 'deleterious allele female', 'kg protein yield', 'mapped study confirmed', 'significant qtl pig', 'social separation', 'density tissue proportion', 'defined population', 'trait ranging', 'hamper fixation fat', 'qinchuan hardy', 'trait discriminating', 'wingless type mmtv', '85 average', 'despite relevance', '57 phenotypic variance', 'data serve', 'growth low', 'associated pfts', 'generation crossbred male', 'tissue clustering analysis', 'high heritabilities ca', 'gg genotype mutation', 'recent advance porcine', 'birth age', 'helpful investigation causative', 'lei0258 microsatellite marker', 'substitution gene', 'mixed model applied', 'manure spite', 'identify gene known', 'yielded nominal values', 'organ weight conclusion', 'subcutaneous visceral', 'backcross outbred strain', 'wide significance 58e', 'remaining cell formed', 'rock female', 'f2 animal f1', 'explained 001', 'analysis revealed gene', 'expressed fdr', 'qtl muscling', 'paternal origin', 'account risk false', 'score fat percent', 'tuberculosis btb offer', 'wide analysis chinese', 'metabolic index', 'entire mlw population', '61 pig', 'seemingly exist', 'geneseek80k accuracy', 'increased disease', '70 psi tt', 'region gene identified', 'ram allelic variant', 'called longitudinal trait', 'analysis displayed', 'value prediction danish', 'region explored', 'experiment linked', 'chromosome 13 particular', 'identification single nucleotide', 'conclusion absence quantitative', 'mapping locus record', 'information new', 'mutation using sscp', 'region identified comparison', 'consisted 14 grandsire', 'group heritability', 'snp necessary', 'absorptiometry 551 pig', '73 unique', 'mapped abdominal fat', 'validation dataset snp', 'grandsire line male', 'qtl growth carcass', 'locus surpassed', 'q448h change respectively', 'essential characterization', 'recently fast cheap', '08 respectively identify', 'autosome bta associated', 'cut yield association', 'ranged 22', 'lactation 272', 'esc disease', '14 16 17', 'swr1343 sw2155 significant', 'ph24h study', 'set new cft', 'ssc1qter terminal band', 'carcass expected', 'affect lactation', '855 cv', 'af weight afw', 'chicken breed china', 'strain hariana holstein', 'trans eqtls enrichment', 'study characterize', 'coloration hematocrit', 'linkage disequilibrium single', 'linkage region bioinformatic', 'obtained resource', 'carcass composition recommendation', 'milk region', 'variable assessed snp', 'response ndv local', 'trait gene ontology', '649 f2 chicken', 'genetic resistance limit', 'ranged genetic standard', 'candidate gene grin3a', 'shear force whiteness', 'indicated false positive', 'trait 717', 'muscle development backfat', 'perfect segregation qtl', 'associated conductivity', 'showed mutation', 'ct tg', 'specie shown', 'cow genotype provide', 'polish primitive', 'explained approximately phenotypic', 'cc 600 aa', 'psi tt genotype', 'ovlv induced', 'porcinesnp60 beadchip possible', 'composed 169 individual', 'carcass fat thickness', 'delivered apd', 'hand significant region', 'exists distance', 'technology possible', 'relevant purpose', 'robust animal numerous', 'family leucine', '402 calving 1983', 'addition detected qtls', 'length passive', 'analysis precise', 'background number functional', 'intramuscular fat content', 'research result dairy', 'gilt explored', 'specific female', 'glu thr pro', '21 fwec infection', 'deviation 16 weight', 'wipe genetic', 'validation candidate gene', 'reached bonferroni', 'mouse embryo demonstrated', 'defect number functional', 'locus record', 'strongest association fertility', 'mass selection unaffected', '13 intron', 'gwas convenient', 'present study included', '39328 hapmap26001', '16 25 linkage', 'cm 23 45', 'distinct population', 'incorporation gene', 'spotted coat', 'window variance', 'localisation qtl body', 'tunel bta3 chromosome', 'gland development', 'future identification', 'mastitis addition qtl', 'conservative approach qtl', 'milk protein synthesis', 'understanding genetic', 'extreme divergent', '42 953', 'basis feed intake', 'study showed trait', 'sow selection sire', 'used linkage qtl', 'model basic', 'zero protein', 'ham weight ssc9', 'genotype determined 277', 'factor influence power', 'milk nutrient energy', 'pig population experimental', 'causal difference mapping', 'viral antibody titre', 'balance fatty acid', 'tlum population associated', 'report provide suite', 'weight weaning', 'located near pleiotropic', 'used multiple', 'actually provide', 'genotyped sequencing gb', 'important agriculture', 'fine map ssc6', 'production trait described', 'non catalytic subunit', 'ewe 29', 'n301 strain', 'tissue finding', 'distribution 10', 'holstein f2 cattle', 'haplotype 13 combined', 'horse subsequently supplementary', 'usefully contribute marker', 'gwas performed cnvs', 'content imf longissimus', 'different trait maternal', 'analysis information', 'contiguous spanning intron', 'evaluated breeding', 'maintenance bone cartilage', '420 qinchuan', 'regulating age puberty', 'linkage group covered', 'variance qtl contribution', 'beef production', 'heavy chain', 'strong association c6', 'domperidone related dopamine', 'counted suggesting', 'region affect carcass', 'conformation trait respectively', 'successful study modest', 'involved interaction', 'capability tbg', 'wt allele', '12978 12979', 'control strategy reduce', 'downstream abcg2', 'level cause', 'analysed factor influence', 'worthy characterization qtls', '465c 353c', '515 787 single', 'suggesting cnv12 involved', 'reduce concentration', 'wide qtl mapped', '44 412 used', 'cbat approach', 'key chromosome affecting', 'wing mapped', 'qtl different milk', 'deletion induces', 'investigated analysis maternally', 'frame buffalo encodes', 'rs41919985 predicted', 'mapped proximal end', 'microarray data', 'carcass drum thigh', 'length akr1c4 cdna', 'percentage 43', 'represent real genetic', 'result snp significant', 'extent spite significant', 'signaling pathway gene', '36 different', 'score chromosome', 'test developed', 'mainly enriched', '37 snp suggestively', 'integrated routine', 'genotyped association analysis', 'snp predictive ability', 'qtl sought different', 'sscx vicinity', 'mutation 30 50', 'using sa glm', 'genetic region related', 'different generation iberian', 'tirap ets1', 'individual growth feed', 'cross meishan pietrain', 'size pig prlr', 'represent gwas', 'high compared rest', 'hox gene', 'substantially evidenced higher', 'nm seven', 'qtl cdna', 'statistical biological indication', 'weight gga2 11', 'modification protein eukaryotic', 'day open single', 'diameter 90 300', 'effect cw cw', 'polymorphism snp defined', 'regulation catenin target', 'genetic evaluation detrimentally', 'genetic map', 'cow genotyped 73', 'gene oiliness', 'process signaling', 'trait qtl analysis', 'wide significant level', 'acid thirty', 'www animalgenome org', 'genotyped 73', 'imi relevant rna', 'seek verify', 'beadchip association', 'converged previous result', 'pig involvement fabp', '139 bull granddaughter', 'interval mapping number', 'study 50 single', 'analysis molecular', 'gene physical', 'litter highly', 'contribute establishing', 'map ssc6', 'measurement taken parity', 'snp potential application', 'analyzed dataset consists', 'cnvrs overlapped reproduction', 'yielded nominal', 'gene 142', 'centromere hypothesis segregating', 'chosen snp analysis', 'additive genotypic effect', 'conclusion various', 'egg production age', 'additional study needed', 'marker associate variation', 'non allelic', 'expensive measure breeding', 'chain fatty acids', 'cm qtl skeletal', 'significant qtl 16', 'site bovine hnf', 'nucleobindin nucb2', 'expression acsm5', 'directed search', 'industry worldwide effort', 'lma percentage kidney', 'level scd subcutaneous', '110 angus beef', 'slc4a4 dck', 'wk average daily', 'tick south', 'study complex phenotype', 'identify leptin', 'screened polymorphism different', 'significance threshold association', '60k snp chip', 'harbor promising', 'candidate gene quantitative', 'earlier immune response', 'percentage additive genetic', 'study able identify', 'useful information characterization', 'genotyping started identity', 'acid elongation', 'past decade', '13 990', 'frequency lce', 'rate single nucleotide', 'breed significant haplotype', 'affect body weight', 'affecting cm2 specific', 'resolution responsible', 'pig scd gene', 'interaction future study', 'size 10', 'value significance', 'hamper fixation major', 'selection scheme', 'number horse', 'tep1 study demonstrates', 'exhibited genetic', 'cyp11b1 dgat1', 'including genetic strategy', 'design animal genotyped', 'analysis fine mapping', 'increase somatic', 'reggiana identified', 'muc13b predicated', 'genetic determinism prolificacy', 'using 464', 'post mortem examination', 'additionally qtl', 'african chicken', 'component model allowing', 'makoei sheep', '15 16 18', 'analysis allele identified', 'previously derived standard', '990 polymorphism', 'variation wbsf respectively', 'data used hanwoo', 'indicated 2002c snp', 'population stratification breed', 'breadth sternal length', 'sweep analysis', 'effect 73 36', 'pl tested day', 'foc showed moderate', 'iridis defect', 'linked qtl revealed', 'haematocrit following', 'lead advancement', 'glo glm gene', 'concomitant genetic improvement', 'evidence provided far', 'population previously reported', 'skatole indole different', 'wg42 vl moderate', 'colour category include', 'porcine pleuropneumonia', 'period allow utilization', 'expression selected', 'fat1 locus described', 'categorical trait', 'investigated association runx2', 'region mad2li', 'used new partial', 'lfec target', 'genetic impact', 'illumina bovine', 'place live skeletal', 'haptoglobin hp measured', 'regulating feed intake', 'relationship comb color', 'snp nearby', 'array conducted gwas', 'protein percentage regressed', '10 haplotype chromosomal', 'analysis bovine chromosome', 'maf 01', 'regulatory function increasing', 'presence genetic', '0001 0053', '13 14 16', '156_157del polymorphism', 'spectrum different line', '15 month', 'estimate fixed polygenic', 'construct framework linkage', 'production step poor', 'denmark joint', 'parity cm1', 'stock korea', 'snp haplotype gene', 'gain s58995', 'using 56', 'adfi multiple breed', 'lp lta determined', 'oncogene family annotated', 'revealed snp 44g', 'locus gene cystathionine', '05 protein yield', 'skewed hardy', 'analysis porcinesnp60', 'cm sex averaged', 'silv gene', 'described different trait', 'weak association', 'litter sow year', 'cell proliferation promoted', 'discrete set', 'snp effect small', 'pig chromosome ssc4', 'qtl region 14', 'gene ucp1', 'snp fertility carcass', 'data qtl distinct', 'bwt 428', '12 425 snp', 'arl4c gene', 'chromosome evaluated', 'chromosome gct0006 mcw0106', 'snp variable', 'regulation lipid metabolism', 'association 16 haplotype', 'liver 01 chicken', '14 grandsire', 'flavour odour main', 'summary data', 'critical cattle susceptibility', 'capn3 gene analysed', 'value animal significantly', 'scan conducted', 'weight gain height', 'effect moisture', '908 994 bp', 'expectation gwas multiple', '641 fish 98', 'bioinformatics method mrna', 'homeobox snp', 'ld exists distance', 'trps1 006', 'opportunity map gene', 'complex disease human', 'edn3 considered', 'puberty qtlexpress', 'genome exome sequencing', 'resistance developmental stability', 'adenosine monophosphate', 'area future', 'bp sequence', 'complex biological pathway', '07 04', '1033 2184', 'map large', 'irregular parent origin', 'concerned 1186', 'located exon novel', 'nadp malate', 'containing 605', 'activator inhibitor type', 'size udder', 'presence significant', 'cell testis onset', 'ssc17 growth fat', '16 qtls', 'cattle based snp', 'marker following sib', 'highest ls means', 'schp rh mapping', 'genetic effect plumage', 'association pparc1a', 'key criterion', 'shank related trait', 'bcwd selected line', 'fec associated allele', 'finding explore', 'evaluation widely', 'performed entire white', 'region small polygenic', 'rank genomic', 'candidate study', 'performed igg', 'result dh high', 'support idea future', 'born variation', 'furthermore analyzed', 'dimensional genome', 'size variation horse', 'gene approach used', 'resource population gushi', 'identified mapping', 'resulting 1180', 'association tunel bta3', 'expression data multiple', 'dmi lw', 'detected oar3 reported', 'significance level identified', 'pp italian holstein', 'genotype fcr opposite', 'wide cnv 2059', 'effect qtl possible', 'illustrate underlying', 'different prp', 'conclusion gwas fatty', 'pathway total', '10 trait multiple', 'phenotypic variability study', '43 13 27', 'dgat1 gene phe279tyr', 'duroc pig population', 'effect corticosterone level', 'composite founder animal', 'conclusion result showed', 'numerous genetic', '38 genotype', 'industry mapped significant', 'linkage bone trait', 'based current annotation', 'potential lm', 'sheep analyzed', 'localization second', 'insight genetic factor', 'lipid deposition measured', 'metabolism immune inflammatory', 'reserve utilisation muscle', 'test including effect', 'evaluation despite low', 'provide valuable resource', 'associated numerous change', 'breeder aim', 'animal sampled', 'bta 26 high', 'assessed analysing data', 'affecting trait genome', 'effect gene compared', 'provided illumina', 'effect 1574a', 'marbling mar', 'emission individual', 'obtained sscp analysis', 'trait compared wild', 'genotyping lei0258', 'test statistic plot', 'mb identified breed', 'predictor performance tennessee', 'ebv comparison wise', 'litter w2cl total', 'region indicates', 'identify impact additional', 'involvement energy', 'weight 12 week', 'advanced intercross explore', 'founder intercross', 'spatial secondary tertiary', 'resistance mastitis', 'producer marker useful', 'weaning 200 f2', 'csn1s1 promoter', 'ph redness', 'trait cause', 'conclusion gwas revealed', 'milking speed temperament', 'released illumina equine', 'qtl analysis milk', 'approach utilized identify', 'myocardial infarction', 'include zero protein', 'associated loin eye', 'ssc12 rs80938898 rs80971725', 'control litter size', 'detect molecular marker', 'muscle depth shear', 'pulmonary disease', 'control animal major', 'marker chicken fatty', '15 physical', 'commercial maternal', 'including promoter', 'qtl related milk', 'meat tenderness nellore', 'examined strong association', 'specie continent', 'strength defined selective', '24 coincided number', 'gene biological', 'successfully verified using', 'bp amplicon promoter', 'locus qtls described', 'count recorded 13', 'trappc11 pelo', 'interacting serine', 'map manager permutation', 'polygenic data', 'physiology morphology behavior', 'described previously', 'study allele', 'ucp1 gene ucp1', 'detected ssc7', 'meat tenderness region', 'variable number', 'parent genotyped illumina', 'effect multiple', 'link variation', 'e5 e5', 'chromosome located close', 'score significant snp', 'known genomic', 'control developmental', 'ghr ghrhr igf1', 'chromosomal assignment', 'regression individual daily', 'effect residual feed', 'showed bird', 'milk fat cattle', 'improved selection', 'cardiomyopathy associated', 'curve log transformed', 'locus novel complete', 'chromosome radiation', 'analysis support fact', 'fleckvieh subpopulation', 'mrna level corresponding', 'deposition candidate gene', 'number spawn egg', 'growth rate affect', 'h2 h3', 'bovine lda', 'limit negative', 'insertion genotype', '91 bull', 'mucin enriched', 'annotation proposed candidate', 'effect sc dr', 'stox2 pelo', 'region reached control', 'principal aim', 'effect mutation intramuscular', 'hybrid backcross progeny', 'analysis carried variance', 'challenge tanzania parallel', '46 dj high', 'revealed overlap', 'susceptibility genotyped tnf', 'provides exhaustive catalogue', 'valuable tool validating', '144 progeny', 'vaccination region bovine', 'cow treated', 'positive require', '12 detected', 'tissue significantly', 'thirty genomic', 'analysis list 536', 'linkage suggestive qtl', 'nn 05 seven', 'kyphosis vertebra', 'predictive ability snp', 'statistical signal', 'explain susceptibility', 'pattern seen', 'stallion phenotype individual', '45 lt', 'indicator phenotype', 'maintained absorption', 'ghana study 12', 'trait likewise', 'provided 13', 'predicted second structure', 'protein superior tt', 'selection horse leisure', 'qtl ssc2q lead', 'releasing hormone crh', 'close gsg1l associated', 'covariates calf dam', 'number meat', 'extreme phenotype number', 'parental information', 'tuners complex', 'transferable embryo', '05 result implied', 'f1 bird intercrossed', 'start site mitf', 'chromosome 18 explained', 'breeding animal', 'evaluated larger', 'score showed', 'exchange glu13asp 39a', 'porcine fat stronger', 'sib family region', 'comparative analysis human', 'state spl culling', 'chinese local', 'sequence transcript bovine', 'linkage disequilibrium expected', 'lutea observed illinois', 'performance trait identify', 'encodes key enzyme', 'qtl genome wise', 'industry trait low', 'locus expression disease', 'luteal activity cla', 'transmembrane transporter', 'value genetic marker', '06 53 08', 'effect mirnas', 'sequencing association', 'total 696', 'study snp effect', 'snp revealed significant', '10 sus', 'method powerful detecting', 'second outbreak genome', 'covering thirds', 'interval refined', '14 2002c', '241x tga', 'breed qtl region', 'chromosome 13 abdominal', 'applied disentangle', '543 439', 'analysis linkage studied', 'affected multiple locus', 'locus synteny human', 'comparison including pig', 'mapped previously identified', '357 sow 491', 'partially adjacent', 'fewer day', 'c16 1n value', '93 cm 123', 'sampling method', 'heritabilities ibdv', 'demonstrated located', 'contortus month', 'combined analysis gave', 'muscle development largely', 'measured 030', 'myostatin allele f94l', 'qtl region significant', 'including fecbb', 'detected cell', 'locus identified human', 'snp panel marker', 'trajectory trait wgebv', '44 cm 001', 'pedigree 882 individual', 'array genomically enhanced', 'pinpoint functional', 'genome sequence', 'bft tenth', 'investigated skatole', 'concentration arachidonic linoleic', 'lrp12 tribbles', 'post translation', 'recorded boar', 'reported effect', '30 cm ssc6', 'qtls ssc2', 'sck1 sck2 novel', 'silverside percentage ema', 'component antigen', 'homozygous type', 'putative qtl submitted', 'obtained restriction', 'study validate effect', 'family exceedingly difficult', '06 rao', '486 hanwoo steer', 'chicken individual screening', 'effect fat1', '12 month individual', 'significance region overlapped', 'analysis qtl loin', 'informativeness s0008', '257 ewe dorset', 'autosomal qtl region', 'loin depth', 'phenotypic mean growth', 'line 174 176', 'snp 6723g utr', '11 percentage', 'taurus result yellowness', 'sheep chromosome oar', 'yr age', '1326t locus growth', 'revealed linkage disequilibrium', 'multiple marker analysis', 'scan genetic', 'breed use', 'increased stepwise moving', '12 13 female', 'observed difference age', 'il interferon', 'chromosome 18 lm', 'identified suggest', 'color trait lightness', 'mortem ph1', 'population 1855 pig', 'triphosphate gtp previously', 'public health problem', '18 20 24', 'embryo additional suggestive', 'gwas rln', '178 study snp', 'le 62', 'marker lei0071', 'genome building', 'ssc3 11 general', '15 31 cm', 'gene assay', 'nibp region', 'significant effect muscle', 'fragment pof', 'recruitment domain 15', 'flock refine region', 'reported chromosome 16', 'snp data', 'asp pcr association', 'family rear', 'complex congenic leghorn', 'selected included', 'pcr cofi', 'polymorphism target sequence', 'total 262', 'sow representing 10', 'cattle identify', '13 using genome', 'typhoid heritable polygenic', '13 seventy percent', '001 94', '12 marker plus', 'consists gene involved', 'milk recording combined', 'revealed heterozygous', 'tt gg genotype', 'study total 803', 'melatonin receptor gene', 'protein 15', 'exploring dominance', 'analyzed refine', 'downstream genotyped measure', 'duroc allele', 'composition trait concentration', 'trait statistically allocating', 'different holstein population', 'index estimating', 'cerebralis lead', 'snp respectively 9607480', 'susceptibility etec associated', '851 suffolk', 'clade nexin plasminogen', 'distinct genomic region', 'ectodysplasin receptor ring', 'cla polyunsaturated', 'adrenal hpa axis', 'comprised 992 progeny', 'inhibition myostatin gene', 'region associated protein', 'association mapping slc37a1', 'gc approach result', 'twinning 014', 'body weight chest', 'jx xianang xn', 'rad sequencing', 'result showed seven', 'study result', 'mg milk chl_milk', 'chromosome 11', 'combined phenotypic microarray', 'beef production export', 'underlies qtls associated', 'basis association', '718 susceptible', 'significant strongest', 'adjacent significant snp', 'differentiation factor gdf9', 'thermoresistance motility', 'paper reduced', '92 08', 'imprinted igf2', 'previous study study', 'polydactly phenotype', 'skeletal muscle fiber', 'confirmed 690 public', 'gwas liver muscle', 'rate snp located', 'showed high linkage', 'bioinformatic analysis cattle', '25 linked', 'replicated qtl information', 'parameter used estimate', 'analysed rs43101491 rs43101493', 'subjected network', 'animal model single', 'direct detection', 'human fto', '242t predicted cause', 'trait functional', 'genotype major', 'population investigated', 'lactose content variation', 'allowed identify genomewide', 'related mitogen activated', '140 kg', 'background numerous quantitative', 'evaluated using bayesian', 'pair located', 'candidate gene equine', 'cattle study highly', 'ewe used', 'pronounced hypocholesterolemia', 'overlap qtl location', 'cell collapse', 'collected commercial pig', 'using subset', 'fat deposition present', 'implying potential regulatory', 'mutated allele additive', '170 control', '05 genotypic', '44 limousin', '532 nearby 100', 'dairy product quality', 'rs81405825 ssc8 rs81332615', 'based weight threshold', 'pnpla3 gene growth', 'assigned gene gys1', 'b1 cross', 'predisposition pleurisy', 'snp 86 synonymous', 'increased chromosomal marker', 'likelihood detecting', 'revealed plcb1', 'snp marker candidate', 'pathway network functional', 'random genomic curve', 'contribute revealing new', 'bone ssc7 merit', '38 10 rfi', 'mapped result', 'binding site including', 'long 313', 'play role mediating', 'variability heterozygosity', 'expressed ear', '43 lowest highest', 'pathogen revealed time', 'cross provide', 'qtl various trait', 'estimated study', 'pig usually defined', 'trait 003', 'explained 20 phenotypic', 'approximately 400 kbps', 'biological link possible', 'determine relationship', 'bmp15 genotype maternal', 'identified 37 snp', 'wbsf measure meat', 'south asian south', 'protein receptor activity', 'dairy cattle information', 'genetic background single', 'chromosome 26 chromosome', 'complex trait enriched', 'texel sheep renowned', 'human complete', 'qtl affecting marbling', '321 animal 140', 'year round candidate', 'length bl withers', 'bone problem', 'correlation help balance', 'trait 235 second', '14 considerable', 'analyzed refine number', 'validating effect population', 'live weight lw', '192 hanoverian', 'considerable potential', 'physiological mechanism related', 'lncrna gene designated', 'report body', 'adfi phosphorylated', 'population rest new', 'comprehensive cnv', 'potential contribution', 'weaning gain s58995', 'pigmentation acop area', 'qtl model required', 'study gwas tenderness', 'analysis linkage gwas', 'skip decreased', 'fit logistic', 'given effect phenotype', 'count region', 'tc associated increased', 'ssc5 previous', 'draft horse rhenish', 'trait locus mapped', 'positive impact', 'mate low', 'trait conducted research', 'allele increasing', 'trait heritable', 'used previous', 'hek293 human', '57 additional lamb', 'nrr90 estimated qtl', '19 locus', 'showed nominal significance', 'eighteen grandsires', 'result power', 'total 44 growth', 'addition method allowing', 'population improve power', 'gwas chromosomal region', 'record trait longissimus', 'uchl1 adjacent', 'content shear force', 'wide snp basepair', 'european pig', 'line founder hen', 'sample including new', 'monounsaturated fatty acid', 'snp regulatory', 'common distinct', 'design carried milk', '73 mb ssc8', 'similar study', 'rear view hock', 'identify region bovine', 'earlier study validated', 'associated greater relative', 'significantly associated cattle', 'lg csn3 polymorphic', 'composition 470', 'weight lean fat', 'effect substitution pig', '80 qtl', 'allele rs42670352', 'extreme double', 'regardless breed analyzed', 'association mch', 'chip ghana', 'min semimembranosus muscle', 'finding used selection', 'gga2 explained', 'potentially contribute internal', 'population 2354', 'wise error rate', 'sscrofa10 assembly', 'qtl 20', 'muscle yield used', 'search parasite', 'aim study analyze', 'custom maximum', 'mutation candidate', 'identified chromosome 25', 'hen physiological', 'important tropical region', 'associated color', 'loss heterozygosity', 'week following vaccination', 'signal identified', 'association l1 insertion', 'weaponry animal', '14 hypoxia', '40 mer', 'motility cc', 'small value snp', 'gilt white duroc', 'disorder discovered cattle', 'pig different commercial', 'porcine atp5b', 'programme care', '90 120', 'specific opportunity marker', 'development mentioned', 'number ranging', 'dairy dna', 'date indicated mutation', 'list quantitative', 'infection status cow', 'chromosome seventeen', 'wilmink curve parameter', 'association snp calpastatin', 'useful model', 'eggshell thickness measure', '27 01 fetlock', 'representing meat', 'farm animal polymorphism', 'genetic variance respectively', 'innate humoral immune', 'additional processing step', 'dusp1 il17b', 'majority chicken sub', 'maintaining fat coverage', 'qul beef', 'snp marker displayed', 'filip1 wadi sheep', 'investigated potentially', 'gwas performed 1317', 'scan revealed', 'affect range', 'clone sample', 'fat weight gga1', 'variation cattle susceptibility', 'qtl region mapped', 'component regression approach', 'evidence qtl affecting', 'insight key', 'model using 124', 'precise genomic', 'effect sequencing coding', 'control cortisol', '07 48e 07', 'boar population', 'specific candidate gene', '464 steer sired', 'showed lower score', 'general linear model', 'qtls 10 locus', 'ratio fcr snp', 'significant qtl c14', 'variant confirmed qtl', 'cm distal microsatellite', 'attained genome', 'genetic improvement', 'eggshell color', 'foot conformation trait', '01 showed', 'ai service 712', 'pig production improvement', 'snp backfat thickness', 'rs29021868 cwt study', 'thickness statistically significant', 'control developmental lesion', 'analysis demonstrated additional', 'bta22 microphthalmia', 'selected trait', 'region elovl6', '49 10', 'dnajc15 dhrs12', 'multivariate approach', 'deposited genbank database', 'study conducted group', 'study revealed moderate', 'acid phenylalanine tyrosine', 'breeding enlargement body', 'producer recorded health', 'regression frequentist', 'substrate reaction limiting', '230 yorkshire pig', 'lung higher mrna', 'known world', 'bta23 snp c16', 'snp70 bead', 'living soay', 'rsnp nce7 05', 'locus significant marginal', 'candidate gene furthermore', 'fluorescent microsatellite marker', 'bovine snp genotyping', 'significant experimental wise', 'f1 boar enhance', 'subunit capns', 'c16 bta25 region', 'porcine igf2', 'dgat1 lys232ala', 'result suggests qtl', 'bta14 identified pleiotropic', 'dilution phaeomelanin', 'proposed model', 'snp 44 gene', 'nucb2 gene purportedly', 'abcg2 tyr581ser milk', 'cm 14 74', 'trait assessed 513', 'trait related backfat', 'dh high heritabilities', 'identify locus increase', 'marker tested useful', 'osteoporosis layer meat', 'variant track', 'weight dissected mll', 'layer individual age', 'consistency method using', 'bayes used identify', 'study extend spectrum', 'breed forced', 'performed using backcross', 'snp comprising novel', 'model multi', 'detected chromosome 90', 'massarray total 33', 'revealed association', 'qtl minimally', 'prrs virus strain', 'snp tex11 explained', 'correlated expression', '46 652', 'region including zinc', 'reproductive trait including', 'ip alkaline', 'visual assessment carcass', 'serum amyloid', 'model 40 compared', '05 largest', 'gene underlying economically', 'lsamp suggested play', 'gene influencing md', 'estimated single marker', '11 total saleable', '2007 2012 united', 't32742394c t32742468c', 'locus qtls 14', 'mean corpuscular haemoglobin', 'lcorl locus significantly', 'ai observed', 'region oar6', 'holstein grandsires', 'molecular mechanism swine', 'scurred male win', 'including qtl', 'motility score', 'chromosome chr linkage', '05 bw', 'suggestive qtl affecting', 'bpi gene', 'die clinical disease', 'negative bacteria', 'population related', 'rate record multiple', 'tbc1d24 directional association', 'rt respiration', 'size variance component', 'line provide unique', 'sample luteal', 'associated loin', 'egg count recorded', 'disequilibrium analysis identified', 'significant fraction', 'cattle previously developed', 'ovulation rate early', 'intake growth carcass', 'sequencing eps8 gpat4', '29 32 fold', 'acid milk fat', '698 bp', 'future study understand', 'casein gene evidence', 'estimate 29', 'extracellular integrin', '53 qtl exceeded', 'supported comparative mapping', 'cross qtl profile', 'study modest number', 'significant interaction detected', 'adolescence period', 'gene involved male', 'heterozygous distal gga5', 'rear view', 'sequencing discordant', '05 percentage', 'haplotype polymorphism closely', 'regression bayes method', 'ssc14 54', 'pig strategically remixed', 'basis adaptive evolution', 'measure large number', '117 south german', 'protein sequence f94l', 'qtl generally fixed', 'traitwise critical value', 'transcript long transcript', 'qtl percentage carcass', 'analysed daily gain', '1538 225g', 'independent influential', 'yield milk fat', 'breed known difference', 'pig small intestine', 'population joint analysis', 'trout total', 'ovinesnp50 beadchip performed', 'reduce time sexual', 'data lactation yield', 'time especially qtl', 'order unravel harmful', 'aim investigate candidate', 'process identified using', 'hypoxia inducible factor', '15 grandsires', 'tool improvement', 'locus 29 linkage', 'bvs model resulted', 'porcine embryonic', '483 snp', 'variant explain genetic', 'reliable polymerase chain', 'transporter sequence', 'population different position', 'cattle 761 zebu', 'rs419096188 rs415580501', 'content direct', 'phenotype followed', 'fatness af', 'breed like red', 'ld site', 'sequencing unaffected', 'better bone', 'transcription turn', 'snp window identified', 'half sib family', 'model constructed simultaneously', 'hock ocd', 'detected family', 'derived significant moderate', 'line new', 'desired trait', 'ovis aries chromosome', 'fatty acid content', 'identified 59', 'fbmd measured', 'marker detected qtl', 'number observed sow', 'increased teat number', 'sum severity score', 'body weight 35', 'trait chicken technique', 'rate qtl', '15 235', '35 significant snp', 'dimension growth rate', 'prolific ewe case', 'line maximum', 'difference homozygous genotype', 'shape offer', 'performed mineral content', 'weight testosterone', 'control qc 641', 'gene effect lyst', 'basis known total', 'larger population', 'recognition closely related', 'result indicated 2002c', '1255 snp', 'beef used reflect', 'fatty acid involved', 'model daughter design', '427 individual', 'worthwhile pursue fine', 'ssc2q lead advancement', 'welfare extremely', 'protected designation', '16 haplotype', 'method multibreed gwas', 'detected scs', 'trait qtl revealed', '05 average', 'responsible breed', 'snp ex11 1of', 'comparative candidate gene', 'founder distributed', 'calpain uac', 'gertrudis common', 'variation functional', 'respectively rt', 'response strongly', 'cattle commonly known', 'drawn regarding trait', 'genotype cc aa', 'black steer result', 'mbp candidate single', 'bacteria lipoteichoic acid', 'haplotype constructed distribution', 'level promising qtls', 'gene according', 'reported german holstein', 'test independence', 'mlnr med4 cab39l', 'genetics consortium', 'distribution 001 supported', 'region facilitate search', 'tail corrected', '251 kb upstream', 'sequencing experiment', 'index body', 'bird previously published', 'dj ca', '338 charollais lamb', 'subunit alpha', 'cell occurs prolonged', 'search evidence', 'pig chromosome pseudoautosomal', 'position associated', '1040t phe347ser exon', 'fat yield peak', 'genetic background result', 'response post', 'effect implementing marker', 'health sheep present', 'known cell related', 'mixed model fixed', 'superfamily negative', 'oleic acid general', 'validate association single', 'alteration physiology morphology', 'role genetic', 'reconstructed snp 3020a', 'ovinesnp50 chip', '10 snp eca9', '634 109', 'identified pt adjacent', 'puberty ovulation rate', 'porcine cmya1 closely', 'roh analysis identified', 'transcript long', 'identified 21 significant', 'growth curve', 'haemorrhagic diarrhoea significant', 'value measured', 'weight siw', 'interval mapping gridqtl', '36 432 655', 'adg 01 body', 'qtl muscle', 'significant shank gga3', 'family member highlighted', 'mastitis susceptibility particular', 'method total 101', 'association beef', 'direct interaction', 'cluster snp associated', 'ssc3 ssc17', 'eqtl participated wide', 'bull constructed bacterial', 'associated fatness comparison', 'higher mutant', 'experimental population loin', 'qtl danish', 'environment qtscore function', 'n229h altering binding', 'candidate gene second', 'afr recorded', 'gene displayed', '1326t potential', 'significant effect 0207', 'receptor substrate irs4', 'china snp card15', 'chicken cc', '05 afe bioinformatics', 'interval bm4621 csn3', 'locus pig teat', 'respectively differentially expressed', 'useful gene assisted', 'use allergen specific', 'declined decade japanese', 'heritability major', 'generally similar rfi', 'ng melted fat', 'associated snp bta', 'number egg produced', 'per2 pck1 display', 'risk gene cdkn2a', 'significance level obtained', 'end farm', 'intronic snp lep', 'german holstein grandsire', 'known increase incidence', 'qtl small effect', 'strongly related', 'infection prevalence', 'response test association', 'pedigreed rainbow trout', 'validation conclusion able', 'data cattle', 'cm 80 mb', 'fatty acid lactation', 'snp effect sequential', 'complex biological', 'hnf 4α gene', 'probability estimated chromosomal', 'homozygote western', 'performed 020 individual', 'pig obtained crossing', 'enzyme protein', 'linkage study using', 'type 80', 'disease result screen', 'weight early age', 'qtl detected jersey', 'shl diameter', 'cow country include', 'deduced potential', 'nucleotide polymorphism fn298674', 'lutea polymorphism', 'qtl result recent', 'map gene qtl', 'detect region bovine', 'worldwide pig production', 'qtlmap bco', 'depth lumbar vertebra', '135 cm', 'prioritize genotype phenotype', 'porcine il 91508173c', 'sliding window estimate', 'work carried', 'qtl submitted statistical', 'experiment trait', 'receptor ppar signaling', 'second scan', 'finding described', 'gene analysis', 'qualified qtl', 'incidence anal atresia', 'h1 gcga', 'study search genetic', 'affect milk production', 'data implicate novel', 'promising candidate variant', 'gene fat deposition', 'taurus chromosome bta', 'selection horse', 'testis site specificity', 'determined elisa', 'gene located outside', 'line cross analysis', 'involved sensory smell', 'belice sheep breed', 'snp significant cutoff', 'composition trait 12', 'ssc6 149876507', '422c marbling', 'tg high', 'lld mapping', 'entire white duroc', 'using permutation', 'variant precursor lg', 'quality bone quality', 'snp based', 'identified genotyped f2', 'frame morphology genotype', 'contrast bta', 'snp snp database', 'content skeletal muscle', '607 observation animal', 'rao resistant control', 'mongolia sheep identify', 'link function gene', 'homology human cmya1', 'suggest cd46 gene', 'hindquarter joint carcass', 'period 21', 'sire fertility selective', '777 962 snp', 'deviation dtd', 'abdominal fat tissue', 'showed distinct', 'flanking region csn1s1', 'phenotype result indicated', 'weight day 41', '486 hanwoo', 'favourable younger age', 'parasite resistance quantitative', 'containing 54 001', 'desiccation ham objective', 'result result showed', 'elovl7 scd thrsp', 'heifer data', 'index c18', 'genome obtained', 'haplotype 27 11', 'livestock aim', 'ryr affected', 'conferred greater susceptibility', 'mutation identified parental', 'force age', 'assessed single locus', 'prdm16 locus', 'romane sheep', 'partial correlation used', 'age yearling hip', 'identify promising', 'resistant cross exposed', 'composition fat', 'explained solely genetic', 'haplotype identified main', 'fat observed', 'balance paper polymorphism', 'hpa axis critical', 'screening experiment association', 'acid change', '183 informative', 'roh lr gwas', 'c16 identified', 'chromosomal region similar', 'region associated pfts', 'weight 20', '120 successfully', 'opn variant milk', 'detected ldl', 'candidate region overlapped', 'pig affect gonadotropic', 'genetic evaluation genome', 'landrace duroc snp', 'located conserved hect', '17 variance', 'cow average 159', 'chicken line puberty', 'wild progenitor chicken', 'number determined', 'defined ibd probability', 'analysis snp near', 'detected study able', 'snp used genotype', 'chromosome sequencing itih', 'genomic region contained', 'reference candidate', 'affecting level', '03 respectively', 'linkage 01', 'sample 60 animal', 'apart arpp21', 'included dressing percentage', '305 cow', 'chicken reproductive', 'aggression 1093 purebred', 'point onset', 'increased accuracy prediction', 'window identified teat', 'colour pigment', 'percentage weight milk', 'alter biogenesis mirnas', 'tef1 regulated', 'chromosome 16 70', 'gon4l associated autosomal', 'intercross f19', '14 effective reduction', 'fat development', 'chromosome effect type', 'dfi tunel', 'set randomly', 'complex relationship biological', 'bayesian treatment', '05 higher cn', 'region bovine alpha', 'regard animal welfare', 'determine infected', 'region associated cmi', '405 included', 'dominance effect qtl', 'holstein cross', 'differs meishan pietrain', 'trait directional', 'breed bayesian approach', 'mammalian phenotype database', 'effect rs14934924', 'protein angus sired', 'risk mating vs', '953 total 119', 'colour pi', 'set dna', 'gwass based comparison', 'qtl detected highly', 'exploited diagnose', 'detection far significant', 'marker coverage qtl', 'stature confirmed result', 'breed offer clear', 'false positive', 'affect tenderness total', 'differential response infection', 'variation imf content', 'ac abc dairy', 'mirnas highly', 'trait improving trait', '60 day', 'eye area precise', 'separated family', 'create putative gene', 'dependent insulinotropic polypeptide', 'north american holstein', 'dmi feed', 'malformation excluded', 'including association tg_x05380', 'known genotype variance', 'locus qtl meat', 'recently vaccination showing', 'sire chosen sire', 'ssc6 generation meishan', '104 concentration ch4', 'located btx identified', 'wide threshold significance', 'stage representing', 'model 40', 'percentage close', 'model report specific', 'gene probable location', 'expedite selection', 'trait 48', 'comparative mapping ibsp', '40 md susceptible', 'f2 broiler layer', 'probability estimated', 'harbored gene', 'cattle study', 'previously reported sheep', 'shank length qtl', 'region ovine', 'large number gene', 'total disease variation', 'capability domestic', 'growth fat meat', 'alpha subunit inhibitor', '108 microsatellite', '12 respectively significant', 'polymorphism associated dietary', 'difficult trait improve', 'season average', 'showing moderate large', 'age largest additive', 'lef1 dkk2', 'sib line', 'qtl bodyweight conformation', 'white swine', 'gene bta19 ccl3', 'pituitary gonadotrophic', 'pedigree 588', 'hmga2 genotyped', 'effect phka2', 'region analyzed association', 'remains economically', 'analysis enabling comparison', 'trait variance identified', 'lw liver', 'gene rxra explain', 'respectively ssc7 explained', 'cat 128h cac', 'variant frequent', 'gene bac end', 'specific difference observed', 'abw total', 'variant possible', 'breed strong polygenic', '29 qtl', 'c14 62', 'parity breed estimated', 'support white', 'function considerably improved', 'various pig resource', 'production reproduction concentration', 'csf classical', 'bilirubin bil creatinine', 'respectively positive qtl', 'new opportunity understand', 'population performed genome', 'performance reproduction health', 'score sc 192', 'diacylglycerol acyltransferase dgat1', '29 viral', '9mb bos taurus', 'cluster 10', 'evidence 78', 'ornament particularly female', 'ibk potential', 'industry uk worldwide', 'selection reduce excessive', 'disease high yielding', 'gene bioinformatics analysis', 'slow achieved pedigree', 'rflp respectively', 'phenylalanine isoleucine substitution', 'snp nominal 1x10', 'sheep breeding future', 'designed investigate', 'conducted multiple breed', 'nucleotide polymorphism intramuscular', 'weight trait', 'bta2 lrp1b', 'showed significant peak', 'syndrome remains', 'trait gga10', '69 10 28', 'sheep adaptability', 'snp trait', 'gene affecting complex', 'procedure implemented perform', 'relationship gene', 'product important protein', 'valid single', 'tolerance utt', 'lipolysis thermogenesis', 'increased number qtl', 'ability ewe', 'adg fi', 'associated disease resistance', 'associated height identify', 'total 28 protein', 'cbfb gpc6', 'sequence level genotype', 'triglyceride concentration mapped', 'association study 50', 'index pork conducted', 'line genetics genomic', 'expression trait incorporation', 'chain monte carlo', 'additive effect dominance', 'marker analysis', '19 genotyped association', '592 beef', 'separate population', 'composition trait mapped', 'ranged 44 limousin', 'snp 62e 10', 'gizzard haematocrit finding', 'examined abundant', 'foetal growth carcass', 'heritability susceptibility btb', 'non return', 'bwg ct cc', 'yield regression', 'result provides primary', 'vertebra pig considerable', 'sox9 myc proto', 'pathogen evolution', 'breed pony study', 'piglet mortality', 'fasn t1952a stearoyl', 'block mainly strong', 'chromosomal region tgfbr1', 'ppar signaling shown', 'in1 e5 e5', 'genotype reported previously', 'study investigate influence', 'ppard gene', 'shared multiple population', 'induced brsv', 'regulating expression gene', 'fat area ratio', 'codon glycine codon', 'produce similar', 'significant association microsatellite', 'associated altered expression', 'resistance determined', 'monoamine oxidase maoa', 'ca aa observed', 'functional information qtl', 'association region marbling', 'promoter showed', 'used selective genomic', 'estimate 47', 'f3 128', 'fasn acetyl coa', 'qtl fat', 'passed bonferroni corrected', 'transporter slc6a4 serotonin', 'used indication', 'number favorable allele', 'tsp 98', 'data analysed approach', 'sire family 47', 'using 3k', 'gwas pathway enrichment', 'window increase', '18 lm qtl', 'afe detected', 'fcr contribute marker', 'gene affecting body', 'phenotype control', 'gga4 locus', 'snp4 snp5 associated', 'coding sequence regulate', 'treatment record coded', 'sire le', 'gene 09 10', '5q14 15', 'following contortus', 'snp marker narrowed', 'exon 11 gamma', 'unaffected male', 'matrix produced using', 'phenotypic variance animal', 'region udder', 'nonsignificant effect', 'meat 018 contrast', 'estimate gain', 'rhm approach genome', 'compared female', 'end sheep', 'variation calpastatin likely', 'muscle fat obtained', 'genotype scored', 'identity descent', 'lung antibody mapped', 'specie contain polymorphism', 'biology key challenge', 'model bonferroni', 'evidence qtl segregating', 'g150r m259t respectively', 'stabilizing morphological trait', 'industry aggressive', 'imply unfavorable', 'major goal', 'region act determination', 'using posterior', 'slc39a7 gene identified', 'information multiple population', '05 regard', 'single nucleotide', 'subset allowed detection', '996 972', 'genetic parameter estimate', 'iqch candidate gene', 'large subunit', 'extreme trait', 'reliability analysis', 'gain cattle association', 'role mt involved', 'snp3 snp43 snp64', 'identify common genomic', 'parasite challenge identified', 'genotyping array quality', 'analysis ldla bayescπ', 'psychiatric neurological disorder', 'unknown aa substitution', '03 possibly', 'ovarian hypoplasia ovarian', 'phusm association observed', 'combined sire qtl', 'qtl exceeded threshold', '76 additive', 'big animal body', 'additional dna', 'resistance help', 'cross 216', 'austria italy pool', 'location 39', '860 chicken gushi', 'assisted selection effort', 'bta26 specific', 'lw meishan', 'major disease', 'management practice breeding', 'genotyping array includes', 'trait ovine chromosome', 'detected qtl epistatic', '93 cattle', 'detect polymorphism bmper', 'estimate pb', 'average higher af', 'adl0152 sqsl1', 'sal1 region chromosome', 'bull validated', 'pig genotype examined', 'underlie phenotypic', 'mb ssc8 showed', 'polymorphism snp fine', 'situated interval', 'infestation merino', 'genome determine', 'protein asn570lys', 'porcine lepr', 'response good', 'intron ghr', 'individual wild', '29k transcribed', '453 chinese', 'meat tenderness reported', 'age 155', 'explained 10 snp', 'trait resulted confirmation', 'ketosis available', 'marker analyzed', 'chromosome 13 22', 'using 183 microsatellites', 'site low', 'gene expressed late', 'production recently banned', 'local chicken', 'dual ray absorptiometry', 'generation haplotype obtained', 'occurrence death result', 'studied fatty acid', 'abdominal fatness conclusion', 'highest chicken', 'change transcription', 'susceptibility ovlv', 'association analysis total', 'body weight explained', 'cross steer snp', 'muscle development smn1', 'reproduction cause economic', 'qtl gga12 abdominal', 'regulate dlg1', 'fdr 05 chromosome', 'bovine muscle serve', '73 59 67', 'including vav2', 'performed identify marker', 'kit crim1', 'microsatellite allele', 'leading amino acid', 'interleukin proinflammatory chemokine', 'data consisted regressed', 'gene tagged', 'occurrence osteochondrosis', 'gin expulsion il', 'marbling increasing', 'typical flavour caused', 'highest genetic', 'inhibitor protein', 'ssc3 ph24 ssc17', 'polymorphism positional candidate', 'region teat udder', 'gene possibly', 'genomic technology provide', 'status carrier non', 'responsible osteochondrosis horse', '188 animal backcross', 'commercial value', 'adult phenotype', 'locus 278 cow', 'identified total 29', 'resistant scottish', 'trait exists', 'trait help understanding', 'ratio calculated 403', 'pce associated region', 'selection particularly', 'ktn1 associated', 'md avian herpes', 'approach revealed', 'myostatin gene makoei', 'partly genetically determined', '62 vrq vrq', '423t snp', 'variant investigated uw', 'igf2 in3', 'rate homozygous', 'cm variance component', 'independent commercial', 'heritability pd', '11 angularity', 'performed 40', 'heritability calculated', 'a868g carcass trait', 'erythroid trait pig', 'measured 206 boar', 'lesion bone growth', 'increased resistance gastrointestinal', 'nba identified', 'fine mapping resolution', '10 73 10', 'pedigree including hampshire', 'trait mainly observed', 'sheep reproduction research', 'phenotyped unrelated infanticide', 'analysis date indicated', 'haplotype h2 associated', 'marker half sibling', '226 informative', 'affecting performance', 'identify region', 'significant snp parameter', 'challenged chick', 'seven identify', '1e 03', 'protein psmc1 encoding', 'number born alive', 'candidate structural', 'trait half sib', 'window 20', 'unrelated pig', 'trait segregate', 'bvs result', 'brief description genomic', 'obtained 1310', '328 progeny produced', 'analysis result qinchuan', 'chicken measure density', 'region cl349415 significantly', 'resulting aspartic acid', 'support 10 14', 'program improvement reproductive', 'japanese black steer', 'production study used', 'qtl ham', 'body temperature', 'distributed 28 gallus', 'play role', 'targeted region soay', 'increasing prlr', 'lipid regulation growth', 'genotype mutation', 'variation bd sheep', 'synthase cbs', 'knowledge functional', 'muscle dimension', 'sequence imputation population', 'accounting phenotypic difference', 'effect ew', 'region exploited', 'effect modeled', 'opn involved', 'selection faster', 'mapped using', 'population related genome', 'association increased increasing', '062 dsn cow', 'exhibited strongest association', 'gga3 suggestive carcass', 'foot mouth disease', 'haplotype qtl', 'extracted 292 son', 'cattle observed qtl', 'divergent line', 'examination comprised', 'cc 05 result', 'disequilibrium assessed 708', 'trait influenced gene', 'detected summer', 'selection danish', 'oar1 average curvature', 'performed 938 phenotyped', 'ph variation finnish', 'control genotyped 700k', 'genetic biological', 'national herd total', 'small number bull', 'analysis revealed 38819398g', 'linked r2', 'ctu1 znf615', 'production performed using', 'experiment identified new', 'affected boar', 'disequilibrium regression', 'individual native chinese', 'transcribed snp', 'trait provides new', 'content 01 positive', 'qtl ovulation rate', 'dam qtl', 'expected cause', 'gcg agg showed', 'relevant annotated gene', 'ubl5 566g 57', 'pcr product', 'casp2 ripki', 'acc alanine', 'performed sheep population', 'protocol genotype', 'study search', 'candidate causal variant', 'gene different milk', 'founder breed opposite', 'obtained ensembl database', 'program select efficient', '47 fatty', 'texel sheep analysis', 'lamb carrying single', 'fe sensitivity', 'bacteriological examination', 'analysis snp detected', 'moderate variability', 'qtl missing heritability', 'tnp1 expression directly', 'mutation bco2 gene', 'vitamin stress infection', 'muscle depth located', '28 total', 'weight bfw', '107 card15 gene', 'mass different', 'cow demonstrated', 'group omega', '480 result confirmed', 'gene according linkage', 'large white female', 'lesion half', 'partly influenced genetic', 'trait reflect', 'intercross divergent', 'variation importance', 'btb 00246150 hapmap50366', 'new information genetic', 'process snp locus', 'result fec iga', 'scd rs80912566', '125 animal', 'expression bacterial', 'underpin development', 'increase test statistic', 'derived family', 'involuntary culling dairy', 'direct gestation', 'sparse especially swine', 'spef2 gene chromosome', 'uoi population', 'based ld', 'affected chicory', 'individual secondary', 'cv using imputed', '32386957a clearly', 'acid substitution phenylalanine', 'performed snp haplotype', 'remain poorly', 'health addition', 'snp parental', '23 28 showed', 'independent holstein cattle', 'body composition excretion', 'trappc11 pelo located', 'decrease dtd', 'genotype based 634', 'longer shank', 'nearby 25 gene', 'composition heterosis direct', 'protecting body pathogen', '17 kgf 40', 'detected chromosome 12', 'genomic location', 'male sheep linkage', 'data using ggp', 'c18 c18', 'regulate adipogenesis gluconeogenesis', 'compared unaffected', 'effect average backfat', 'nucleotide polymorphism regressed', 'regulation skeletal growth', 'week age growth', 'factor influence behavioral', 'il gene ass', 'reported connection', 'test plink', 'used qtl detection', 'regression model corrected', 'disease incidence recorded', 'distribution trait framework', 'muscle specific genetic', 'fatness measure highly', 'constant endpoint', 'genotype snp1 aa', 'cartilage develop osteochondrosis', '212 chinese', 'gestation ectopic expression', 'lgb1 lgb2', 'model performed', 'gene bovine', 'improving pork', 'ideal model', 'umnp1218 unlikely contain', 'differ f2', 'tissue genetic', 'exceeded experiment', 'displayed thinnest backfat', 'fat snf protein', 'approach new snp', 'genotyped 64 microsatellite', 'infection significantly enriched', 'ssc7 comparative sequencing', 'f4 f18 k99', '434 sutai', 'potential applicability', '3533t 615 539', 'expression independently confirmed', 'lamb pneumonic', 'composition dairy cow', 'region serum', 'utrs association', 'ywhaz krtcap3 tspear', 'qtl peak non', '16 cm family', '17 medium', 'observation differential association', 'analyzed dna sequencing', 'pde1b gene', 'varied animal', 'interval litter', 'medicine addition incorporation', 'using linkage based', 'farrowing record', 'thickness analyzed basis', 'genotype rs13997809 significantly', 'gilt farrow', 'carcass size', 'responsible ltn', 'porcine mbl2 gene', 'genotype 1728 fish', 'nlrc3 nlrp12 identified', 'genetic analysis 518', 'adult animal discussion', 'rs13905622 significant', 'dl similar', 'enssscg00000031548 associated', '0e 20 total', 'bf bf bf150', 'inbred line', 'encodes alpha chain', 'canchim ma', 'remained high', '1337 heifer genotyped', 'daughter recombinant qtl', 'sheep total 40', 'trait total weight', '16 41', 'performance trait serum', 'sire assigned group', 'cnv defined', 'percentage cow collected', 'area 19', 'data normalised box', 'potential marker assisted', 'worldwide caspase', '341 f2', 'example linked', 'genotyped candidate', 'cellular process', 'rfi1 rfi2 implying', 'linkage percentage carcass', 'flanking promoter region', 'record genomic knowhow', 'snp chicken growth', 'snp p2x3r fixed', 's100t showed', 'pre adjust', 'genomic region peak', 'oleic linoleic docosapentaenoic', 'region chromosome ssc3', 'spacing marker', 'ewe mated', 'raised different', 'trait model', 'development myostatin', 'association offspring mortality', 'junction speculate individual', 'multiple snp used', 'thi index exhibited', 'holstein family family', 'trait performed weighted', 'intensity pigment', 'bta4 snp', 'cell related gene', 'leg fat trait', 'type sire', 's0008 relative surrounding', 'point research aimed', 'showed landrace', 'variant gene cftr', 'performing line', 'basis bone strength', 'improving catfish', 'marker genotyped generation', 'approach identified', 'relative resistance nematode', 'reproductive trait bf', 'remains poorly understood', 'test generalized', 'control approach nineteen', '10 16 additional', 'passed bonferroni', 'gene conferring increased', 'weight lean', 'associated suis', 'present study investigated', 'increase detection', 'imf accretion', 'chromosome ssc3 ssc6', 'inducing maturation ovarian', '121 yorkshire population', '13 17 respectively', 'second outbreak pathway', 'causative genetic', 'ranging adjusted sd', 'data editing 41', 'calf sire beefbooster', 'chromosome mapped linkage', '176 suggestive', 'useful selection beef', 'cross large sized', 'thesis pig breed', 'revealed hap', 'contain 10 resource', 'qtl ssc12 15', 'snp spanning', 'significant association gene', 'small difference', 'based average', '18 04 qtl', 'f2 pig population', 'family trait chromosome', 'basis underlying milk', 'family family qtl', 'behavior analysis', 'high impact equine', '900 animal', 'seq significant', 'worm burden', 'maternal infanticide occurs', 'genome difficult', 'sire high', 'long driving force', 'spermatozoon motility motility', 'locus regression', 'age generation', 'bovinesnp50 beadchip genotype', 'genetic architecture fitness', '168 cm qtl', 'declined decade', 'level comb weight', 'respiratory syndrome virus', 'phenotype result demonstrate', 'closely linked gene', 'risk bone', 'biological network conclusion', 'endocrine regulation nervous', 'purebred landrace', 'poultry causing', 'gdf9 exon2', 'yield 50', 'cathepsin ctsk', 'polymorphism material', 'horn phenotype different', 'impact additional dna', 'genetic heritability plumage', 'genetic improvement enhanced', 'specie using', 'meat livestock', 'linkage disequilibrium historical', 'sire random', 'non carriers additional', 'lamb compared daughter', 'calf 12 sire', 'sire psap gene', 'demonstrated gel', 'snp 440t', 'braunvieh cattle progeny', 'interval 36 cm', 'mdv highly contagious', 'calf survival', 'undetected qtls', 'yn rt201', 'containing qtl', 'flavor beneficial nutritional', 'genetic variant ap', 'responsive luciferase', 'survival following natural', 'snp satisfying relaxed', 'parametric curve using', 'influenced average daily', 'locus moderate', 'favorable allele positive', 'segregating meishan pig', 'cattle different bco2', 'hol nordic', 'marker development', 'highly significantly 0001', 'disease stroke cancer', 'located coding gene', 'prkag2 transcript', 'phenotype relationship evaluated', 'bull scan', 'ago earless', 'ancestor german fleckvieh', 'intron remaining seven', 'cpg site potential', 'initiation factor 5a', 'related novo', 'variety clinical epidemiologic', '001 haeiii', 'genotyped medium density', 'leg weakness', 'disease severity', 'cross iowa', 'longevity lifetime productivity', 'chromosome sw322 sw607', 'function location', 'developing disease extreme', 'examined genotyped', 'qtl log', 'gwas 704', 'respectively investigated decr1', 'underlying variation', 'association 150', 'work relevant', 'prrsv challenge ultimately', '13 cm', '38 attributed snp', 'immune transfer respectively', '60 10 fcr', 'arg307gly substitution', 'expression bacterial infection', 'red yellow', 'normal gestation', 'small number major', 'p3 locus', 'snp rs41694646 located', 'zfyve26 identified', 'average snp', 'aim maximize', 'carcass trait undertaken', 'used effective marker', 'genetic variant using', 'normal sarcomeric structure', 'based different algorithm', 'qtl keyhole lymphet', 'jointly explained', 'expressed porcine skeletal', 'linked social', 'quality research required', 'current sample size', 'practical application', '019 ultrasound', 'detected linkage gwas', 'lineage non slick', 'contrasting haplotype effect', 'profit commercial pork', 'bmts mqts qinchuan', 'gg ag genotype', 'close previously identified', 'structure uk sheep', 'pressure growth fat', '200 locus autosome', 'phenotype iii', 'akt3 significantly larger', 'island association', 'litter european', 'data commercial', 'effect arrival genome', 'genetic architecture loin', 'respectively region 149', 'animal slaughtered near', 'frequency gene', 'comparison sequence data', 'testing computational', 'variation immune response', 'segregation qtl parental', 'genome assembly', '10 comparing qtl', 'meat spot', 'selected homozygosity', 'make 80', 'cross bos', 'ctsk selected candidate', 'rt 24 demonstrated', 'country desire', 'eca18 associated', 'observation qtl', 'significance 58 cm', 'term search result', 'analyzed genome', 'asthma human spi2', '27 qtl', 'order detect', 'mir206 mir133b', 'contribute expression em', 'hypothesis appropriate', 'point incorporation', 'etec fimbria adhere', 'cow training set', 'final analysis snp', 'receptor membrane', 'gelbvieh growth trait', 'programme aiming', 'analysis qtl heterozygosity', 'validated chromosome 12', 'based population consisting', 'analysis little', 'explaining 30', 'qtl 49 significant', 'value debvs trait', 'common pathway gene', 'genotype frequency fit', 'gwas bioinformatics', 'organism lacking', 'trait related innate', 'influencing complex trait', 'background occurrence', 'muscle tentative', 'specific primer sscp', 'recording production', 'xenotoxins endotoxin recently', 'mapped ssc3 baseline', 'ssc16 intramuscular', 'shadow correction', 'seven beef breed', '47 897 snp', 'mmra total', 'random regression model', 'match qtl', 'imi mammary gland', '10 17', 'affect growth carcass', 'gwas mir predicted', 'spermatozoon motility velocity', 'corresponding candidate', 'value trait', 'supplementary evidence', 'association sex chromosome', 'initiation inflammatory', 'respectively region', 'role birth weight', 'kb near stearoyl', '2059 sheep 67', 'qtl bta 13', 'ct demonstrated higher', 'expression hypothalamus', 'technique detect', 'association study 854', 'recessive white', '70 located chromosome', 'ncapg 1326t potential', 'region harbouring significant', 'total ventricle weight', 'backfat decr1', '32 bp deletion', 'selection kind', 'fat 08 association', 'variation explained major', 'genetic variation imf', 'ultrasound measurement carcass', 'ca balance investigated', 'variety iberian', 'panel marker rs110125325', 'position limousin', 'montagnes fm horse', 'compare haplotype high', 'trait toughness', '01 peak', 'trait included ph', 'snp fiber', 'potentially strong genetic', 'beard wattle size', 'ucr1 ucr2 pde4b2', 'prrsv free pig', '17 snp associated', 'hatching head carcass', 'κb p50 klf7', '44 gene showing', 'genomic region effect', 'lalba_g 242t predicted', '05 shank claw', '46 snp gga1', 'expression ugdh', 'different growth', 'gene effect milk', 'commercial angus population', 'notable involved', '69 102 metr', 'qtl lda step', 'qtl localized mapped', 'pspl3 exon capturing', 'affecting trait proportion', 'status contrasting', 'gene reported selected', 'drd1 gabra6', 'snp 38 commonly', 'iranian makoei sheep', 'european breed genetic', '22 chromosome', 'weight genetically', 'concentration boar', 'disequilibrium showed association', 'underlying milk mineral', 'phenotype qtl mapping', 'percentage statistical', 'growth onset', 'set 28', 'variation pork', 'fracture pig respectively', 'meg3 variation', 'snp located immune', 'trait 985', 'female animal snp', 'uw measurement 160', 'bta20 bta26 conclusion', 'qtl region fact', 'pathway regulating phagosome', 'experimental procedure consisted', 'gene linked potential', 'model tackling', 'alteration equine', 'initiator locus allele', 'respectively majority', 'taurus genome', 'purebred hanoverian warmblood', 'clue unravel molecular', 'population broadly contribute', 'performed estimated', 'measure skeletal frame', 'significance threshold 2e', 'mutation defect recent', 'trait gene polymorphism', '18 grand daughter', 'bta19 41 cm', 'differentiation energy lipid', 'chromosome 31 megabases', 'using 57k', 'gene biological process', 'carcass weight observed', 'mapped chromosomal', 'approach contrast', 'marker bms2508 chromosome', 'rate used phenotypic', '19 half', 'population studied genotype', 'basis study', 'msp analysis', 'genomic clone using', '24 week chromosome', '24 55', 'chromosome result provide', 'covered physical', 'map existing data', 'odour trained', 's0001 s0217 20', '26 44', 'associated fertility hcr1', 'outer ham', 'located ovine gene', 'method determined', 'qtlr tested', 'specific feature sex', 'frequent interaction', 'pig reproductive performance', 'composition seven qtls', 'explore possible association', 'snp rs81465339 rs81394585', 'weight approach', 'qtl region observed', 'result bovine', 'ssr thermal tolerance', '15 gene associated', 'milk yield population', 'ssc2 ssc3', 'slope length', 'biological process pathway', 'qtl indicated differing', 'c18 c18 c20', 'compression combined tenderness', 'awassi sheep flock', 'interestingly presence allele', 'narrow range essential', 'return rate used', 'identifying gene involved', 'population world', 'polymorphism lumbar number', '34 genome', 'ryanodine receptor', 'significant non return', '2e 12', 'gga3 gga4', 'isolated diarrheal pig', 'gender affect gpihbp1', 'loin muscularity tm', 'utilised genome scan', 'marker snp selected', 'cm associated', 'region analysed', 'weight improving egg', 'ideal model breed', 'response infection', 'camkmt trhde', 'phenotype propose mutation', 'referred 312a 446g', 'associated cognition', 'major role', 'desorption ionization', '525 progeny family', 'rasgrp1 lcorl mo', 'correct population stratification', 'marker spanning 29', 'chromosome implemented', 'vivo ssc10', 'ssc7 respectively', 'equine sarcoids genome', 'close ovine', 'increase disease resistance', 'monkey form', 'difference seen individual', 'influence reproductive biological', 'vaccine evaluated polymerase', 'gas blood', 'susceptibility mycobacterium paratuberculosis', 'dmi adg', 'determined permutation', 'identified lrp12 coding', 'imported norway', 'region additional', 'study strength analysing', 'qtl qtls likely', 'respectively conclusion study', 'disease resistance handful', 'ilsts030 26', 'conclusion result support', 'snp window explaining', 'american jurisdiction', 'model fitted', 'evolutionarily economically', 'current study evaluated', 'exhibiting large effect', 'explained heritability', 'understanding genetic background', 'senepol romosinuano', 'included lc effect', 'effect fat', 'mapping focus close', 'detected qtl identified', '108 finnsheep', 'apd aggressive', 'genotype 96', 'non slick ancestral', 'effect growth genetic', 'occurs sow defined', 'animal aa ac', 'cm objective study', 'intestine epithelial', 'tested hypothesis', 'different susceptibility phenotype', 'breed specific difference', 'resulted increase significance', 'non coding', 'previously mapped qtl', 'available total', 'length associated trait', 'mtpn hydin lrguk', 'chicken response se', 'chromosome estimated', 'early identification', 'age bwg fi', 'feather pecker active', 'variant cnvs susceptibility', 'earlobe used', 'carrying mutant', 'shown reliable', 'address question compared', 'oar3 oar4 oar11', 'trait mastitis resistance', 'improving fertility trait', '13 642', 'genotyped 151 microsatellite', 'snp 176', 'qtl increase understanding', 'value 0319', 'withers chest girth', 'higher concentration beta', 'associated decreased subcutaneous', 'cross report', 'bull dairy industry', 'gene promoter analysed', 'lod affected', 'regression used', 'meat weight skin', 'phosphorylation cast', '22 measurement', '05 16', 'count scc log', 'gene ssc2 associated', 'score sc maternal', 'undesirable consumer', 'yield identified', 'pleiotropy versus', 'work ovine', 'trait pig gwas', 'new analysis needed', 'pig f2 crossbred', 'map incorporating 152', 'showed remarkable', 'total 29 sire', 'unit allele', 'estimate dominance variance', 'swine increasingly', 'finding effective predictor', 'efficiency including residual', '44g 622c 770c', '30 61', 'lower fcr 05', 'identified wool trait', 'feed efficiency gga2', 'high concordance', 'marker bm8246', '146 snp associated', 'concentration fat concentration', 'frequency informativeness', 'ratio male phenotyped', 'collectively observation', 'multiple promising candidate', 'pattern allow', 'change primary infection', 'qtl region previous', 'public domain source', 'difficulty calf size', 'effect ists', 'gain percent', 'jersey population', 'carriers additional trait', 'composition 05', 'genotyped validation', 'largest effect qtl', 'novel microsatellites maml3', 'bta18 aim', 'condition current', 'irs4 involved', 'marker trait analysis', 'meat colour ph', 'allergen objective independent', 'wnt signaling pathway', 'chl additional', 'affected bta11', 'seasonality sheep scientist', 'fetlock ocd 42', '20 snp milk', 'embryo development', 'wide significant 499', 'increase total number', 'intramuscular fat combining', 'scan measure fat', 'expression observed backfat', 'level association', 'associated trait genome', 'morphological structure', 'virus fmdv', 'great potential use', 'depot pig level', 'methane ch4 emission', 'activity spp1 confirmed', 'mineral citrate', 'double backcross population', 'region harboured qtls', 'ornament particularly', 'trait specific concern', 'analysis identified significantly', 'minority breed comparison', 'tenderness qtl', 'connectedness cross led', 'ige level continuous', 'step methodology analysis', 'litter 12 dna', 'receptor play role', 'bta 14 milk', 'quality iberian pig', 'nellore cow', 'specific antibody level', 'count rbc red', 'significant association identified', 'virus persistent infection', 'intron porcine', 'gene underlying mcv', 'deserves explored', 'method rank snp', 'snp evolutionary conserved', 'anxa9 polymorphism', 'texel sheep present', 'breed previously', 'pathway hypothalamus', 'conformation fatness standard', 'se 056 003', '88 mbp bos', 'erhualian cross measured', 'genotyped 700k', 'landrace lr study', 'locus autosome', 'role regulating metabolism', 'disease incidence genome', 'cocaine amphetamine regulated', 'fat thickness lean', 'located upstream', 'basepair 34', 'define subtypes', 'prediction primal cut', 'considered static', 'recently relatively', 'ryr1 mutation consequence', 'characteristic decisive determinant', 'producing dairy cattle', 'phospholipid remodeling validated', '276 novel snp', 'expected present genome', 'chip genome wide', 'acidic protein', 'disease poultry causing', 'detected region oar3', 'consisting german holstein', 'linkage analysis abundance', 'loss capn1_rs81358667g casp3_rs319658214g', 'family yielded qtl', 'mrna abundance 01', 'conclusion causal background', 'parent partially', 'trait 246', 'cloned rt', 'density bone', 'produced using markov', 'improved qtl', 'liver weight', '24 locus sex', 'study performed gwas', 'tested using pcr', 'bw record used', 'influence selection mutation', 'steer homozygous major', 'qtl influencing fatty', 'locus implying', 'rfi2 fcr2', 'rate genomewide association', 'gamma associated', 'isu uoi population', 'biochemistry parameter', 'locus associated indicator', 'efficient growth broiler', 'correlated transcript enriched', 'pp used', '130 cm 42', 'total sperm ejaculate', 'trait potentially provide', 'complement lectin', 'association superovulation performance', 'lifetime daily', 'mainly coding', 'performed 192', 'prioritizing snp', 'cla vaccenic', 'accession number genbank', 'trait measured included', 'silent me1', 'manner unrelated chromosomal', 'frequency 118 effect', 'cattle animal ag', 'function result 50', 'recorded 825', 'week chromosome qtl', 'region strongest signal', 'identified resulting', 'rfi indicated significant', 'population favourable allele', 'form genetic', 'olkuska sheep population', 'genome identified seven', 'chromosome greatest lrt', 'established physical', 'sod2 observed suggestive', 'associated developmental', '11 prolificacy sow', 'previous report provide', 'domain gpihbp1', '12 13 23', 'canada showed trait', 'gebv based', 'significantly higher seasonal', 'weight body conformation', 'acid trait significant', 'effect maternally inherited', 'wide level epr', 'worldwide enhance', 'target bw', 'new method', 'comprising 11', '14 age', 'lap3 probable gene', 'snp rs42646708 significantly', 'orangutan 95', 'wssgwas polledness nelore', 'dorsi saturated fatty', 'week 27 36', 'chromosome 12 20', '248 sow high', 'additive qtl effect', 'columbia polypay rambouillet', 'corrected phenotype', 'observed sow', 'stop codon bovine', 'dgat1 tg', 'different chromosome', 'photoperiod stimulates reproductive', 'scaling adjustment', 'intron boundary', 'contain ucr1 ucr2', 'calving trait strong', 'detected cattle far', 'important contributor genetic', 'steer xia nan', 'marbling score day', 'step genomic blup', 'functional role suggestive', 'understanding metabolism', 'amino acids', 'krab domain', 'disease characterized progressive', '750 genotyped animal', 'coverage provided', 'boar taint accelerate', 'daily gain average', 'nucleotide snp', 'resistance pig', 'architecture pork', 'map high density', 'mechanism actively', '200 million year', 'ssc8 tumor', 'sharing best estimate', 'weight furthermore strong', 'certain extent genetic', 'bp stop code', 'genome scan conducted', 'carrier ewe segregation', 'low blup', 'constructed basis', 'channel catfish', 'associated increased litter', '12 lei0079', 'significance observed univariate', 'group covariates calf', 'qtl effect cryptic', 'additional snp', 'muscle outer ham', 'segregating large white', 'effect 047 unfavorable', 'chewiness resilience', 'trait candidate snp', 'indicates qtl', 'productive life somatic', 'cm ssc9', 'dna test advanced', 'gene late', 'colour cattle', 'conditional qtl', '39 gene', '0003700 nucleus', 'index indicating', 'study evaluate', 'wgcna analysis', 'loin ssc15 fat', 'prediction followed', 'rflp method detecting', 'muscle increase', 'affect overall carcass', 'skatole affected', 'tested association phenotype', 'tissue metabolic ratio', 'fat 05 liver', 'gga1 candidate region', 'md 967 hd', 'included average', 'selection control', 'grandparent line relaxed', 'rt pcr study', 'number born 05', 'pecking using 105', '856 527', 'gene 70 menorca', '14 additive', 'gain kg', 'onset sexual', 'distribution variation haplotypes', 'lg21 respectively', 'revealed separate', 'determined high', 'homology human', 'weight progeny', '150 180', 'bracket positioned qtl', 'rgs20 known', 'dra genotype significant', 'novel major region', 'association calving', 'diameter 300 ssc16', 'evidence balanced', '17 30', 'discovery rate nearly', 'landrace large', 'mortality feedlot', 'effect hyperpigmentation', 'cft set animal', 'economic importance livestock', 'showed tentative association', 'ssc14 harbour important', 'calculated thirteen single', 'genotypic frequency cattle', 'category based copy', 'site mir1 mir206', 'individual evaluated association', 'qtl linkage study', 'model controlling', 'respectively dgat1 ptpn1', 'ttn 233', '01 95 confidence', 'hoxd gene implicated', 'form postnatal mood', 'acid especially', 'snp database human', '1689 precocious non', '19 grandsires 672', 'new polymorphism qtl', 'time negative correlation', 'gene vicinity snp', 'detected centromeric', 'genotyped 1417 holstein', '08 76e 07', '962 snp', 'analysis putative quantitative', 'bovine chromosome analysis', 'chosen study', 'capturing vector transfecting', 'rfa semispinalis capitis', 'fracture believed genetic', 'association study performed', 'wise significance presence', 'possible qtl economically', 'exercise induced', 'cm kosambi', 'pig utmost', 'offspring comprised', '87 including yearling', 'mc4r backfat', 'respectively especially holstein', 'indel 48476943_48476946insggc', 'established crossing broiler', 'expression empirical significance', 'cattle various study', 'cow genotype rsnp', 'influence transcription', 'mutation promising', 'chromosome regions', 'recycle pregnant female', 'collinearity regression', 'ease piedmontese', 'signature experiment substantially', 'relationship taken', 'vca result', 'genome previously', 'partially reduced', 'related body weight', 'population ranged', 'additive dominance variance', 'pool 524 piglet', 'fetlock ocd', 'method powerful', 'cloning advanced', 'slaughtered carcass', 'scan duroc pietrain', 'communication investigate association', 'male parent', 'site elucidate', 'characterization laborious', 'blv proviral load', 'f2 animal hampshire', 'fillet quality attribute', 'genetic analysis pig', 'locus qtl adipocyte', 'broiler strain', 'reduce high', '411 holstein bull', 'location growth', 'important disease world', 'approach snp fit', 'oxygenation poor', 'longevity utilized', 'fat tissue neck', 'related skeletal', 'ebv region favorably', 'ibk characterized excessive', 'significant effect onset', 'ssc7 erhualian', 'production order reduce', 'low false', 'new qtl detected', 'gene genetic evaluation', '10 13 19', 'deviant haplotype', 'included diallelic', 'plin1 gene polymorphism', 'maturity cortical bone', 'sample 2189 cattle', 'rate correlated effect', 'genetic improvement economically', 'marker near pik3cb', 'point identification', 'selected represent wide', 'qtl region abdominal', 'rate embryonic survival', 'fertility body', 'potential provide information', 'cattle selection', 'respectively significant 129', 'gga8 gga9', 'ibk potential provide', 'egg production confirmed', 'little success addition', 'male lod 51', 'snp provides', 'cause aim', 'locus identified study', 'tierzucht rhode', 'rapid genetic', 'located locus ggaluga348521', 'snp 2449g located', 'stage mammal strict', 'ny blood sample', 'pure huiyang bearded', 'region tested association', '20 snp dominance', 'significant loss dairy', 'using gametic', 'pig included analysis', 'resistance trait eimeria', 'similarity animal explained', 'ranging 38 sd', 'snp 11 associated', 'total sfa', 'qtl 13', 'pathogenic bacteria causing', 'network phenotypic trait', 'genotype mtdfreml using', '05 threshold', 'water disease', 'high apparent prevalence', 'chromosome 20 strong', 'identify potential antagonistic', 'large number locus', 'significantly lower rt', '435g 447a snp', 'qtl contain', 'statistically significant quantitative', 'dr srb', 'subsequent application marker', 'weighed classified', 'array applied', 'controlled oligogenic inheritance', 'analysis 81', 'support oligogenic', 'trait associated improving', 'conformation score chicken', '205 cm', 'suggest potentially favorable', 'gene immune', 'lower test daily', 'peptide genetic component', 'primiparous montbéliarde cow', 'milk fa composition', 'analysis relative advantage', 'ets transcription factor', 'associated protein like', 'sc haplotype il', 'parasite indicator phenotype', 'fat thickness aft', 'validated occurred group', 'desired milk', 'v371m frequency differed', 'immunisation fdmv peptide', 'low marker density', 'ph 45 semimembranosus', 'ultimately physiology', 'mainly expressed', 'association analysis modified', 'related trait bta', 'association blood type', 'acid pufa respectively', 'channel catfish large', 'fatty acid using', 'trait detected using', 'genotype greater cc', 'sharp peak detected', 'factor associated', 'located common', 'data restricting causality', 'content higher stearic', '15 broiler fayoumi', 'known unknown sensing', 'intercross genome wide', 'flanking control marker', 'rate significant', 'paper use', '160bp apart', 'high correlation', 'deletion insertion despite', 'genotype 2379cc associated', 'color related trait', 'regarding meat', 'locus lean meat', 'gh crh gene', 'allele frequency estimated', 'knowledge location', '001 pvuii chi2', '92 average r2', '14 respectively study', 'display mrna employed', '24 genomic region', 'performed heritability', 'content imf hungarian', 'efficiency growth', 'poultry angiopoietin', 'susceptibility carcass', 'fine mapping analysis', 'introgression selection candidate', '192 artificial insemination', 'genotype data 80k', 'line troutlodge', 'factor quantile', 'tm qtl previously', 'scan 31', 'vaccenic fatty', 'diego ca quality', 'accuracy observed', 'attacking killing', 'cattle evaluated embryonic', '848 snp tested', 'osteochondrosis fetlock hock', 'reproductive respiratory syndrome', 'sib family selected', 'f41 analysis consistently', 'ignores important', 'strong correlation ketosis', 'factor recognition', 'structured exon intron', 'exhibited high snp', 'result screening porcine', 'bovine genome', 'nervous development cell', 'pig founder breed', 'production livestock', '81 45', 'supporting evaluation association', 'quality trait expression', 'bms764 drd4', '16 20 confirmed', 'mc4r proopiomelanocortin', 'method analyzing', 'performed subset prolific', 'il8 haplotype characterised', 'biological understanding', 'lysozyme concentration igg', 'thickness measurement', 'gene thought crucial', 'production twinning rate', 'snp 124 883a', 'contribution genetics temperament', 'definition infected cow', 'le intramuscular fat', 'shown decrease bmp15', 'program selecting', 'population female', 'trait measured ct', 'located cm', 'data suggest domestic', 'frequently reported', 'statistical relationship', 'association detected using', 'industry opposite snp', 'precise genetic', 'generated jersey', 'model assuming pleiotropic', 'map provided complete', 'additive genetic standard', 'bluish grey', 'genotyped 337', 'signal mirnas', 'targeted region imputed', 'fabp gene marker', '05 level respectively', 'respectively present study', 'genotype ab optimal', 'underlying genetic mechanism', 'area musculus longissimus', 'quality control imputation', 'bco bco gga11', 'expressed animal visual', 'health genetic predisposition', 'cm experiment', 'gene substitution', 'spot trait chicken', 'light research skin', 'ma effective', 'microsatellite marker regression', 'pig feed account', 'used detect qtl', '282 day qtl', 'confirm fine map', 'metaphyseal lod bmd', 'state 2015', 'multiple variation approximately', 'fabp mutation exon', 'remain elucidated', 'quality selection commercial', 'crossbred male', 'gene regulated factor', 'imf individual', 'interval mapping family', '87 96', 'map qtl understand', '23 associated reactivity', 'location generally', 'variant mt', 'demonstrate gene loc781182', 'exceeding suggestive threshold', '33 119 33', 'texel sire sire', 'predictive value', 'bbl analysis', 'animal le', 'specie worldwide understanding', 'disequilibrium region prevented', 'inherited maternally', 'marker residing', 'm3 model assuming', 'milk yield level', 'coping strategy suggestive', 'mammalian gnas domain', 'inflammatory response', 'animal respectively mixed', 'suggest distinct locus', 'approximately 80', '360 progeny', 'major candidate gene', 'architecture susceptibility', '029 ld', 'association 73 unique', 'la combined linkage', 'polymorphism pcr product', '78 43 opposite', 'estimated heritability suggests', 'resistance haemonchus', 'monocyte derived', 'assembly cholesterol', 'displayed genetic', 'recombination rate male', 'interaction analysis identified', 'greater significance', '26 growth carcass', 'identified tg ldl', 'qtl repeatedly detected', 'kg 05', 'analysed jointly', 'desaturase trait', '15 17 21', '0061 c56072547t 968t', 'fat content increase', '10 statistical analysis', 'parity respectively', 'specific mechanism regulating', 'significant signal', 'comparable change level', 'inositol polyphosphate phosphatase', 'prediction accuracy selected', 'candidate involvement', 'utr bovine', '42 59 phenotypic', '19 f0', 'cell dna construct', 'shown play role', 'trait subset', 'slaughtered measurement ifc', 'ssc17 statistical', '376 snp', 'gene ontology showed', 'affected calf morphology', 'used single', 'associated variation gene', 'better dna marker', 'plagl2 previously reported', 'trait provide theoretical', 'standard procedure collecting', 'melim strain', 'polymorphism panel total', 'explain resistance', 'effect dependent direction', 'coverage average', 'sequenced molecular', 'obtained progeny 590', '44 heritability', 'gene selected region', 'understanding constitutive', 'present study 19', 'higher cc genotype', 'study contribute', 'herd pietrain', 'trait chicken breed', 'hemoglobin red blood', 'recorded backfat thickness', 'polymorphism variation', 'qtl interval chromosome', 'são paulo', 'qtl cd4 cd8', 'used commercial line', 'susceptible leghorn line', 'resistance chicken', 'aspect meat', 'meat quality greater', 'trait performed mir206', 'characterized c3', 'control marek', 'insemination ai 56', 'colour trait', 'association production', 'studied causal gene', 'herd according birth', 'ld correlation', 'located milk', 'sequencing allowed', 'concern animal', 'immune response strongly', 'composition significant associated', 'used proposed', '29 cm fat', '45 sm hap3', 'locus comparison', 'response locus', 'selection resistant', 'high growth mutation', 'identification 39', '05 ac', 'respectively p4 locus', 'factor regulating', 'fo igf2', 'pga5 locus 10', 'block contiguous spanning', 'commercial population broiler', 'gene located previously', 'influencing trait largest', '678 polymorphism', 'isoleucine atc associated', 'ssc15 ssc17 single', 'diameter density', 'nucleoside diphosphate', 'effective sustainable nematode', 'weight respectively snp', 'collected lamb', 'status qtl analysis', 'snp change amino', 'estrus ebv', 'assay spanning', 'array snp', 'mapping implemented', 'ile442met locus', 'analysis multitrait', 'region observed palmitoleic', 'heifer 398 steer', 'model lm bayesian', 'animal human considerable', 'result presented represent', 'shearforce 10', '50 cm apart', 'snp density', 'strong correlation estimated', 'status genetics allergen', 'using medium high', 'using milk sample', 'previously reported transversion', 'ctsk gene', 'bd sheep result', 'genotype selected good', 'level male measured', 'phenotype fecx', 'reproductive role based', 'animal breed contain', 'welfare stockman', 'pig percentage', 'estimate posterior', 'affected stillbirth qtl', 'pneumonia recorded', '05 bms778', 'utilized identify gene', 'panel tenderness detected', 'map constructed', 'sheep detect qtl', 'feed greatest', 'chicken spot14alpha gene', 'gene represented snp', 'overall genome', '2325 polymorphism', 'rely marker linkage', 'enriched positional candidate', 'association 194 microsatellite', 'identified previous genome', 'associated apob', 'proof milk', 'birth weight predictor', 'region chromosome 16', 'chromosome associated ocd', 'influence skeletal muscle', 'single marker approach', 'uk sheep', 'overall novel', 'involved qtl', 'value assessment productivity', 'screening related', 'characterize variability', 'showed striking', 'detected 34', 'study using estimated', 'trait luxi lx', 'mapping la', 'future research identification', 'reported smaller', 'genetic material', 'maml3 snp', 'important economic trait', 'level qtls explained', '14 respectively dgat1', 'variant 42 58', 'marker distributed', 'contributes genetic', 'genotyped classified carrier', 'posterior anterior number', 'feather total', 'snp acsl4 gene', 'gene important trait', 'composition adipose', 'target mastitis', 'obesity index employ', 'virus suid herpesvirus', 'representing different genotype', 'effect birthing', 'population purpose 309', 'kg slaughtered carcass', 'good physiological', 'dcc netrin receptor', 'dd episode', 'trait genetic parameter', 'measured fat', 'service approach effective', 'investigated confirm qtl', 'breed bourges la', 'costliest disease dairy', 'gene il8ra chemokine', 'maintenance bone', 'protein cofactor', 'clearly demonstrated proposed', 'data fertility', 'cattle detected promising', 'increase prediction accuracy', 'previously associated clinical', 'population myogenic', 'predominant accounted', 'bull result selective', 'purpose considering growth', 'number skeletal', 'equivalent qtl live', 'incidence pathogen', 'year old 01', 'difficult expensive', 'typical feature previously', 'thickness intramuscular fat', 'diagnostic test detect', '200 lowest', 'btax ren', 'quality control genotype', 'function breed', 'function underpin', 'size snp2', 'ldla used', 'like smaller', 'cis acting difference', 'trait include breeding', 'teat hyperthelia', 'used 600k', 'genotyping sequencing gb', 'thickness goal', 'aimed ass influence', 'retinto torbiscal', 'increase heritability', 'generation analysis', 'provides primary platform', '14 bta 18', 'lipoprotein lipase lpl', 'interaction qtl', 'hindgut development', 'state art snp', 'imprinted mammal', 'rs109923480 gwas c14', 'status 1644 holstein', 'validated occurred', 'nucb2 expression', 'modelling epistasis analysis', 'approach significant', 'gene related phenotype', 'multiple birth increase', 'number interleukin', 'greater adoption precision', 'snp strongly affected', 'harbor qtl allelic', 'threshold determined false', 'robust interpretation', '98 control', 'ciart arntl2 per1', 'high hpa', 'microsatellite sw1953', 'resulting altered protein', 'polymorphism 15118664g', 'cell lymphoma spread', 'qtl strong', 'biased standard procedure', 'gene major effect', 'bull genetic', 'nematode haemonchus', 'throughput genotyping technology', 'analyse corresponding candidate', 'height maximum difference', 'located gene kitlg', 'han sheep showed', 'scc association study', 'trait canchim', 'develop implement square', 'developmental disease cause', 'breed evidence', 'egg weight 26', 'respectively using dominance', 'encompassing 01', 'model bayes heritabilities', 'autochthonous tunisian sheep', 'association bmt sequence', '90 excluded totaling', 'snp select', 'ebv fp used', 'polymorphism cacna2d1 gene', 'muscle development cell', 'significant snp comprising', 'multi marker', 'microsatellite s0008', 'bull high low', 'ultrasound lambing status', 'analysis gwas noriker', 'bioinformatics analysis including', 'changing milk fat', 'introgression program gene', 'association agreement gwas', 'general suitable', 'factor finding', 'identification id linear', 'testis commercial', 'constitutive hyperglycemia', 'used boost difference', 'cell score indicator', 'loin depth lo', 'acid composition fatty', 'milk gwas', 'marker design', 'large intestine', 'distributed autosome selected', '84 95 ci', '96 aflp band', 'cla included bivariate', 'commercial broiler study', 'snp 39692', 'postmortem time', 'gene exon', '10 nominal', 'estimate fitted animal', 'trait analyzed 137', '10718g 10893a statistical', '67 total mufa', 'analysis defined position', 'result useful resource', 'variable genome wide', 'center clay', 'fat1 composed', 'opn ppargc1a', 'value 05 favourable', 'offspring article novel', 'earlier study snp', 'marker effect identified', 'lp1 second lactation', 'drd1 showed higher', 'designed total single', 'minor allele', 'trait investigated amplifying', 'dairy cattle signal', 'f1 population 288', 'cow strongest association', 'modification ptm influence', 'substitution effect estimated', 'taste tenderness', 'tgfb1 selected', 'identify polymorphism affecting', 'concentration undesirable cholesterol', 'association relative', 'platelet trait', 'defined suggesting presence', 'morphology behavior', 'present new evidence', 'city yuxi city', 'fatty acid especially', 'chinese bos', 'analysis total 46', 'allow proposal precise', 'association analysis quality', 'gene sod1', 'lesion score pleurisy', 'chosen region', 'regulation somatic growth', '16 28 protein', 'categorical disease', 'selection bovine', 'suggested group', 'multiple testing considered', 'factor 12', 'faster pre', '70 f1 418', 'finding suggest edg1', '20 animal', 'produce naturally tender', 'result study clearly', 'different age growth', 'qtl model fat', 'yield dominance effect', 'diacylglycerol acyltransferase1', 'consisted 139', 'detect bovine gdf10', 'effect resides large', 'cholesterol triglyceride concentration', 'determine predictive', 'breed columbia', 'analysis 2323 2325', 'ssc7 beneficial', 'new method dramatically', 'rtn max', 'feed efficiency fe', 'ca analysis', 'linear model incorporating', 'model permutation', 'leghorn chicken dongxiang', 'animal lymphocyte subpopulation', 'mb significantly associated', 'carrying snp 44g', 'remained quality control', 'associated wool', 'used illumina ovinesnp50', 'lack concordance', '190 day ldl2', 'bovine milk important', 'mb 387', 'texture stearic', '29 autosome used', 'snp 356', 'mapping population 1599', 'predict analysis', 'region chromosome carcass', 'threshold corresponded 15', '690 public', 'complex subunit gene', 'bta18 close', 'assigning gene', 'reduce risk', 'length chromosome 24', '136 qtl', 'combination gwas result', 'trait index', 'gg yield normal', 'brain function sympathetic', 'snp rs55618716 st', 'come missing', 'autosome search association', 'snp 39692 77260', 'level family chromosome', 'induces nonsense mediated', 'scan performed 660', 'colour dilution', 'type sscx ra', 'h1 2449g 2379c', 'region frequency 16', 'day fat', 'fat selective', 'influence wool quality', 'environmental stimulus', 'identification quantitative', 'time multiple gene', 'model weighted single', '365 significant snp', 'cattle sheep', 'different location oc', 'compensation phenomenon generation', 'content lm', 'snp available used', 'fcr economically important', 'dominance effect 53', 'rate rr', 'cow cy milk', 'placenta additional genome', 'susceptible case', 'breeding industry map', 'population used marker', 'certain condition', 'ppargc1a mscc', 'using previously derived', 'maintenance carcass composition', 'map bovine genome', 'ligament contrast', 'locus corpus', 'qtl close kit', 'conducted congenital', 'difference significant 001', 'consists gene', 'hcr separate', 'gene gene action', 'leptin gene associated', 'physiology gene', 'showed balancing selection', 'pig breed helpful', 'nelore steer trait', 'population data', 'significance level kr', '20 additional', 'porcine chromosome activity', 'generation cross boar', 's0813 regression', 'segregating low', 'marker reported', 'pig line generation', 'qtl ear size', 'confirmed horse breed', 'porcine meat quality', 'individual using ovine', 'highest genetic variation', 'animal slaughtered', 'sufficient power', 'near igf2 region', 'bta3 cm furthermore', 'region develop apply', 'applied data suffolk', 'genotype mastitis incidence', 'se vaccination', 'located near 100', 'bta14 dgat1 gene', 'cause indirect', 'genotyping effective random', 'including microsatellites', 'understand akr1c', 'skatole ssc14', 'benefit improve', 'gdf9 point', '16 churra', 'analysis revealed causal', 'difficulty characterizing', 'binding site real', 'tsnax ita hsp90b1', 'regulated transcript', 'haplotype bmp7 associated', 'winter milk 581', 'development stage', 'present study evaluate', 'detected week', 'finding improve understanding', 'slick locus', 'unacceptably tainted proportion', 'vaccination time', 'candidate gene semen', '14 36', '05 information', 'analysis maternal infanticide', 'association proviral load', 'parent genotyped 3317', 'utr exon 21', 'nucleotide 48699', 'weight chicken mapped', 'entire coding region', 'major gene intensive', 'previously identified mouse', 'comprised 1337', 'threshold 001 exceeded', 'maturity egg production', 'day bw49', 'different trait considered', 'sample pedigreed', 'potentially contributing thermotolerance', 'mediating nematode', 'performed expression', 'factor analysis conducted', 'studied genotype', 'elisa status significant', 'age ww', 'trait 130', 'association 0058 detected', 'molecular ecology trait', '425 snp satisfying', 'expression suggesting cnv12', 'cast strong positional', 'deposit relevant', 'range water holding', 'region significant effect', 'set animal genotyped', 'sucla2 csrnp1', 'gga6 respectively genome', 'averaging procedure identified', 'female corticosterone level', 'daily gain identified', 'nominal evidence', 'power evaluate', 'individual family family', 'size variation', 'exceptional prolificacy finnsheep', 'map qtl candidate', 'intercross divergent breed', 'test analyzed snp', 'surface pathogen receptor', 'comprised 489', '18 25 0072', 'skatole investigated', 'specific allele', 'method handle complex', 'software available 8111', 'significant snp left', 'mixed model random', 'yield fy', 'cow identified normande', 'ph value 24', 'locus validation', 'infection scottish', 'inositol phosphate metabolism', 'porcine autosome ssc', 'potential utilization marker', 'generational pedigree structure', 'inform future', 'novel complete linked', 'abhd5 gene identified', 'polymorphism exon partial', 'represent mcp', 'genotype serum cholesterol', 'number meat production', 'underdeveloped weight showed', 'vast majority brazilian', 'scan f1 resource', 'mirna ensbtag00000037306 ensbtag00000040351', 'count 088', 'relative chromosomal location', 'effect qtls', 'understood performed', 'estimate pneumonic', 'effect mixture model', 'seven snp insertion', 'variance studied', 'muscle excluded conclusion', 'female produce', 'dilution phenotype resource', 'microsatellite linkage', 'marker bracket positioned', 'genotype association analysis', 'weight beef', 'py respectively', 'precision improve qtl', 'snp phenotype result', 'basis poultry', 'total sperm', 'sire common', 'analyzed tissue higher', 'considerable portion total', 'genotype rt', 'cosegregated grandsire family', 'qtl detection different', 'associated c14 c14', 'cystic ovary cyst', '812 holstein animal', 'level rna adrb2', 'represented 34 trait', 'different region', 'carried 80 microsatellite', 'repeated serum elisa', 'sc significant comparison', 'highly correlated total', 'bcwd resistance detected', 'percentage 15', 'step qtl detection', 'health productive trait', 'study investigated potentially', 'vrq result', 'associated bw49 05', 'oxygenase bco2 affect', 'joint data used', 'research skin', 'bos taurus indicus', 'function metabolic process', 'dam sire', 'trait control', 'carcass backfat 25', 'mb identified', '13 number', 'component analysis genome', 'functional candidate fatty', 'analysis performed obesity', 'fit fewer marker', 'sc mapped bovine', 'disease transmitted', 'lymphocyte lym polymorphonuclear', 'using radiation', 'fa danish', 'mdv resistance platform', 'approximately 12', 'region 80', 'value bl hip', 'gblup weighted', 'polygenic effect analysis', 'analyzed local', 'using squares regression', '114g evaluated', 'analysis conditional single', 'high negative effect', 'period lactating', 'pwg index relative', 'genome assembly udp', 'indicated snp marker', 'trait observed', 'albinism barring like', '18 significant 12', 'individual analyzed using', 'detected affecting fertility', 'animal resulting', 'beadchip initial analysis', '42 day', 'method screening following', 'phenotypic genotypic data', 'versus af qtl', 'higher juiciness haplotype', 'pp respectively sire', 'resource population 195', 'tt significant difference', 'experimental cross', 'program meat production', 'support association', 'porcine skip decreased', 'breed yorkshire landrace', 'gga1 marker gct0006', '24 significantly associated', 'tmem154 gene associated', 'established chosen region', 'immune response observed', 'improved ldla analysis', '23 explained', 'lesion anterior snp', 'porcine chori 242', 'response circumcincta', 'white egg layer', 'cow individual', 'tightly linked', 'snp level testosterone', 'parameter intron variant', 'region elovl6 gene', 'final backward', '05 compared wild', 'breed fixed', 'qtls pcgs', 'refining trait definition', 'quantile plot calculated', 'domestic breed korean', 'significant biological process', 'hindlimb score 05', 'trait bmcpc', '12 genome region', 'ankh encoding protein', 'haplotype il8', 'window group', 'ssc13 ssc1', 'girth cg', 'putative conditional qtl', 'finding provide understanding', 'respiratory pathogen multiple', 'population specific genetic', 'animal resistant exogenous', '285delttct bp deletion', 'identifying quantitative trait', '251 bp allele', 'region gwas', 'ph milk', 'including 357 sow', 'tested holstein friesian', 'limb genome', 'mass identified gga12', 'observed significant regression', 'ew different age', 'significant qtl affected', 'information 282', 'germany italy considered', 'activity gr vitro', 'animal study internal', 'total 110 case', 'lncrna gene expressed', 'variant located 29', '186 marker 16', 'microsatellites commercial duroc', 'length trait value', 'different lr', '867 steer', 'bcl abo', 'combination showed chromosome', 'mode inheritance texel', '590 single nucleotide', 'second generation', 'genetic variation calving', 'analysis based line', 'gene identified locus', 'parallel similar', 'using milk', 'documented negative regulator', 'percentage type', 'population iberian landrace', 'field station', 'gnas region', '940 prt 878', 'parity genetic', 'sheep 95 sumatran', 'study evaluated correlation', 'used aid marker', 'understanding genetic structure', 'putative causative mutation', 'production genome', 'data transformed', 'potentially causative snp', 'significant qtl muscle', 'binding target', 'difficult difficult', 'repress gene', 'week fitting growth', 'bw feed conversion', 'chromosome genome wide', 'combined linkage', '57k genomic snp', 'sf5 associated', 'reproductive characteristic livestock', 'genotype binary', 'indicates synthesis', 'ih cow fat', 'snp60 beadchip data', 'marbling score 05', 'cow inclusion', 'genome location', 'performance reproduction', '01 line', 'power imposing way', 'carrying diplotypes', 'suggested polymorphic site', 'showed p3', 'present result single', 'called meml', 'dasan breeding', 'meat type population', 'acid phenylalanine', 'sm phosphatidylcholine ether', 'horse genome assembly', 'family marker associated', 'genotyped single nucleotide', 'functional mutation identified', 'size sheep determined', 'inhibitor type', 'estimating genomic breeding', 'bta6 bta14 using', 'cft parameter', 'significant additional qtl', 'industry segregating', 'eca5 genotyping', 'including number stillborn', 'genotype birth', 'early later phase', 'asap1 identified', 'high snp region', 'mb including', 'gga4 151', 'biomarkers disease disease', 'composition muscle pig', 'south german coldblood', 'fatness carcass composition', 'ssc11 17 detected', 'sheep used', 'belonging 16', 'position overlapped', 'genetic difference associated', 'animal related trait', 'apoptosis process insulin', 'f2 sow white', 'biceps addition 16', 'furthermore regional genomic', 'fat thickness 01', 'cell volume distribution', 'rhogef domain', 'desirable trait', '3317 progeny', 'region analyzed sci', 'bayes method identified', '883 snp single', 'square analysis', 'associated serologically', 'microsatellites genome', 'snp explained 13', 'selection program involving', '690k catfish', 'intercross standard', 'result indicate probably', 'body weight analysis', 'lipid associated cardiovascular', 'analyzed polymorphic locus', 'genotyped sire caspase', 'effect c16 c16', 'effect fp association', '10329c predicted result', 'gene 15 microsatellite', 'investigate relationship gene', 'realised complex', 'block gga27', 'identified qtl model', 'reproductive trait used', 'holstein appreciable', 'density 20', '128_79 588 130delinsttatctctatagtagtt', 'ssc3 genotyped', 'traditional selection program', 'presented clear', 'map causal', 'regulatory gene affect', '15 chromosome qtl', 'cow used', 'high potential snp', 'crossbred nanyang', 'cattle cattle population', 'gga1 lei0079 mcw145', 'common trans', 'equilibrium genomic region', 'genetically simple', 'exposed daily heat', 'candidate gene help', 'gene encoding inositol', 'sire bos', 'associated non', 'gain important', 'dbwavg dfiadj trait', 'prim holstein nrr56', '2449g 2379t', 'study identification', 'microsatellites used', 'performed fitting additive', 'horse variant associated', 'study conclusion study', 'ssc1 ssc7 additive', 'performed 183 microsatellites', 'random factor', 'block separated block', 'period year count', 'protein alpha cebpa', 'mapped genomic region', 'animal aa', 'dgat1 polymorphism represented', '22 breed', 'chromosome multiple', 'common genetic influence', 'complement component', 'fetus furthermore', 'host resistance double', 'weight predictor', '05 lean meat', 'sq1 dq1 significant', 'association discrepancy asp298asn', 'mainly located bta', 'ifc 05 abt', 'failed confirm association', 'allele observed conclusion', 'duroc piétrain', 'prkag3 ssc15', 'industry term animal', 'associated utt', 'eggshell color chromosome', 'crossbreed respectively genotype', 'gene revealed serve', 'strand conformational pcr', 'carcass trait improving', 'pax3 expressed brain', 'random additive', 'highly phosphorylated', 'specific protein nesp55', 'marker region opn', 'challenge protozoan pathogen', 'trait identified aligning', 'weight 26', 'ip 1049', 'containing candidate gene', 'bourges la', 'opn secreted milk', 'value improving reproductive', 'mb additional qtl', '820 commercial female', 'cross diverse', 'category claw', 'composition candidate gene', 'female fertility danish', 'age significant', 'component qtl position', 'amplicons sequencing', 'multipoint analysis', 'region ssc4 hsa1', 'size number shape', 'follow distribution', '96 selected', 'control assay', 'applying squares mendelian', 'design used locate', 'score marker locus', 'unravel genomic background', 'ovulation rate', 'pl tested', 'different trait', 'genotype trait suggest', 'animal result significant', 'variance cmp', 'lean inra broiler', 'anova 25 highest', 'red pied cattle', 'hybrid pig', 'varied age', '40 allele', 'duration measured', 'identified qtl qtl', 'cleaves carotene retinoic', 'shear force 17', 'female fertility mapped', 'ucp3 gene chosen', 'trait associated snp', 'trait livestock stable', 'shamo indigenous', 'identified pleiotropic', 'relationship snp combined', '71 10 allele', 'fn424076 encompassing', 'aid selection resistance', 'allele important production', 'result qtl analysis', 'crossbred beef', 'bta23 sequence', 'serum biochemical index', 'cia trait', 'region scrapie', 'polymorphism pcr sscp', 'analysis revealed promoter', 'encoding thyroglobulin', 'feasible shear', 'breed showed moderate', 'selection index population', 'significant region chromosome', 'total 765 chinese', 'ascites resistant ascites', 'green legged', 'mouse demonstrates', 'meat proportion 16', 'altogether novel', 'fjording haflinger', 'following prrsv', 'random effect model', 'genotyped f2 population', 'hspg2 snp ssc6', 'difference 12 chicken', 'oncorhynchus mykiss recent', 'rate using', 'serpin peptidase', 'using marker', 'mechanism carcass growth', 'influenced percentage breast', '3020a 4500a associated', '132 haplotype window', '63 measured phenotype', 'loss salting included', 'reason disagreement', '19 coincided known', 'dgkb bos taurus', 'mortality role', 'affect feed', 'pigqtl database gene', 'determined individual', 'index marker chromosome', 'investigate contribution', 'gene conducted', 'cell tissue xenotoxins', 'allelic variant', 'conclusion bmp 15', 'identified gwas', 'shear measurement', 'sheep polymerase chain', 'sow example', 'line locus maybe', 'semen boar widely', 'genotyped 606', 'generation population backcross', 'located intron', 'closely related niemann', 'model additionally order', 'homozygotic genotype', 'snp27 highly associated', 'trait affected bta16', 'mutation varies', 'acaricide manage', 'angus ranged 18', 'pig 29 duroc', 'extent concordance', '13 associated milk', 'based method qtl', 'gw level significance', 'iga lamb', 'model 38', 'fn424076 g1829t associated', 'linkage analysis showed', 'notably qtl mcv', '29 snp associated', 'scan step', 'slc45a2 chromosome', 'rs313726543 rs80724063', 'fish 98 second', 'record multiple', 'control summary', 'population 53', 'important dairy', 'thought play role', 'lda common disease', 'chicken report focused', 'discovered ap unl', 'production residual', 'chromosome distal', 'option gensel version', 'polymorphism leptin gene', 'complex phenotype', 'growth carcass', 'gene information exploited', 'protein fat content', 'industry segregating population', 'position block', 'number tumor', 'symmetry minor', 'search qtl', 'associated entropion provide', 'affecting age', 'gene 20', 'calpain activity present', 'sow significant', 'correlation genome', 'quality dairy cattle', 'using unequal variance', 'hdl density lipoprotein', 'method significant snp', 'putative gene mutation', 'reduced somatic', 'impact bone', 'gene flow', 'sample size sufficient', 'mitigating effect', 'software result quality', 'adhesion phenotype etec', 'shown individual', 'analysis f12', 'polypay columbia', 'analysis animap', 'r2 statistic seven', 'result confirmed carcass', 'common genetic pattern', 'investigated using pcr', 'centimorgan ssc1', '46544883a genbank accession', 'defined consistent', 'prop1 h173r variant', 'domestication related', 'fat weight abdominal', '0038 allele negatively', 'result tailed χ2', 'ssc8 ssc14', '1049 alp', 'affecting calving trait', 'impact reproductive', 'developed based', 'cm close gene', 'receptor biding site', 'superfamily positive', 'qul ab bb', 'absence presence', 'confirmed ib', '17692c 17707c identified', 'detected substitution fn424076', 'leptin receptor lepr', 'gene recognized pre', 'composition based meishan', 'model result linkage', 'demonstrated differentially expressed', 'haploview gcta', 'detected experimental resource', 'rtn maximum', 'mrna fat central', 'described reinforce need', 'genes sequences mapped', '43 opposite', 'genomewide significant', 'likely position fat1', 'population sequence', 'animal health reducing', 'affect nve rib', 'est eggshell strength', 'included zinc', 'boar crossbred', 'riok2 lix1', 'validation accuracy ebv', 'association sc snp', 'vrindavani allele', 'indicus cattle moderately', 'australian cattle', 'based binomial', 'role metabolism lipid', 'characterise promoter region', 'achievement study examining', 'explain 44', 'genotyped illumina', '009 decreased', '42 day post', 'confirm previously proposed', 'white 353 progeny', 'ema gene', 'mortality grazing ruminant', 'trait notoriously difficult', 'software uni multiple', 'variety snp located', 'fi ag genotype', 'study commercial pig', 'ndv study popular', 'lm weight', 'feather chicken', 'lie region addition', 'loss year', 'disease data', 'breed examined', 'critical embryonic development', 'holstein fleckvieh population', '247 629', 'chosen hanoverian warmblood', 'existence non zero', 'individually result snp', 'effect exception', 'refseq gene rb1', 'indicating possible selection', 'lamb weight dissected', 'sheep meat production', 'ano2 fy observed', 'insig1 fam198b', 'chromosome involved', 'coding association mapping', 'need human nutrition', 'translational inhibition bmp5', 'dominance genetic effect', 'limited trait', 'literature support physiological', 'concept determined component', 'ewe resequencing', 'model mbv', 'negative genomic', 'tenderness index', 'trait specific', 'animal pedigree', 'population develop definitive', 'respectively olfactory gene', 'qtl experiment', '50 972', 'set validation prediction', 'tearing ulceration cornea', 'disease associated phenotype', 'snp array genomic', 'seq identified', 'zealand australia detect', 'gga4 gga12', 'composed 169', 'correlation age', 'consisted trial', 'confirming quantitative trait', 'calculated 403 f2', 'sampling sample sample', 'prolificacy great pig', 'identified midpoint marker', 'infection interdigital', 'mutation present study', 'estimate heritability trait', 'myog genotype', 'genome scan charolais', 'responsible polled', 'slaughtered carcass trait', 'th1 type immune', 'accretion studied confirm', 'influence quantitative variation', 'used construct', 'reason involuntary culling', 'composition investigate', 'primary sex character', 'splice acceptor', 'rt qpcr', 'flavor score', 'plin4 plin5', 'advanced intercross combination', 'breed gwas indicating', 'gene using', 'nascent lipoprotein', 'analysed fp', 'western australia', 'acid composition meta', 'greater concentration circulating', 'acaca crh cxcr1', 'asga0070634 value 10', 'ssc15 108', 'gene kitlg cadm2', 'frequency 17 pirm', 'diverse effect related', 'disease resistance newly', 'joined analysis', 'qtl afe chromosome', '62 classified', 'disequilibrium microsatellite', 'gene grin3a', 'production chicken', 'ocln pccb pmm2', 'rate fat', 'pig obesity', 'outbred population half', 'height maximum', 'negative association', 'additive similar', 'dependent quantitative trait', 'region effect untransformed', 'study gwas total', 'amenable improvement', 'acid intramuscular', 'qtl refining location', 'gene associated fatty', 'maternally inherited', 'region investigated genotyping', 'lean spectrum', 'lactate glucose', 'existence difference', 'filtering 29 376', 'contemporary group', '1959c present', 'significant 05 addition', 'transcript positive', 'visual characteristic allow', 'rhode island red', '12 snp snp', 'mutation significant effect', 'performed gushi anka', 'cross bird', 'dna sequence cnv', 'factor determining piebaldism', 'breed adjusted', 'locus responsible dilution', 'pgf gene', 'toxicosis livestock', 'snp rs13849241', 'ib population qtl', 'furthermore evidence', 'marker heritabilities highest', 'sow fertility', 'trait genetically simple', 'pro192leu coincident qtl', 'dyds udder', 'cattle estimated variance', 'genotype daily milk', 'evidence synteny', 'lameness bos', 'affecting eggshell quality', 'wwt ywt lma', 'localization qtl importance', 'response experimental', 'susceptibility recurrent airway', 'associated variant underlying', 'yield trait validated', 'location near', 'number quantitative trait', 'suggest study', 'quality located ssc2', 'mtmr2 dlg1', 'density bovine snp', 'pi4k2a got1', 'regulation basic material', 'second comprised', 'breed large', 'untransformed trait milk', 'reproductive process sequencing', 'mechanism affecting pigmentation', 'saa2 gene using', 'nanyang cattle notably', 'advantage classical breed', 'data 157', 'genechip bovine mapping', 'gender affect', 'live weight avlwt', 'smell insulin', 'nearly 39', 'complex showed increase', 'snp human fto', 'htt kcnh7 cdc42bpa', 'resolution 10 cm', 'american continent recent', '63 mb sck2', 'significant snp overlap', 'ma different association', 'regression analysis total', 'selected 103', '10 reproductive trait', 'consistent consensus map', 'gene affecting different', 'utr tnp1', 'white breed 15g', '80 weighted', 'bmw tmw', 'effect key', 'basis phenotypic', 'probability genotyped ancestor', 'systemic salmonellosis identified', 'riboflavin vitamin b2', 'observed interaction effect', 'evidence exclude silv', 'growth identified highly', 'feeder day', 'sheep livestock', 'haplotype construction evaluate', 'male toughness measurement', 'substitution fn424076 1829t', 'overlap confidence interval', 'large number daughter', 'chromosomal origin suggesting', 'scoring lung adhesion', '22 26 layer', 'pork result', 'evidence qtl', 'acting regulation conclusion', 'test day milk', 'permutation test 10', 'serum lung major', 'sheep scientific significance', 'breed using vitro', 'numerous significant snp', 'evaluated comparison mean', 'located genomic region', 'location chromosome 13', 'strain breed', 'acid fat deposit', 'pregnancy rate estrus', 'additive inheritance 31', 'result lay', 'study needed confirm', 'wide efficient', 'pasture population structure', 'resource population mycoplasma', 'genomic selection animal', 'kit gene equine', 'present study contain', 'size carcass physiological', 'indicated rs339939442', '29 021', 'produce offspring brahman', 'mb bta26', 'content imf marbling', 'fatness related function', 'fine map capn1', 'chicken genotyped snp', 'genotypic effect observed', 'line result provide', 'polymorphism snp intron', 'cause bone', '29 03', 'gga3 suggestive', 'deposition important economic', 'production subsequent genome', '14 grandsire family', 'acid potent form', 'effect identified hypothesis', 'associated driploss phult', 'obtained fat protein', 'position revealed', 'previously described', 'center meishan', 'trait prolificacy', 'chicken study laid', 'quality trait population', '49 88 cm', '226 hungarian', 'corpus lutea 01', 'record able trace', 'investigated 106 qinchuan', 'mode inheritance qtl', 'flavor likeness respectively', 'constructed inra', 'gene predicted gene', 'number polymorphism', 'mrna hypothalamus reduced', 'ssgwas bootstrap analysis', 'effect gene causing', 'approach network analysis', 'interacting host protein', 'snp selected', 'weight primal', 'showed tissue', 'involving total 515', 'cytoskeleton remodeling protein', 'organ pig body', 'ranch bvd pi', 'holstein appreciable fraction', 'level higher', 'relationship polymorphism pit', 'linked qtl reject', 'present data', 'polymorphism chip', 'positional cloning causative', 'represents qtl study', 'population rao affected', 'porcine ssc13 itih', 'association snp caspase', 'black cattle sequenced', 'set used', 'chromosome ssc2 ssc7', 'bone allocation onset', 'suggest presence 19', 'molecular background identified', 'trait epistatic effect', 'resulting intercross pietrain', 'broiler broiler cross', 'backfat previously detected', '10 000 permutation', 'antimicrobial poultry', 'arabian thoroughbred', 'beadchip italian', 'selection efficient growth', 'wdr83 overlapping', 'brazilian sheep breeder', 'acid lactation stage', 'ph somatic cell', 'dpi high throughput', 'trial pig negative', 'experimental population gilt', 'suggest anxa9', 'wise association', 'causality previously', 'tt transition predicted', 'mb ssc5 15', 'possibility assist', 'putative protein enlarged', 'ld helped refine', 'failed identify genotypic', '37 candidate gene', 'create panel', '60 animal', 'obtained piglet 334', 'eggshell quality pose', '200 shetland', 'faster mixture', 'chromosome rs81476910', 'kosambi ovine autosomal', 'area body conformation', 'trait model included', 'development large', 'using sample', 'seven snp detected', 'near dik4482', 'bovine rhesus', 'evidence discrete', 'model hsp90aa1', 'alternate breed', 'genetic variation summer', 'pecking victim', 'fraction integration', 'fec coccidia faecal', 'data identified novel', 'supported permutation', 'paratuberculosis caused mycobacterium', 'adjusted postweaning bw', 'parameter influenced', 'la ldla oar6', 'yorshire pig growth', 'making value', 'blotting finding inferred', 'professor soller', 'pde1b associated', '122 microsatellite', 'maternal anxa10', 'atp2b1 dual', 'ph1l pig micrornas', 'target genetic selection', '13 single nucleotide', 'used concern', 'weight snp select', '398 165bp', 'maternal half sib', '745 italian holstein', 'collected f2 female', '1878 bp', 'esr1 higher cab', 'gwas followed complementary', 'metr retp', '52 candidate gene', 'gws consistent', 'direct selection spawn', 'prediction model', 'productivity routinely measured', 'identify associated snp', 'affected tm', 'density snp', 'statistic proportion', 'contortus double', 'cd46 gene encodes', 'allele defining', 'reciprocal intercross chicken', 'major gene located', 'achieved different analysis', 'component feed efficiency', 'analyze 16', 'size direct', 'approach identified qtl', 'genome scanning', 'expressed resistant', 'accounted principal component', 'potential future', 'direct prospective', 'qtl detected growth', 'attain maturity', 'prediction model produced', 'ccr2 ass', 'region segregate', 'european asian market', 'gdf9 egg', 'set ranging', 'duroc meat result', 'effect identified haplotype', 'locus associated bone', 'sire genotyped candidate', 'variability remains', 'chip fish population', 'population total', 'diagnosed based', 'gwas represents important', 'variable calculation approximate', 'family qtls used', 'qtl bta29 confirmed', 'gene involved genetic', 'mapping confirmed', 'significantly associated thickness', 'dly way', 'coverage 2630 cm', 'gene tested standard', 'plausible functional', 'area thinner subcutaneous', 'qtl located centromeric', 'lm weight confirmed', 'resistance milk production', 'large white plw', 'fe costly', 'hap3 associated driploss', 'evidence additional', 'trait population allele', 'small value', 'mutation insulin', 'mechanism caused', 'association mapping performed', 'suggest polymorphism studied', 'intake dfi', 'female animal selected', 'family illumina bovinehd', 'evaluate power', 'demonstrated higher', 'european strain wur', '251 marker', '85 minor', 'qtl affecting seven', 'thighs mapped', 'fcr opposite 05', 'affected probability', 'snp meat quality', 'trotter hanoverian', '030 cnvrs compared', 'chromosome 11 variety', 'population encompassing white', 'analysis conducted identify', 'analysis carried analysis', 'discover causative variant', 'background double', 'gene haplotype affecting', 'ewfe 0389', 'peptidase 44 leukotriene', 'strategy reduce impact', 'trak1 loc101102529 cg', 'weight body length', 'protein protein interaction', 'ssc2 minolta', 'general scan', 'related population deeper', 'outbreak affected', 'significant issue', 'snp g4533815a', 'haplotype single marker', 'replicate fec related', 'seq experiment', 'snp quantified using', 'dorper breed', 'bite hypersensitivity ibh', 'health welfare production', 'slc37a1 alpl', 'missense mutation snp1', 'cross addition qtl', '14 qtl associated', 'ewe fertile', 'purebred sire seven', 'revealed 897', 'prediction carcass', 'prediction gblup', 'allele 80 09', 'aim confirming', '17 detected', 'breed cross qtl', 'association v371m ovulation', 'haplotype block', 'study new pig', 'acid change arginine', 'genotype onset puberty', 'value individual', 'intensity fitness', 'distinct locus', 'ppargc1a gene', 'population meishan pietrain', 'region 43 gene', 'pathogenic disease incidence', 'provide reliable detection', 'genotyped 36 single', 'significant linkage', 'simultaneously estimate', 'genotyped 689 1050', 'genotyping array univariate', 'animal duroc pietrain', 'located chromosome 20', 'layer wl', 'ssc17 total 65', 'day gwas revealed', 'analysis ssc2q indicates', 'score clinical', 'kinase domain containing', 'maldi tof objective', 'respectively lewontin', 'including total', 'deposition premium cut', 'imprinting effect identified', 'increased gr', 'tested breed 257', 'dominance effect 01', 'altogether genotype 13', 'greasy fleece weightand', 'identify functional variation', 'improved meat', 'abomasum small intestine', 'family total 21', 'product yield heterozygote', 'cattle human mouse', 'background limb', 'mogat1 echs1 stat1', '20 24 qtl', 'xqter respectively potential', 'deposition adjusted 0081', 'allele genotype', 'integral role', 'revealed chromosome wide', 'effort improve overall', 'hypothesis chromosome', 'day paper', 'locus qtl study', 'snp potentially available', '88 00', '204 bta mir', '254 cm lod', 'using family japanese', 'fundamental development', '1e 05 prioritization', 'test validated', 'www gridqtl', 'limk2 etv5 immune', 'increasing efficiency artificial', 'concentration strong', '18 selected previous', 'expression ugdh 68', 'trait locus 82', 'remained significant 05', 'software performed linkage', 'provided greater significance', 'human make good', '120 240 genome', 'different lei0258', 'desaturation index milk', 'cm putative', 'assisted selection trait', 'differential leucocyte count', 'ireland confirmed', 'proof causality', 'used trail pleasure', 'untransformed trait', 'bayes credibility', 'gene trait associated', 'based production low', 'morphs maintained', 'cross respectively', 'integrating single locus', '55 microsatellite marker', 'mapping analysis trait', 'origin roan coat', 'age conducted comprehensive', 'greater power', 'horse affected', 'pp 24 trait', 'equinesnp50 beadchip assay', 'significant 05 snp', 'count data', 'identified correspondence effect', 'category genome analysis', 'born number piglet', 'parity 36 region', 'result scan', 'specific fertility trait', 'cm 39 46', 'continued progress', 'imf ubl5', 'prrsv strain reverse', 'acid percentage great', 'marker additional marker', 'beta beta carotene', 'population limiting universal', 'holstein grandsire', 'snp similar', 'analyse causative', 'improve meat quality', 'explain variation divergent', 'color heme content', 'containing non smc', 'considered rsnps significant', 'complex trait', 'contribution minor allele', 'improve sexual precocity', '60 ssc14 54', 'affected horse', 'detected luh', 'substitution g93a identified', 'investigate meat quality', 'real imputed', 'range sd', 'transcription stat6', 'theory algorithm', 'snp fk506 binding', 'bull distributed 14', 'animal meat quality', 'family enabled linkage', 'analysis demonstrated located', 'hsp90 chaperone', '36 snp indel', 'candidate gene showed', 'lrt 13', 'month adg3 month', 'heart disease', '497 pb', 'case study current', 'hsa11 70 mb', 'ms wgblup improve', 'approach leading', 'study detect molecular', 'age addition', 'high number', 'phosphatase alp lactate', 'using step', 'regulator muscle development', 'bull belonging university', 'multiple growth carcass', 'locus qtl different', 'allele new data', 'study seven pcr', 'scan performed entire', 'cattle gradually', 'obvious genotype allele', 'phenotype qtl located', 'tail 10 threshold', 'associated analyzed', 'ssc7 60', 'trait genetic basis', 'adg 857 532', 'abdominal fat rate', 'key enzyme yolk', 'snp predicting', 'production carcass weight', 'trait variation obtained', 'snp exhibiting significant', 'value beef improvement', 'measurement related', 'recorded animal inra', 'difference incidence', 'respectively associated', 'scan subsequent gene', 'affect body', 'allele sequenced', 'snp weight', 'total 171 snp', 'tarantino approved artificial', 'csnps 10718g', 'identify additional genomic', 'imprinted locus', 'involved animal used', 'ssc17 chromosome previously', 'gene interestingly significant', 'h1 gcga suggests', 'monotocous small', 'substitution responsible', 'gwa analysis', 'percentage present 00', '180 amino acid', 'fn total fiber', 'qtl identified carcass', 'round candidate', 'fertility mastitis resistance', 'gene respectively pleiotropic', 'growth trait ujumqin', 'nematode resistance dominance', 'accounted fitting polygenic', 'localization ctsk porcine', 'intercross population genotyped', '16 19 21', 'detection regional', 'meat quality pedigree', 'significant association social', 'teladorsagia circumcincta haemonchus', 'pietrain meishan family', 'gene chromosome region', 'variation bovine', 'length meat', 'multiple pdz', 'underlying causative mutation', 'genetic marker significant', 'max 15 18', 'degradation structural', '13 chromosome associated', 'indigenous japanese', 'tri iodothyronine thyroxine', 'snp miga2 gene', 'gr 001', 'aimed genomic region', 'associated ear size', 'showed fixed', 'neutrality reduced', 'increased shoulder yield', 'dominant imprinting', 'initially 22', 'prolactin receptor prlr', 'associated phenotypic variation', 'carcass body', 'qtl identified linkage', 'illumina bovine snp50', 'produced le', 'total 835', 'gene displaying significant', 'locus qtl leucocyte', 'testis brain low', 'number tissue', 'test 10 trait', 'leptin increased', 'npas2 ciart arntl2', 'transition 20', '7q1 various', '30 g19 individual', 'gene b9d2', 'height dual', 'model allowed', 'occurrence supernumerary teat', '272 05 mb', 'highly associated fp', 'result suggesting', 'dff45 like', 'lactation lp1 second', 'measured individually', 'known cell', 'gene involved susceptibility', 'svm2 generally stronger', 'thuringian draft', 'breed chinese meishan', 'association study 16', '12 ssc2', 'pi bvd', 'technique sscp genomic', 'score average glycolytic', 'breed trait aim', 'genotype 98', 'recorded genomic best', 'phlpp1 highlighted', 'associated warner bratzler', 'age additional', 'different genetic group', 'pathway like', 'mapping exploit linkage', 'resistance moderately', 'showed pleiotropic effect', 'used global score', '20 fold', 'activity involved', 'genome knowledge gene', '002 snp value', 'placenta additional', 'igf2 mgll', 'veterinary practice knowledge', 'immune response piglet', 'pcr rflp technique', 'study single population', 'exporter world', 'fat pig', '17 analysis breed', 'process overrepresented', 'proposed explain variation', 'time polymerase chain', 'growth test', 'breed displayed obvious', 'proximal glutathione metabolism', 'warmblood family', 'sire 30 male', 'snp strong linkage', 'value linkage disequilibrium', 'layer period allow', 'important role early', 'visual characteristic', 'mammary epithelial cell', 'analysis indicated haplotype', 'component individual resistance', 'steer group', 'detected analysed', 'population 724 bird', 'loss maternal', 'different brown', 'pig polygenic', 'cattle applied', 'composition trait 167', 'dynamic method present', 'sow indicating polymorphism', 'skatole investigated respect', 'heterozygosity polymorphic information', 'snp milk production', 'analysis revealed 42895', 'structure cebpd gene', 'demonstrated located peak', 'study ram mountain', 'indel 2574_2576delgtc', 'association imputed sequence', 'total body hebraeum', 'total weight reproductive', 'german landrace population', 'birth downregulated postnatal', 'effect qtl mapped', 'texel population qtl', 'revealed sheep genotype', 'validation population', 'layer white leghorn', 'disease clinical', 'qtls trait marginal', 'factor belonging', 'pi 79', 'strongly suggests qtl', 'environment qtscore', 'bone mineralization mineral', 'impact direct', 'pigment specific dilution', 'affected selection', 'series analysis qtl', 'genotype data method', 'directly related', 'increased parity 01', 'different statistical approach', 'pfts predisposition located', 'threshold explained', 'differed significantly', 'immune index interleukin', 'size affecting number', '592 beef cattle', 'considering growth trajectory', 'genomic context', 'study facilitate', 'regulated paper', 'related pathway', 'lavc combined linkage', 'individually significant', 'polypay breed fst', 'associated ibk 05', 'bm4621 csn3', 'cell cycle oocyte', 'peak 110 cm', 'unveil performed', 'qtls commonly', 'produce taste sourness', 'overlapped reproduction', 'parental breed total', 'genotyping service', 'snp effect high', 'encoding 528', 'skipping affected', 'carcass composition impact', 'breed result indicate', 'medium chain saturated', 'location oc', 'activity gene result', 'factor shaping', 'clinical score occurrence', 'bft search', 'directly affecting', 'mapping 10k', 'poorly understood genome', 'map underlies important', 'ak3l1 ak3l2 selected', 'ssc13 bf 210', 'safety environmental health', 'gene underlying variation', 'identification mutation underling', 'support location qtl', 'showed mutation 526', 'frequency myog breed', 'hanwoo cattle', 'component combined minority', 'prkdc rgs20 known', 'sample synthetic', 'qtl transition', 'sequencing data seq', 'relevant defect pig', 'qtl successfully', 'population 695', 'including semen volume', 'genetic basis deposition', 'contribute identification', 'fertility longevity', 'set 148', 'indirectly involved genetic', 'mchr1 pparα slc5a1', 'spanning 34', 'chinese holstein taken', 'failure conceive puberty', 'eca 14 eca', 'value 10 399', 'fiber number 05', 'variant associated various', 'rate age puberty', 'trait ranging 41', 'affecting cm1', 'egg afe wfe', '120 124', '19 26 protein', 'opn location', 'estimate narrow heritabilities', '000 performance tested', 'atpase genetic polymorphism', 'associated animal', '12 result confirmed', 'scs sd controlled', 'affect clinical mastitis', 'summary resistance fowl', '392g associated', 'gizzard haematocrit strong', 'marker 510', 'presented general heritability', 'earlobe color especially', 'expression study', 'control feeding', 'genotype shown different', 'marker allele surrounding', 'qtl ph', 'potential causal', 'identify marker significant', 'thymus helper', 'week age evidence', 'chromosome wise', 'gene afe remained', 'score indicator', 'region vertnin vrtn', '1313 cattle', 'innovation high', 'particular trait', 'suggested angus cattle', '528 ss1388116558 reported', 'fecxgr number mutation', 'number born piglet', 'primary source', 'correlation mac cac', 'pig major quantitative', 'typically yellow', 'skeletal muscle longissimus', 'including grandparent', 'village chicken', 'loc102164072 bdnf nt', 'score phenotype mixed', 'shank length shank', 'bone density confirmed', 'protein composition confirmed', '288 revealed', 'response dairy cattle', 'length genome', 'suggesting mdv infection', 'tumor commercial white', 'valuable tool experimental', 'bovine chromosome bta4', 'meat rate', 'snp 14 36', '128 cm ssc10', 'qtl parasite resistance', 'member gli2 identified', 'enrichment gene', '160 age generation', 'influence major effect', 'production size weight', 'snp e2', 'fat weight fat', 'isolation box', 'cross chinese meishan', 'ovine chromosome oar2', 'map derived used', 'obtained use', 'variance gene mtpn', 'sheep reproduction', 'specific covariate', 'earlier published', 'improvement programme', 'indicate echs1 gene', 'basal metabolic rate', 'aa substitution causative', 'ability calculated', 'gene 13 18', 'located hox gene', 'majority significant', 'mutant individual', 'variance qtl included', 'secondary trait', 'adaptor nyap2 zinc', 'prp genotype', 'foundation identifying', 'gwas tenderness juiciness', 'qtl localisation', 'breeding objective cattle', '1000 conducted', 'cross ibmap identifying', 'expression conversely', '10607757 bp significantly', 'btb control existence', 'line qtl located', 'skin identify', 'time conclusion newly', 'cattle meat', 'network interacting locus', 'affecting economically', 'genotype aim', 'qtl associated posterior', 'chicken measure', 'importantly 15118683c 15118951g', 'length 867 mb', 'attractive complementary control', 'reactivity human relevant', 'week age body', 'marbling angus cattle', 'pif1 experimental f2', 'volume pcv', 'point post immunisation', 'result base continuous', 'condition body', 'signaling finding', 'affected animal mutation', 'variance miristic palmitoleic', 'include leg foot', 'nf2 fasn ewsr1', 'showed significant difference', 'qinchuan hucklebone width', 'using ovine snp', 'pasture whilst', 'number animal 234', 'variant underlying phenotype', 'meat percentage tt', 'possible negative', 'population explain', 'ndv antibody level', 'affecting biological', 'rflp pcr length', '988 snp retained', 'hcr1 19 tbrd', 'significant single', 'frequency maf 01', 'exception marker', 'pig notably', 'general immune capacity', 'alive lnba', 'mixed loin fit', 'ass snp', 'study detect quantitative', 'using imprh7000rad imnprh212000rad', 'gain post', 'cattle combined previously', 'level biologically associated', 'level low positional', 'region expressed reproductive', 'kg daily', 'respectively snp 62', 'κb p50', 'trait association allele', 'variability study', 'litter size biological', 'understand underlying genetics', 'substitute original', 'candidate explain qtl', 'sw1037 sw1953 18', 'pfts south america', 'approach half', 'kappa dgat1 ghr', 'gene experimental', 'genome scan linkage', 'array conducted genome', 'fatty acid profile', 'chromosome harbour quantitative', 'gdf5 involved', 'health status mammary', 'su 152 wld', 'evidence association 10', 'optimal combined genotype', 'genetic variation serum', 'model allele substitution', 'detectable simple', 'discovery new cnvs', 'fcr ssc', 'facilitates identification', 'contrast 78 significant', 'muscle tentative association', 'influence imf fatty', 'superovulation response basis', 'duroc derived', 'analysis classified gene', 'marker bm4208 inra084', '79 body conformation', 'result snp genotype', 'tissue varied', 'leydig cell testis', 'component methodology', 'polymorphism ryr1 prkag3', 'snp related susceptibility', 'studied population', 'cent peak 01', 'qtl interacts previous', 'genomic knowhow regarding', 'previously updated', 'rs42303720 significantly', 'ovary cyst using', 'snp identified chromosome', 'factor igf2 considered', '50 generation possible', 'association 012', 'appearance trait potentially', 'based average physical', 'homeobox lhfpl', 'neaurp used', 'population trait used', 'background genomic analysis', 'type diabetes economic', 'apc finding', 'related genes based', 'eye area pigmentation', 'content ph somatic', 'gga14 respectively qtl', '63 68 cm', 'gensel predict analysis', '14 contains', 'dorset polypay', 'efficiency genome', '38 snp belonging', 'rs42404006 rs42303720', 'selection nellore', 'relaxed threshold', 'substructure black white', 'landrace bb', 'rs80938898 rs80971725 ssc14', 'analysis performed 278', 'propose approach', 'animal myostatin mstn', 'mammal variation', 'sire heterozygous number', 'effect new significant', 'related gene trait', 'es regulating', '10 genotype', 'affected haem pigment', 'undergo puberty breeding', 'detected subtrait abortion', 'novo construction', 'ubl5 566g', 'ultrasonic backfat', 'identify genotypic association', 'fat tailed sheep', 'trait trajectory', 'significant association 05', 'monounsaturated 14 oleic', 'osteochondrotic lesion different', 'fleece weight shearing', 'manufacturing property known', 'bovine alpha', 'detection main', '28 480 animal', 'lei0071 located', 'lg bird', '21 19 36', 'polymorphism synonymous mutation', 'mapped region chromosome', 'sh3 domain', 'effect genotyped', 'total 315 genotyped', 'adjust animal', 'pair notable involved', 'study potential association', 'adjusted significant snp', 'chip used perform', 'ocln pccb', 'consistently associated host', 'trait partly common', 'combined effect snp07', 'phase complex trait', 'acsm5 crot fabp3', 'possible effect', 'profile determines', 'association detect', 'red breed respectively', 'analysis placed fto', '9924c untranslated region', 'consistent effect decreasing', 'complex associated', 'animal categorized prp', 'polr3h cox15 ih', 'qtl region tibia', '5mb bta6 bft', '14 19 fat', 'late production period', 'ldl 82 cm', 'analyzes host response', 'ii present', 'chicken line analyzed', 'production trait genome', 'information qtl region', '105 kg', 'snp associated reproductive', 'different degree', 'genetic variation numerous', 'haplotype showed association', 'total 132', '1370 8044 1956', 'weight detected chromosome', '12 13 significant', 'depth mid', 'microsatellites mean', 'related clinical', 'litter pig', 'livestock opportunity exist', 'study 562', 'production chromosome 14', 'including restoring', 'applied map', 'fcr dmi 12', 'allele determining', 'high line low', 'region understanding', 'gamete indicated haplotype', 'nudt7 member nudix', 'efficient cattle', 'gwas explore genetic', '192 individual analyzed', 'mt successfully', 'association bft hw', 'effect gwas model', 'tropical composite cattle', 'ensembl database', 'association analysis polygenic', 'beef cattle feed', 'effect churra population', 'strongly selected lean', 'bw measured wk', 'prolificacy sow', 'epistatic qtl pair', 'pdr5 protein', 'permutation total qtl', 'additional genetic', 'strong evidence mstn', 'qtl exhibited', 'map quantitative', 'assessed viral', 'skeletal muscle pig', 'protein yield 05', 'chromosome 10 26', 'linkage test whittemore', 'netrin receptor', 'region finding facilitate', 'spectrum produced', 'actual dmi', 'condition characterized disturbed', 'carcass trait population', 'pig based function', 'confirming candidate', 'nanyang xianan', 'evidence genetic component', 'interferon ifn il', 'padmscs investigate affect', 'research date', 'approach taken', 'line analysis', '000 cells ml', 'associated response', 'sheep breed single', '17 growth carcass', 'chromosome candidate gene', 'research farm', 'cholesterol ldl pig', 'c635t missense mutation', 'significant 01 chromosome', 'igf1 kdm5a', 'boscc eye', 'identified chinese', 'site 47 36', 'undertaken identify region', 'marbling ultrasound', 'important signalling', 'considerable phenotypic genotypic', 'snp accounted', 'compared meta assembly', 'bft average drip', 'immune trait measured', 'role patterning somite', 'respectively suggesting', 'genotype rare', '57 duroc', 'congenital malformation', 'uterus sample', 'gga 13 17', 'selection improve calving', 'association mainly', 'minpp1 lipj', 'suffolk 336 texel', 'including gonadotrophin', 'candidate gene mastitis', 'chromosome purpose study', 'parity 03 fifth', 'change heat', 'fat bf', 'study assessed', 'gene surrounding', 'tenella opening', 'significance level seven', 'bull novel previously', 'cattle feed greatest', 'acids elovl3', 'sheep investigated', 'ovlv lentiviral infection', 'gompertz parameter confirming', 'crossing pietrain sire', 'percentage cow genotype', 'recognition receptor', 'variation ibk', 'genotype sex interaction', 'porcine meat', 'accurate estimate', 'studied confirm', '20 selected', 'thickness benefit understanding', 'passing bonferroni', '365 adjusted yearling', 'tissue ga', 'jordan affected 12', 'gene contains genome', 'snp whc', 'snp marker linkage', 'qtl detected backfat', 'fertility trait conclusion', 'harbored gga3', '5746 holstein', 'pathological condition', 'effect data sampling', 'biochemical aspect thermoregulation', '17 19 26', 'il8 haplotype hf', 'diverged abdominal', 'lncrnas potentially functional', 'significant challenge', 'technique impact', 'muscle fibre property', 'trait measure identification', 'complex gene', 'tolerance grandprogeny', 'ctsd polymorphism', 'observed phenotype', 'potential selective sweep', 'result showed', 'metabolism protein', 'mutation screening', 'qtl suggestive', 'cattle total 461', 'new information qtls', 'mhc region', 'ny cattle population', 'shared qtl fat', 'http bovineqtl tamu', 'resistance result provide', 'gene litter size', 'qtl associated ssc2', 'additive maximal effect', 'count using', 'european pig used', 'plekha5 cby1 limk2', 'produce similar result', 'increase dmy 40', 'association ltn region', 'regulate appetite', 'age en', '18 rfi indicated', '13 allele', 'fat detected', 'gene parameter', '207 262 bp', 'synthesis metabolism total', '277 microsatellite', 'calf offspring', 'cattle behavior', 'ai industry identify', 'region responsible immune', 'confirming qtl region', '05 etec', '53 sd haem', 'individual tail sufficient', 'main cause economic', 'using illuminaporcine60k bead', 'variation gene surrounding', 'approached significant', 'qtl eggshell', 'cd83 responsible', 'segment help', 'population segregation qtl', 'ca estimating', 'located inside evolutionary', 'main qtl', 'gwas analysis animal', 'correlated transcript revealed', 'simulation study showed', '805g snp effect', '062 093 linear', 'count caecum', 'imf located chromosome', 'pietrain german large', 'heritable trait study', 'stage involve different', 'loss percentage significant', 'keyhole limpet', 'rhode island', 'pleuropneumonia increased incidence', 'respectively genetic variance', 'confirms leucocyte trait', 'array univariate', 'generation possible', 'investigate positional', 'vip receptor', 'pig 106 sire', 'common distinct genomic', 'skin thickness ssc4', 'illumina porcinesnp60 genotyping', 'growth development', 'grm1 pol mbd5', 'mammal diverse', 'coverage measured backfat', 'optimize management', 'pig showing', 'muscle compared', 'matrix individual computed', 'considerable nonsignificant', 'region subtraits retained', 'defense enteric pathogen', 'percentage level slope', 'backcross ibmap related', 'fat carcass', 'differentiation adipocytes gene', 'estimated based snp', 'extremely relevant efficient', 'genome scan f1', 'construct framework', 'analysis defined qtl', 'eca2 10 26', '10 juiciness', 'heritability estimate erhualian', 'result commercial breed', 'host genome', 'pathway ultimately', 'confidence interval making', 'map capn1', 'haplotype improved', 'marbling japanese black', 'spawn weight', 'disorder present', 'weinberg disequilibrium 01', 'associated lma bft', 'polymorphism resulted', 'qtl dairy', 'ireland united kingdom', 'background ketosis dairy', 'ebv somatic', 'micrornas class', 'identical descent sharing', '05 removal', 'combination trait', 'different assumed genetic', 'parturition recorded', 'probability trait total', 'substitution effect 269', 'glmm cbat', 'body weight identified', 'variation bodyweight gain', 'reported polymorphism located', '777k snp', 'ncapg chromosome associated', 'receptor type sry', 'multibreed analysis clearly', 'taste panel tenderness', 'shared hcr1', 'genabel using 46', 'design bull genotyped', 'cow sweden objective', 'chchd7 bta14', 'intron3 g3072a substitution', 'qtl region predicted', 'number embryo ne', 'trichuris faecal egg', 'wgs 2515', 'result confirmed emmax', 'lung gender', 'ldl concentration 190', 'average number lifetime', 'observed disease incidence', 'expression polymorphism possibly', 'genetic interaction evident', 'architecture salmonella', 'colocalize qtl providing', 'snp mc4r', 'study physiological', 'observed suggesting qtl', 'variation mineral content', 'regulation proliferation', 'area width', 'factor play important', 'development muscle', 'infectious disease relies', 'ssc2 ssc16', 'junken type', 'ld ssc4 104', 'implication prospective fine', 'pm imputed genome', 'human suitable', 'tick counted suggesting', 'desirable avoid', 'ucp2 gene complete', 'nil polymorphic', 'snp 25 candidate', 'consumer meat processing', 'callipyge locus analyzed', 'additionally 17 significant', 'close zero binary', 'examined f2 cross', 'detailed milk composition', 'investigate qtl', 'parameterized fit', 'confirm previous', 'painful lower', 'study investigate gc', 'cm apart', 'formation unique amino', 'located snp8 snp14', 'qtl breast', 'measure lameness', 'important consumer', 'marbling standard bm', 'yorkshire pig total', 'study demonstrated', 'precocity used', 'explore qtl', 'cm ssc6 spw', 'demographic event shaping', 'fiber trait 160', 'chromosome eca upstream', 'carcass trait purebred', 'value obtained', 'consequence missense deduced', 'polydactly phenotype mouse', 'trait expressing weight', 'known atrogin', 'tb phenotype', 'oocysts eimeria', 'pattern genetic', 'including bovinesnp50', 'gene locus determined', 'friesian 927', 'bird antibody titre', '05 n202', 'drum thigh percentage', 'heritabilities se direct', 'product quality changing', 'analysis slc35a3', 'outbred rainbow trout', 'underlying pleiotropic', '10 level', 'worm egg', 'selection region', 'showed effect', 'revealed genetic architecture', 'variation milk production', 'age identified marker', 'condition component responded', 'disease progression', 'ltn right rtn', 'population identify complex', 'respectively chromosme wide', 'luciferase reporter', 'investigated pleiotropy growth', 'status sire', 'pietrain extent founder', 's0283 pinpoint', 'exposure human polygenic', 'loss fiber type', 'qtl confirmed 442', 'subgroup 332 lamb', 'crossing genetically', 'stat1 sorbs1 nfkb2', 'tnb vartnb', 'development function', 'significant association meat', 'including qtl imprinting', 'gene bta14', 'assigned highly significant', 'mbl2 porcine mbl', 'facilitates identification rare', 'linkage qtl analysis', 'sire s1', 'varies breed moderately', 'decrease dtd curve', 'human animal used', 'hypothalamus duodenum', 'presence genome', 'approximately 190 commercial', 'site paired', 'animal breeding genetic', 'used estimate snp', 'pig total 26', 'allele negative effect', '55 significant', 'considered pl', 'reported temperament qtl', 'disequilibrium 01', 'based approach locus', 'ap transcription factor', 'achieve objective', 'single strand conformation', 'responsible gene characterized', 'provided good starting', 'sphingomyelin sm phosphatidylcholine', 'discordant result single', 'identify snp associated', 'monte carlo mcmc', 'slaughtered near target', 'revealed sixteen', 'usage hypothesized', 'chromosome rfi qtl', 'conducted parallel similar', 'entrepelado iberian variety', 'refined genomic', 'area curve', 'ssc11 c20 ssc17', 'schreb decreased feed', 'total 28', 'using pcr rflp', 'year egg layer', 'mapping variance component', 'confidence determine smaller', 'marker revealed 35', 'red qinchuan hucklebone', 'multibreed gwas larger', 'significant snp obtained', 'chicken mapped', 'acid c14', 'quality trait using', 'level subjected', 'nominal value 10', 'total variance imf', 'variance dataset', 'cation important', '45 phenotypic', 'ag genotype defined', 'challenge designated trait', 'individual fed', 'using genomic relationship', '60 90 120', 'selected population 1171', 'analysis using', 'known qtls', 'cow ability cheese', 'revealed distinct', 'lamb extreme', 'background defect number', 'gene loc781182 002', 'described earlier', 'weight weight carcass', 'effect genotype trait', 'result showed compared', 'exogenous acvr2a induced', 'effect considered', 'hoxd gene critical', 'disease pig represent', 'genetic variation trait', 'control feed', 'investigated 30 ram', 'selection study needed', 'trait markedly', 'incidence lda german', 'predictor performance', 'shown rt qpcr', 'included following lipid', 'used parentage testing', 'simultaneous selection', 'pleiotropic conformed', 'capacity uc', 'reached level suggestive', 'trait production level', 'resistance susceptible', 'mutation untranslated region', 'utilized reconstruct', 'significant locus', 'accumulation fluid', 'chr 20', 'concluded 11 distinct', 'epithelial bend', 'degree dairy', 'research included estimating', 'california classified', 'effect sl9', 'genetic basis fetal', '954 animal used', 'light research', 'gb used conduct', 'linoleic acid 18', 'estimated significant lod', 'weight esw yolk', 'population finland', 'interacting disk protein', 'dissecans ocd genome', 'percentage correlated', 'a80v significant', 'meat quality analysis', 'weight rvtv', 'dna variant coding', 'gestation length 13', 'region multivariate approach', '284 white plymouth', 'association analysis marker', 'population run6 genome', 'supported literature', 'sire gestation length', 'including marker', 'intron fkbp5 gene', 'qtl allele observed', 'insemination ai cnv', 'lactate lac', 'region bta20 55', 'trout line', 'trait unselected population', 'holstein cow test', 'region oar 12', 'genotypings performed', 'chromosomal family combination', 'ldla genome wide', 'close myod1 involved', 'energy status cell', 'german fleckvieh', 'observed conclusion', 'appears major qtl', 'polymorphism snp surpassed', 'calving service bta', 'fitted overall', 'loin ph', 'significantly associated spleen', 'economically important trait', 'color longissimus thoracis', 'trait calving ease', 'bred ram', 'qtl chromosome significant', 'vaccination challenge', 'snp70 beadchip performed', 'localized oar11 commercial', 'ebv 177 sow', 'represent important qtl', 'prrsv free environment', '3290c thr1097asp allele', 'applied granddaughter', 'trait pig founder', 'sheep completed', 'snp segregating', 'fkbp6 mutation', 'weight measured f2', 'focused exclusively gga1', 'imf longissmus', 'report multibreed', 'snp64 representing major', 'beadchip performed gwa', 'increasing carcass body', 'using illumina equine', 'quality high proportion', 'architecture sexual ornament', '000 animal dairy', 'putative snp marker', 'model twinning dichotomous', 'snp set total', 'infection antibiotic placed', 'protein yield', 'swiss jersey 64', 'suggest snp gdf5', 'hap3 05', 'test mendelian mode', '060 016 polymorphism', 'gene flanking', 'study prompted', 'total 515 bull', 'fat content trait', '16 landrace boar', '688 gene', 'data candidate gene', '05 respectively conclusion', '76 355', 'dominant qtl bodyweight', 'revealed heterozygous snp', 'quality product objective', 'populations genomewide', 'mutation litter size', 'proposed list', 'mammary specific', 'independent finally', 'linkage npl', 'using ct', 'cost prompt', 'blackheaded mutton deutsches', 'region chromosome selected', 'backfat chromosome', 'snp chip', 'reactivity human', 'far known influence', 'f2 pig carrying', 'round lambing identification', 'quality measured', 'area significantly influenced', 'category include', 'protein xirp2', 'complex longitudinal', 'qtl tibia weight', 'variance 91 12', 'acid trans vaccenic', 'map qtl economic', '447g allele', 'variation divergent adult', 'snp significant chromosome', 'qtl detected testicular', 'marker sw2409 sw839', 'pcr technique obtained', 'analysis interval sscs', 'mitf candidate', 'encephalopathy clinical mastitis', 'unaffected animal', 'hatched chick', 'snp flanking', 'present study 135', 'iowa state university', 'provide evidence effect', 'rate correction snp', 'affected shank length', 'strong statistical support', 'illumina usa', 'f2 population polymorphism', 'phu 05 incidence', 'cryptic allele study', 'sire calving', 'fraction qtl appears', 'substitution c1924t significant', 'beef breed snp', 'black beef cattle', 'suggest gc gene', 'regarding modification', 'po2 base', 'statistically significant association', 'marker disease resistance', 'enhances 18', 'record management raleigh', 'consequence led raised', 'using representative', 'duroc pig studied', 'yolk formation', 'weight milk', 'bta6 bta9', '05 animal set', 'proof adjustment', 'likelihood score', 'oestrous sheep significantly', 'expression level porcine', 'variance control fewer', 'early late', 'trait evaluation snp', 'nineteen qtlrs', 'weight measurement female', 'detected individual family', 'data included high', 'group complex', 'gene enrichment analysis', 'test previously', 'significance set 28', 'cmp trait able', 'primarily exclusively little', 'stratification analyzed', 'data 11 horse', 'association study 10', 'testing analysis conducted', 'limousin cross', 'detection livestock', 'chicken material', 'quality phenotype available', 'confirmed application', 'qtl distal', 'repeat strong', '251 253 259', '24 marker', '572 progeny', 'evidence effect disease', 'wg pwg', 'polymorphism linked quantitative', 'increase heritability 28', '114 iberian landrace', 'estimate additive genetic', 'beef cattle producer', 'contributes number', 'correction multiple comparison', 'nw conducted using', 'wagyu limousin breed', 'analysis confirms variation', 'detected snp snp', 'sire half', 'contained fkbp5 gene', 'pool constructed based', 'elucidate function anxa10', 'assessed finding suggests', 'mb galnt13 xin', 'search result public', '10 analysed data', 'deeper pedigree', 'family size', 'pair position using', 'related gene bola', 'set cft equation', 'gene deduced', 'analyzed chromosome', 'protein 49 65', 'animal model incorporating', 'number analysis using', 'excluded totaling', 'significant level addition', 'emmax approach combination', 'consists 212', 'correlated positively pc1', 'recent l1 insertion', 'pig breed world', 'lma performed 328', 'corrected value 057', 'greatly reproductive', 'chr locus synteny', 'qtl responsible 11', 'fertility growth discerned', 'family total', 'gene selected genotyped', 'signalling socs2 plexinc1', 'bb ab', 'level allergen specific', 'lesion type', 'dimension fat lm', 'overlap region identified', 'proposed polygenic inheritance', 'resistance gastro', 'qtl located major', 'qtl accomplish', 'gwas identified variant', 'reverse transcriptase quantitative', 'result identified 17', 'egg laying intensity', 'population qtl affecting', 'involved hair', 'significant association observed', 'attraction lymphocyte binding', 'lipid accretion suggestive', 'explained observed phenotypic', '20 cm interval', '19 27', 'furthermore significance', 'response mechanism', 'region 100', 'result important implication', 'status specificity qtl', 'total 770 000', 'linear model perform', '371 v371m', 'model genotype obtained', 'effect snp explained', 'gb used', 'intron acsl1', 'tbg genotype covariates', 'combining significant', 'defined combination', 'perform ssgwas', 'include leg', 'reached 105 kg', 'clinical chemical', 'tc e2', 'tt 93 ng', 'pig industry effect', 'mastitis production', 'suggest prkag2 mature', 'genetic variation lead', 'trait 719', 'probability quantitative', 'weaning estrus', 'contraction furthermore pathway', 'affecting bl', 'genome scan udder', 'parity gilt', 'rs137673193 significantly', 'steer bull exhibited', 'quality thesis pig', 'health economy mean', 'observed 928g', 'window region harbored', 'bull significant effect', 'replacement cost decade', 'related mastitis udder', 'gene relevant total', '10718g 10936g', 'expression imbalance', '20 10', 'signalling molecule considered', 'cloned homologous', 'network associated mastitis', 'selected feed', 'different transcript', 'grazing faecal sample', 'microsatellite marker arranged', 'scd thrsp gene', 'classified fat cover', 'mb addition single', 'tested dgat1 tg', 'factor belonging transforming', 'significantly 0001 associated', 'body length', 'deviation resulted', 'fabp4_μsat3237 qtl', 'evidence twinning rate', 'range foetal', 'family 191 genotyped', 'work trait related', 'qtl model multiple', '119 33 119', 'tumour formation', 'specie nematode', 'corrected phenotype somatic', 'screen exploited', 'syndrome virus', 'associated cwt 001', 'wise significant snp', '98 family', 'chromosome shown significantly', 'value 19', 'dairy cattle production', 'determination radiologic change', 'breed common genome', 'genetic variation locus', 'relating glycolytic potential', 'ass population difference', 'correlation body weight', 'association irf3', 'meishan data', 'location unadjusted analysis', 'identity mammalian abcg2', 'gene screened single', 'relatively recent', 'evident symptom', 'qtl effect reported', 'dairy dorset', 'quality trait 18', 'effect observed prkag3', 'hsd17b14 addition', '960 f2 progeny', 'seminiferous tubular diameter', 'primary immune response', 'process metabolic', 'genome trait fat', 'beadchip available 272', 'mixed model 12', 'despite relevance information', 'level 01', 'piedmontese angus', 'study functional', 'insight biology lp', 'marker pig chromosome', 'study validate', '3533t 3691g', 'data coli', 'beef age', 'reduction variance explained', 'itih snp itih', 'lascs scs', 'polymorphism neuroendocrine', 'scd snp rs41623887', 'jacob sheep', 'used genome association', 'greater marker', 'growth reproductive', 'mass egg production', 'defined ibd', 'fasn ankh explained', 'unsaturation index enriched', '3α hin1i mspi', 'study soay domestic', '10b wnt10b differentially', 'yield percentage composition', 'higher cab castrated', 'individual bonferroni corrected', 'wisconsin uw daughter', 'retn ryr1', 'lonrf1 uncovered', 'bovine chromosome 19', 'vitamin result', 'origin roan', 'md hd', 'enzyme involved fatty', 'direct calving trait', 'background heat stress', 'suggestive 05 qtl', '1018 bp', 'c10 lauric', 'microsatellite bm1500', 'population 743', 'adaptive immune taking', 'variant using genome', 'indicator region', 'igf2 gene detectable', '23 32', 'established marker', 'chromosome chest width', 'production trait cattle', 'generation snp', '239 warmblood', 'result strongly support', 'unless stated', '14 15 16', 'lamb carcass', 'finding independent population', 'gene genetic effect', '12 3020a', 'influence beta', 'sw322 sw607', 'obtained crossing shamo', 'based breeding', 'breeding program weighted', 'high throughput chip', 'extreme male', 'specific coagulase', 'trait dairy cattle', '442 met', 'cell score fat', 'dominance effect generally', 'mapping interval progeny', 'marker sperm', 'pp primarily', 'phosphate isomerase protein', 'sire commercial dam', 'involved fatty', 'beadchip immune', 'error probability 013', 'phenotyped shear', 'progeny qtl corresponding', 'evaluation project', 'quality genotype indicated', 'ggaz glm', 'inner root sheath', 'reveal polymorphism total', 'showed time qtl', 'swine chromosome ssc6', 'gene underlying growth', 'use higher density', 'wrinkle development', 'health burden addition', 'mortality face mdv', 'tibia 82 control', '24 association 18', 'feather pecking using', 'pde4b1 pde4b3 contain', 'cattle includes frequent', 'affected lp1', 'allow pork producer', 'binding site transcription', 'locus valuable', 'information identify haplotype', 'ease strong', 'muscularity improved', 'carotene dioxygenase', 'control design', 'selected model', 'associated higher growth', 'multi trait test', 'taking place', 'gga2 mapped', 'snp rs29018921', 'cm used chromosome', 'association term', 'genetic mechanism correlated', 'berkshire duroc breed', 'study significantly associated', 'carcass weight conformation', 'identify causative mutation', 'important tropical', 'carried firstly potential', '327c 562g 3112c', 'cd bl hw', 'construct milk dna', 'difference growth', 'determinant dairy cattle', 'abt 31 21', 'difference bos taurus', 'conclude 928g', 'identified ssc1 76', 'oxytocin signaling', '231 sire grandsire', 'marker used confirm', 'animal linkage analysis', 'associated specific milk', 'eu large', 'performance reduce time', 'affect gonadotropic', 'invading parasite conclusion', 'represents complete genome', 'tissue northeast agricultural', 'gain backfat', 'marking maximum likelihood', 'gr hypothalamus combined', 'effect male female', 'regulatory sequence major', 'refined analysis', 'living animal population', 'range phenotype result', 'adipocytokine il 1a', 'associated studied trait', 'substitution effect validation', 'selective sweep qtl', '01 fat', 'occurrence clinical', 'feed intake unexpected', 'using video', 'putative role demographic', 'involved growth', 'respectively accurate small', 'slco4c1 st8sia4 fam174a', 'red dr', 'girth regulatory region', 'public acceptance', 'developmental qtl chromosome', 'detected linkage', 'detected rt 24', 'level using specialized', 'fecl non carrier', 'optimum performance far', 'chromosome ssc3 01', 'total analyzed 39', 'affected paternal half', 'mineral essential', 'white sow', 'mrna level higher', 'sheep lead accurate', 'trait bmt animal', 'cpg island association', 'value btb susceptibility', 'pig sire base', 'summary previously', 'large number record', 'individual improved', 'exon 21 confirmed', 'related bw70 fcr', '12 corresponded', 'association total 52', 'underlying qtl2 slc9a3r1', 'signature study', 'function simulation', 'ovum polymorphism', 'model fat', 'porcine f2 crosses', '29 46 hanoverian', 'rib bft average', 'secondary effect resulting', 'change lactation', 'candidate snp enrichment', 'alternative disease', 'segregation additional qtl', 'affect tenderness commercial', 'property crossbred pig', 'study conducted genome', 'highly parallel bovinesnp50', 'bull pool dna', '35 56', 'f2 population using', 'infrared spectrometry evidence', 'selective genomic scan', 'ssc7 significant', 'bta6 differing unambiguously', 'friesian jersey', 'present associated', 'backfat thickness bf', 'factor myf qtl', 'high incidence', 'measurement 350 male', 'reduced calf', 'considered deformed', 'aggressive peck', 'insertion analysed', 'principally focused', 'resource population derived', 'respectively result present', 'identified using', 'siw cm ssc4', 'acute thermal challenge', 'allele increased age', 'improvement program laboratory', 'test result bta', 'used set significance', 'confidence possible breed', 'showed striking variation', 'significant qtls eca2', 'ca binding', 'age bird measured', '3000 year ago', 'genetic correlation number', 'designing primer', 'social reproductive', 'increasing decrease dtd', 'regulating age', 'test model used', '74 snp detected', 'allele lp given', 'color parameter', 'muscle fiber trait', 'respectively snp affecting', 'pcr reaction', 'complete association', 'protein lactose yield', 'specific lysine residue', 'year australia host', 'increased mastitis', 'aflp band family', 'associated maternal stillbirth', 'gene bioinformatics', 'insight muscle mass', 'marker mapping', 'marker assisted', 'trans eqtl region', 'derived variant', 'population specific association', 'urine milk causing', 'associated rfi danish', 'respectively 21 significant', 'comb color 20', 'angus 176', 'epistatic interaction contributing', 'hatch adulthood', 'genetic architecture vertebral', 'composition trait', 'work facilitated', 'enabled enlarge', 'term related', 'genome difficult clearly', 'production industry', 'target mitigating effect', 'association analysis reveal', 'comparison wise error', 'animal threshold model', 'sow conclusion data', 'allow differentiation', 'ripk2 identify', 'observed difference ram', 'signifies presence underlying', 'chromosome 15 significant', 'metabolism qtl', 'underlying acop', '2015 breeding', 'unique f2', 'haplotype polymorphism apob', 'identification 58', '01 qtl ssc1', 'number genbank dq474064', 'weight birth month', 'gene associated different', 'chromosome qtls qtl', 'ucr2 pde4b2 contains', '510 awassi', 'region fixed', 'enriched reactome', 'mlc carcass', 'cell differentiation process', 'related muscularity', 'tuberculosis btb susceptibility', 'conclusion conclusion', 'making interpretation genome', 'sequencing result', '57 cm pig', 'memorial field', 'milk trait', 'largest effect proportion', 'bird active shackle', 'rs29021868 rs110061498', 'landrace herd', 'merino maternal', '10 14 18', 'region conclusion', 'pedigree individual', 'nervous sheep snp', 'genetic parameter female', 'diameter different', 'qtl marbling mar', 'colour pig predisposes', 'poultry production', 'ability approach fit', 'indicator trait', 'construction evaluate effect', 'trait nucleotide marker', 'milk gwas discover', 'outbred rainbow', 'skin fold', 'utility genomic', 'originates polish holstein', 'bta27 multitrait', 'distribution qtl position', 'rare variant', 'allele increase comb', 'spanned 24', 'chromosome 18 71', 'relationship matrix phenotype', 'weight 26 28', 'data combination', 'indicated slc45a2 chromosome', 'holstein cattle milk', 'farrowing reduced', 'g142a t12495c snp', 'mapped wk', '63 sixteen chromosome', 'vartnb located gene', '0e 07 additional', 'breadth 12', 'array genomically', 'showed trait heritable', 'new partial', 'encodes rate', 'swiss cow', 'snp variability tnb', 'number known gene', 'regulate process', 'significant value based', 'statistic position 26', 'hsa1 95', 'assumed eu pig', 'including arid1a', 'qtl analysis qtl', 'interval identified positional', 'approach regression', 'weight covariable univariate', 'autosome chromosome new', 'performed explore', '06 ew', 'intra mammary', 'furthermore significant snp', 'relevant ssc8', 'analysis log', 'depth 017', '14 significantly differentially', '17 18 explained', 'resistance map accurately', 'warrant genotyping', 'result refine mapped', 'myod family', 'association study collection', 'affect newly', 'period oar18 detected', 'riboflavin content', '01 padmscs', 'maasai breed developed', 'searched genome sequence', 'separate gene close', '10 sick cow', 'mutation ser15ile', 'china consumer', 'content 60', 'carried considering window', 'fasn peroxisome proliferator', 'related body height', 'revealed powerful target', '24 single nucleotide', 'order gene linked', 'infection instance study', 'rgs4 dbh maoa', 'indicated variance', 'mb chicken', 'riboflavin little known', '15 udder', 'apex2 gene', 'association snp vstm1', 'association analysis conducted', 'refine number position', 'ssc2 13', 'array seven', 'disorder ii', 'cattle breed', 'ontology interaction discussed', 'milk production healthy', 'development pathway', 'significant difference year', 'chemical residue tarnish', 'locus conclusion', 'identified displayed', 'taurus association growth', 'trait response', 'suspensory ligament contrast', 'genetic breeding', 'accuracy observed disease', 'greater parameterization', 'gland cause significant', 'ile442met ncapg protein', 'threshold qtl detection', 'genotypic probability computed', 'promotes inflammation induces', 'association a868g carcass', 'total 42 manchega', 'teat count enhance', 'varying size', 'buffalo encodes putative', 'underlying snp', 'help identify', 'compressed mixed', 'tsp direct', 'contained genetic variant', 'conclusion total 276', 'increase growth', 'provide preliminary evidence', 'aimed verify polymorphism', 'qtl ssc5 ssc8', 'future genome', 'interferon gamma', 'significant effect fatty', 'additional microsatellites chromosome', 'region gene sire', 'used genome sequence', 'gene known involvement', 'genomic resource present', 'colour evolution', 'erectness major', 'swine chromosome resequenced', 'ryanodin receptor ryr1', 'circumference quality', 'kg 115', '12 24', 'genome partitioning', 'mb genotyping', 'brsv specific', '50 cm', '860 chicken', 'test contribution microarray', '50k bovine bead', 'mapped eqtl potential', 'association contribution genetic', 'ram british commercial', 'making property', 'produced f1 family', 'showing nonzero', 'snp eca10 represent', 'profile important indicator', 'sheep goat susceptibility', 'thickness effect commonly', 'weight 01', 'hormone play important', 'color color score', 'set 400 berkshire', 'marker causative genetic', '58 member', 'tenthrib qtl', 'probability associated change', 'large validation', 'covariance regional genomic', 'based lactation stage', '25 phenotypic', 'strategy evoke', 'close osteopontin gene', 'confirmed snp haplotype', 'linked birth weight', 'comprised 260', 'list 536', 'qtl initially', 'measured identified 85', 'sd 018', 'selection growth induce', 'cheesemaking property enhance', 'line etiologic', 'little research date', 'orthopedics severity', 'genomic novo sequencing', 'growth immune response', 'hatchability ha', 'bone cartilage development', 'trait model survey', 'close promoted candidate', 'breeding value prediction', 'test time determine', 'used quality', 'morphogenesis effect', 'conductivity qtl', 'pig goal', 'primarily affected causative', 'normality dna', '279 transcript trait', 'familiar unfamiliar animal', 'different lei0258 allele', 'suggest fabp psmc1', 'mediates vertebrate hedgehog', 'offspring survival', 'region gene act', 'intake trait rarely', 'infer additional genetic', 'rare modern', 'accurately reveal interaction', 'minzhu sow period', 'mortality economic', 'result support possible', 'resulting copy wild', 'interaction let', 'qtl ssc8 consistent', 'early pregnancy', 'combined comb', 'bf bf', 'used pseudophenotypes', 'imf accretion independently', 'genome regression approach', 'growth discerned', 'strength genotype associated', 'included analysis linkage', 'milk production knowledge', 'cby1 limk2', 'fcr genotyped using', 'quality nutritive value', 'point significant', 'backcross pedigree previously', 'trait analyzed sa', 'long term individual', 'phenotypic variance addition', 'resistance newly identified', 'trait estimated compared', 'trait future breeding', '131 hd 1052', 'window additive genetic', 'expression performed using', 'suhuai sh', 'human mitochondrial', 'identification genomic', 'identified snp based', 'ubf qtl indicating', 'carried region growth', '22 qtl accounted', 'included faecal egg', 'reduce aggression', 'gwas end point', 'quality trait objective', 'wise level significant', 'genetic diagnostic marker', 'association particularly', 'relate association', 'worldwide considerable', 'substitution acylcoa', 'located confidence interval', 'conducted multiple', 'seventy snp trait', 'gene conclusion present', 'bta 22 sire', 'chromosome somatic', 'wrinkle uneven concave', 'st kilda uk', 'eca3 affect body', '01 immunocrit value', 'incorporated using single', 'accretion feed intake', 'backfat thickness bft1', 'damage response innate', 'secondary haemonchus contortus', 'variant concordant', 'decrease average', 'increase fecundity', 'polymorphism located undiscovered', 'element harness', 'observation demonstrate', 'segregating f41 adhesion', 'early later', '164a 928g', 'significantly affected probability', 'effect iga level', 'dominant result total', 'small notable', 'estimate 29 46', 'affect live', 'reactivity 20 generation', 'locus association snp', 'application commercial', 'fat imf minolta', 'herewith investigated genetic', 'line result qtl', 'reached highest multipoint', 'potentially amenable', 'sire serum', '45 day ssc6', 'region detected', 'phosphoribosyltransferase oligodendrocyte', 'pig husbandry breeding', 'respiratory disease infectious', '125 marker', 'far important', 'f2 hen cross', 'property crossbred', 'stress exposure physical', 'used realize genome', 'particular suggest gene', 'comparison quantitative', 'program lameness index', 'ssc13 84', 'bull bull station', 'mutation 200', 'morphs maintained face', 'unreplicated identify', 'sscx snp assigned', 'inra broiler line', 'ratio cd4 cd8', 'addition understanding', 'temperament study', '11 12 17', 'gwas component', 'qtl corresponding human', 'important role immune', 'controlling gin infection', 'described associated appetite', '115 marker genotyped', 'promoter acaca gene', 'variant located promoter', 'cattle important safety', '01 parity', 'explaining large fraction', 'important role control', 'excluded gene qtl', 'region intronic', 'polymorphism gene current', 'igf1 kdm5a gene', 'degenerative neural', 'different morphological', 'red 126', '22 61 49', 'analysis region yielded', 'dik5248 silv', 'usefulness modelling epistasis', 'variation fat', 'count mscc complex', 'influence single nucleotide', 'tnfrsf11a zcchc2 phlpp1', 'calf size adult', '17 02', 'ldl receptor present', 'qtl utilised marker', 'ssc14 encodes enzyme', 'genotype 2379cc', 'genotyped 34 microsatellite', 'day ungulate wild', 'future livestock', 'causal variant responsible', 'effect previously', 'nearby candidate', 'fold adult bull', 'assay liver', 'impairment certain', 'rs110527224 rs42766480', 'segregating purebred', '30 25', '126 876', 'using set', 'detection association', 'interval mapping method', 'concentration main mineral', 'identified provides evidence', 'promising region located', 'gene scd1', 'family bcwd selected', 'university wisconsin uw', 'autophagy critical step', 'process wish network', 'polymorphism snp nr6a1', 'selected fat deposition', '31 mb syntenic', 'count fec collected', 'ssc1 12 contained', 'individual lmh', 'trait population 123', 'associated congenital', '50 increase growth', 'klf family zinc', 'concentration snp rs109663724', 'difference actual', 'impact human health', 'disease cattle', 'interval 21', '12 fatty', 'trait estimate effect', 'promoter function', 'association bcdo2 9367', 'attributed scd gene', 'analysis pedigree difference', 'concentration 950 copies', 'sixteen putative qtl', '269 microsatellite', 'occurs horse livestock', 'gtf2ird1 utrn tmem138', 'boar taint undesirable', 'eye area pig', 'vrq susceptible', 'testing famt', '02 sire', 'adapted breed comprehensively', 'cd body slope', 'hg chicken meat', 'prolonged expression skip', 'detection 200 significant', 'group derived crossing', 'meishan breed large', 'score compared lw', 'public acceptance investigate', 'significant snp nearby', 'using separate', 'causing wider', 'gene emerging', 'variant underlie genetic', 'developing country use', '20 total qtl', 'gompertz parameter', 'secondary tertiary', 'variant help genetic', 'causing muscle', 'fabp 127 junmu', 'snp effect weighted', 'inositol polyphosphate', 'genotyped 600k', 'linkage prnp qtl', 'characterization qtls fact', 'multiple testing genomic', 'growth factor tgfβ', 'laminitis fgf12', 'landrace pig respectively', 'ssc12 mb', 'detected 600 cnv', 'pair provides', 'animal august', '149 89 mb', '55 rest genome', 'survivor control analyzed', 'limited expressed', 'development fat metabolism', 'solute carrier organic', 'effect trajectory characterized', 'hw qtl segregating', 'combination classified', 'method grammar', 'trait permutation', 'sequence identified 12', 'including chloride', 'site showed good', 'result allowed', 'fat yield uw', 'near myostatin gene', 'snp identified exon', 'trait genetically related', 'respectively qtl ph', 'weight ww daily', 'fprs detection', 'trait performed nanyang', 'inhibition myostatin', 'genomic region discussion', 'culture large', 'high low weight', 'snp created', 'subsequently 634 single', '672 son fa', 'background delineating', 'binding protein siva1', 'seven eighty snp', 'hwe 000001 pair', 'utrn tmem138 dpyd', 'alter protein product', 'composition located pig', 'high indexing', 'start site 1001t', 'inheritance soay', 'snp gene 14k', 'variant foxp1', 'intron fifth exon', 'respectively chromosome', 'character chromosome angularity', 'selection criterion pig', 'pigment inhibiting allele', 'addition method', 'chromosomal region attained', 'tag snp dna', 'value temperature', 'segment chicken chromosome', '058 001 chi2', 'lipid metabolism mammal', 'ovine mstn sequence', 'depends power', 'presence carcass', 'significant signal chromosome', 'using illumina 60', 'ease direct', 'mapping feed intake', '12 suggestive locus', '150 435a', 'occurrence osteochondrosis selected', 'region controlling tick', '0120 significant comparison', 'trait feather crested', 'regulation lascs', 'used 203 microsatellite', 'process endochondral ossification', 'genotyped initially', 'offer new', 'milk yield adjusted', 'study contribute identify', 'validate previously discovered', 'zn mg', 'trait protein fat', 'group approximately', 'porcine cast', 'qtl fat yield', 'ham capable', 'rfi located bta', 'test day somatic', 'estimate 35 large', 'result hepatic transcriptome', 'mdfi gnmt', 'footrot score molecular', 'analysis single snp', 'qtls meat', 'expression positional candidate', 'danish red family', 'bull trait', 'region prlr', 'assessed rao related', '28 window identified', 'snp corrected', 'narrowed cm resulting', 'spaced gga5 qtl', 'component restricted', 'includes transcription factor', 'respectively rt pcr', 'variation adg genotyping', 'category pigmented', 'phosphorus concentration polymorphism', 'amino acids cattle', 'position lm', 'extensively studied farm', 'higher risk', 'value 0e', '490 purebred', 'population approach identify', 'lightness redness', 'spanned cm', 'deregressed analysis', '216 hanoverian stallion', 'alteration physiology', '33 snp identified', '266 bp additionally', 'transcription factor recognition', 'inbred line leghorn', 'snp included', 'microsatellite marker ssc', 'crossing breed commercial', 'cysteine glycine rich', '0013 remaining', 'detected cebpd', 'pic ranged 2768', 'regulated steroid', 'drd3 drd4 significantly', 'vertebra mammalian specie', 'multivariate analysis provided', 'haematological parameter measured', '93 bovine', 'calcium level', 'despite depth', 'ct bird', 'haem score qtl', 'economy growth differentiate', 'genomic dna 1362', 'structure certain animal', 'mass pig', 'gli2 identified', 'ssc3 13', 'blonde aquitaine', 'adaptation required egg', 'reduced association seen', 'pig addition', 'igf1 igf2 lep', 'fabp4 characterized associated', 'focusing chromosomal region', '071 004 286', 'significantly suggestively associated', 'overlap snp group', 'infanticide extreme', 'trait significant variability', '10718g 10893a', 'cattle snp 440t', 'muscle finding provide', 'lamb homozygous lepr', 'qtl explained 17', 'leg health longer', 'variation mammalian genome', 'distribution haplotype', 'breed propose', '44 mb', 'revealed significant snp', 'clearly suggest zbtb38', 'pleasure horse horse', 'significantly associated backfat', 'including body', 'result opposing', 'chromosomal region responsible', 'subsequent study', 'polymorphism 31 polymorphism', 'variance corresponding', 'chromosomewise genomewise', 'snp significant imprinting', 'cw chromosome', 'bta1 bta11', '01 decreased fp', 'weight qtls significant', 'metabolism mb', 'sustained release hormone', '1894 multiparous', 'characterise novel dna', 'disorder method applied', 'iib ssc14 relative', 'haemonchus contortus trichostrongylus', 'sample bw', 'different founder breed', 'order clearly identify', 'region interval snp8', 'biochemical process including', 'sc holstein cattle', 'account small', 'african cattle', 'depends pathogen factor', 'ggaz data', 'study identified', 'quality characteristic', 'ultimate ph muscle', 'virus peptide fmdv', 'presence significant quantitative', '001 single nucleotide', 'mspi polymorphism', 'disequilibrium breed haplotype', '26 28 sharp', 'expression sox', 'genetic architecture antibody', 'mouse cattle', '24 27', '38 unaffected', '43 accomplished 10', 'difficulty dcd maternal', 'showed hgd', 'coldspot 34', 'decr1 substitution 160g', 'explore effect', 'la performed', 'accounting 12', 'weight passive immune', 'qtl analysis infection', 'evaluated previously high', 'incorporating effect', 'addition applied proposed', 'sex intramuscular', 'different lr lw', 'additional source', 'qinchuan beef cattle', 'associated variation fatty', 'fabp4 mapped', 'diplotypes h3h7', '321c microsatellite bm1500', 'report suggestive', 'harboring known immunity', 'inside region identified', '996 972 phenotypic', 'variance respectively meishan', 'gene resulted', 'grade carcass', 'rest breed multitrait', 'chip total', 'forming binding', 'male female animal', 'ssc4 region 19', 'muscle specific promoter', 'assay indicated gh', 'production trait population', 'acid initial', 'conclusion pparg cebpa', 'ovlv control', 'size trait commercial', 'analysis genotypic', 'gene presence eqtl', '13 reached', 'gallus gallus location', 'german angus', 'slope equal', 'approach used result', 'phenotypically extreme chicken', 'weight chromosome', 'beadchip possible', 'economy growth', 'considered essential', 'tenth rib', 'enriched gwas', '012 genome wide', 'igf2 located conditioned', 'totally 83', '001 interbreed', 'pak prediction equation', 'used identify association', 'rps6ka2 figf', 'chromosome 24 locus', 'body weight feed', 'bovine gene', 'cbfa2t2 bta13', 'thickness loin mc', 'snp2 9924c untranslated', 'italian holstein italian', 'gene structured', '05 snp07 exhibited', 'position 55', 'located upstream lcorl', 'used evidence', 'compared unaffected calf', 'aa ab ac', 'production reduce carcass', 'score locus affecting', 'fra chinese', 'torsional strength test', '13 month', 'requires knowledge', 'feasibility using new', 'breed quantitative', 'human und', 'marker recombination occurred', 'qingyu pig subjected', 'main candidate', 'make animal resistant', 'locus tested departure', 'intron 20', 'significantly associated ocd', 'comparison dam suggest', 'gene dach1 located', 'observation qtl report', 'detected meishan cross', 'pulmonary disease asthma', 'analysis confirmed significant', 'virus mdv md', 'algorithm help complete', 'trait applying', 'gene increasing litter', 'identification common', 'fec necropsied', 'trait 105 snp', 'originate finnish landrace', 'trait result confirmed', 'quality trait future', 'detect 12 quantitative', 'cornea occur', 'second outbreak respectively', 'marker 18 snp', 'slaughter ultrasonic', 'content composition trait', 'known red meat', 'research screened', 'weight drumsticks', 'mdh1 snp ssc3', 'frequency pparγ', 'present commercial', 'intake efficiency', 'genetic variability trait', '60 mbp', 'thickness bft loin', 'resistance disease crossed', 'analysis milk fat', 'phenotypic trait including', 'increase cost meat', 'lfec0 lfec1', 'lald conducted accurately', 'examined positional', 'study recent', 'pathway includes rock', 'generate statistic', 'fourfold identified', 'life 11 cm', 'scenario single step', 'sequence based gwas', 'regulated development porcine', '119 33 cm', 'trait heterozygote diplotype', '27 cattle', 'arr allele analysis', 'constructed sire marker', 'proteolysis assessment', 'discovered linked gene', 'car detected', 'mapped swine', 'pspl3 exon', 'swine breeding', 'lamb responding gastrointestinal', 'ancestor used', 'polygenic control', 'duroc founder animal', 'estimated 123', 'genome furthermore utilized', 'snp lactation stage', 'single grandsire family', 'structure forecasting', 'similarity 73 member', 'sperm motility thawed', 'confidence interval qtl', 'selection strategy qtl', 'chromosome wide snp', 'md gene irg1', '93 96 myoglobin', '24 harbour qtl', 'recombination marker genotyped', 'biological pathway peroxisome', 'equine genetic', 'regarding chemical residue', 'proliferator activated', 'population soay sheep', 'sheep multiparous sheep', 'apoh pedf slco1b3', 'qinchuan cattle missense', 'rate homozygous lower', 'squared value identified', 'bone male high', 'functional domain', 'identified qtl positive', 'conclusion pparg', 'f2 population 000', 'threshold identified total', 'total unsaturated', 'association ultrasound marbling', 'qtl position bta04', 'acth stimulated', 'breed expression genome', '23 vertebra probably', 'reproduction trait', 'microrna mir', 'specific enzyme protein', '16 ultrasound', 'gene actually', 'hoxd cluster', 'qtl commercial pig', '61 transition', 'effect position', 'locus allow accurate', 'seven rainbow trout', 'snp mainly gene', 'internally comparing opposite', 'qtls detected qtl', 'increased prolificacy', 'identified frequency mutant', 'perform genome', 'provides starting', 'se 01 yw', 'shedding good', 'chip marker', 'pathogenic influenza', 'trait literature overlapping', 'starting point fine', 'ssc5 coq9 ssc6', '83 mb significant', 'pig extreme', 'suffolk lamb used', 'formation primarily affect', 'uni multiple qtl', 'gene fat1 qtl', 'pregnant non', 'located ssc5', 'successfully verified', 'equally distributed 29', 'thirds qtl', 'localized 200', '40 16 20', 'identified 688', 'sequencing ng data', 'ssc qtl', 'afe important production', 'pre requisite', 'cattle bos indicus', '696 animal 16', 'marker association using', 'intake unit gain', 'role embryo survival', 'mixed inheritance animal', 'screened genetic polymorphism', 'qtls backfat thickness', 'cm fine mapped', 'result microsatellite', 'practice beneficial', 'affected stallion', 'equation derived', 'combination 23 total', 'revealed strong phylogeographic', 'utt qtl', 'sperm parameter dfi', '532 genotyped', 'additionally bird', 'gwas regional heritability', 'obesity related disease', 'water ion soluble', 'confirmed nesfatin regulate', 'simultaneous dimensional search', 'force region', 'afe bioinformatics analysis', 'observed family', 'resistance trait', 'haplotype 13', 'non reactors', 'male reproductive trait', 'direction previously identified', '462 day egg', 'swine industry enabling', 'grandparent white duroc', 'pcr association', 'ability pta 1287', 'oxygenated series', 'showing genome', 'decrease false', '493 753 total', 'provides valuable', 'design using mixed', 'extent r2 linkage', 'carcass analysis suggest', 'c16 content', 'method nineteen', 'cm 129 cm', 'disease resistance improved', 'bone density', '51 mb region', 'locus qtl contain', '243 sweden uasms2', 'likelihood technique iii', 'breeding use', 'clinical mastitis lie', 'mb conclusion', 'reduce excessive fat', 'treated missing', 'content cp', 'size qtl acted', '44 672', 'reported meat quality', 'contributed observed', 'involvement cns', 'us_m ssc2 ssc3', 'qtls ssc10 ulceration', 'adipocyte fatty', 'variation numerous qtl', 'especially jinghai yellow', 'conclusion validated marker', 'locus low moderate', 'pig anal atresia', 'provided needed', 'effect allelic substitution', 'fetal growth carcass', 'identified ssc', 'boundary candidate gene', 'region positional candidate', 'pi bta2 marker', 'estimated result', 'adjacent known qtl', 'architecture female ornament', 'ebv single', 'leucocyte phenotype showed', 'animal health', 'used marker assisted', 'additional case control', 'included xuelong xl', 'study suggest significant', 'qtl heritable inverted', 'region domestic', 'growth process beef', 'selective neutrality reduced', 'regression method applied', 'mtpap mitochondrial', 'thawed sperm motility', 'bf shown', 'including grb14', 'c14 study demonstrated', 'multi locus association', 'allele association analysis', 'marbling recorded', 'mutation g489a asp224asn', 'response lp tnfα', 'associated ketosis', 'remained association analysis', 'form basis analysis', 'study shank length', 'variation cv', 'cattle selection animal', 'ghr gene', 'c18 rs320439526 implying', 'predicted herd', 'identified segregating', 'tissue following', 'influenced selection', '10 49 gga24', 'different rao', 'pla2g7 gene previously', 'analysis workshop', 'plag1 lyn wwox', 'heifer pregnant', 'trajectory 54', 'abomasal lymph', 'normal ahr cn', 'significant association rao', '14 25 region', 'prevalence 46', 'fleckvieh bta5', 'observed disease', 'fraction dyd variance', 'protein percentage italian', 'snp window explained', 'inverse number insemination', 'snp particular', 'associated reproduction population', 'incidence 18 human', 'solving direct', 'tibia trait', 'additive dominance dominance', 'content estimated sum', 'quality including ph', 'type allele greater', 'associated cortisol', 'bone length', 'csrnp1 park7 mff', 'plink performed', 'plumage black', 'weight pancreas weight', 'trait swine result', 'status dlk1', 'comparing allele frequency', 'body conformation index', 'underlie important quantitative', 'validate marker unrelated', 'mb centromeric previously', 'allele ay487830', 'erhualian pig highest', 'understanding resistance important', 'bmp15 play', 'wide association using', 'compared regressing rfi', 'contained 13', 'human mouse conclusion', 'information result', 'milk protein confirmed', 'multi trait model', 'scanning qtl', 'ssc6 position 60', '25 cm used', 'acid phenotypic', 'oc significant association', 'permit establishment genetic', 'contains positional candidate', 'genetics hematological trait', 'paper reduced faecal', '39 261 italian', 'imf detected', 'virus strain', 'interestingly chromosomal', 'including snp31', 'pig sscrofa10 obvious', 'growth rate linear', 'identify potential genomic', 'analysis berkshirexyorkshire', '480 purebreed', 'length shortens autumn', 'analysis conducted used', 'controlling trait', 'dataset addition', 'yorkshire resource population', 'prevented conclusive', 'kidney small intestine', 'body weight 10', 'human chromosome 19', '83 database analyzed', 'mutation a455g a497g', 'sequence leptin', 'trait using simple', 'karan fry', 'size genotyping', '03 association', 'snp rs14491030 causing', 'pathway suggesting importance', 'ncapg ile442met locus', 'content trait qtls', 'content muscle fat', 'gene investigation revealed', 'holstein friesian hf', 'humeral breaking strength', 'model position chromosome', 'power lower', 'susceptibility paratuberculosis', 'maternal information', 'production improvement', 'signaling skeletal', 'qtls protein', '31 phenotype', 'preovulatory ovarian follicle', 'confirm qtl twinning', 'animal categorized', 'possible reduce', 'wnt3 gh gene', 'industry increasing', 'animal genotyped porcine', 'determinism trait', 'like glutamate', 'muscle qtl', '417 female animal', 'power 99', 'finally using', '462 canadian', '600k snp panel', 'technological trait', 'background reproductive performance', 'allele texel sheep', 'closely linked marker', 'subunit phosphorylase kinase', 'tgs cholesterol chol', 'approach combine genotyping', 'age sample genotyped', 'affecting different', 'index aim study', 'potential utilization gene', '18 snp', 'acid composition important', 'possible generate', 'related trait lightness', 'natural condition infection', 'related trait conducted', 'prokr1 etaa1', 'report limited', 'snp reached genome', 'utilized development novel', 'marbling 12 cold', 'average piglet birth', 'observed carcass', 'responsible reproduction', 'microsatellites snp', 'pork result prkag3', 'ema 05', 'cattle using 194', 'size normal horned', 'resource applied mapping', 'measured battery', 'genotype used association', 'marbling qtl cm', 'case control analysis', 'effect 433a allele', '325 japanese', '83 genetic variance', 'verified generation sequencing', '694 966 depending', 'gene based', 'haplotype obtained', 'locus qtl 22', 'acid saturated', 'problem rainbow', 'desaturase included additional', 'prompt geneticist', 'gene variant located', 'placental blood flow', 'detected association agreement', 'possible ibh usually', 'heritabilities wg42 vl', 'significantly affect fatty', 'ndufaf6 tns1', 'cow informative microsatellites', 'determining resistance susceptible', '360 cm respectively', 'sc located dach1', '24 transversions 16', 'p17 involved regulation', 'rnaseq data separate', 'employed screen', 'phenotype mixed', 'study validate association', 'thoracic vertebra rib', 'trait covariates', 'addition pedigree trait', 'individual parent', 'hw trait study', 'le involved conformation', 'set complex trait', 'luciferase assay revealed', 'inheritance model analysis', 'sow 05', 'develops utero', 'sequence data exemplarily', 'aimed verify', '42 cm 84', 'gr 93 42', 'weight 23 87', 'ranged 88 37', 'method using deterministic', 'breeding program based', 'ampk involved', 'meat color score', 'kr6 kr9', 'status bone mineralization', 'acid skeletal muscle', 'coincide result identified', 'resulted significantly', 'new hampshire', 'concentration ppn0', 'evidence increased understanding', '562g 3112c', 'variant gene expand', 'berkshire yorkshire population', 'cm 16 41', 'length female', 'human rat', 'liver mrna rt', 'trait relative', 'allele piedmontese allele', 'gwas imply effect', 'developed aim', 'difference proportion cell', 'respectively a80v significant', 'small number marker', 'trait presented', 'wide association conducted', 'different mode inheritance', 'eci2 pcyt2 dcxr', 'variant gene mechanism', 'qtl identified pig', 'model different data', 'resequencing gdf9 point', 'leakage water ion', 'additionally order provide', 'snp panel chinese', 'breeding camkmt gene', 'development body hair', 'moisture content genotyped', '55 70 70', 'described pigqtl', 'genotyped 800', 'mastitis detected', 'model cmlm perform', 'different breed', 'highlight candidate', 'detected ssc6 f2', 'imputed illumina bovinehd', 'associated snp included', 'c18 located', 'candidate gene oc', 'production explore contribution', 'important class', 'network form', 'accounted 73 59', 'snp3_t snp43_g fixed', 'number following', 'gene expression significantly', 'neuroendocrine production', 'bird intercross line', 'including fecbb fecge', 'previously reported meat', 'pb heritability se', 'udder body leg', 'ssc6 ssc11 ssc14', 'characteristic decisive', 'strong favourable genetic', 'snp suited development', '58 single nucleotide', 'model mendelian', 'gene prss2', 'inconclusive reactor', 'mapping accurate', 'trait result demonstrate', 'fatness color', 'qtl different resistance', 'phenotype directly', 'comparison 48', 'cortisol response way', 'enhance host resistance', 'fertility qtl', 'phenotype showed prediction', 'gene znf608', 'induces intron retention', 'prevalence identify susceptibility', 'australian lamb confirm', 'based previous', 'imprinted alternatively', 'conclusion snp used', 'score 11 immune', 'measured f2 population', 'variant tox high', 'member genotyped 313', 'variation evolutionary benefit', 'marker total 55', 'polymorphism snp deposited', 'quality genotype conclusion', 'genetic region explaining', 'different breed 10', 'bp downstream s554331', 'exmoor pony highly', 'bta23 gene good', 'ld site low', 'map qtl twinning', 'modeling entire', 'identified outbreak analysis', 'ucr2 amino', 'position estimated effect', 'study enrichment', 'study estimate allele', 'health issue', 'mapped head', 'snp caspase', '50 13 52', 'hormone neuronal change', 'modest underlying', 'ear used', 'aaa caa', 'motif promoter', 'wildtype red junglefowl', '0652 respectively observed', 'affect ujumqin', 'confirms resistance', 'phenotype derived milk', 'testosterone concentration', 'rate evaluated', 'shown lysosomal proteinase', 'nuclear hormone receptor', 'rs13849381 significantly', 'trait locus composition', 'primiparous cow', 'sc genotype', 'called marbling 12', 'step approach implemented', 'meat trait intramuscular', 'rs41694646 associated 05', 'f2 crossbreds meishan', 'hw lea', 'snp additive', 'different genetic model', '2327 progeny tested', 'closely associated qtl', 'hypothalamus gene', 'genotype iowa', 'family allele', 'numerous qtl complex', 'background better', 'gpat3 cyp2r1', 'qtl area overlapping', 'snp adgtest partly', 'cost decade', 'yorkshire pig ancestry', '43722547a polymorphism significantly', 'broiler heat', 'chromosome associated', 'significantly better body', '19 half sib', 'cie yellowness meat', 'effect error estimated', 'sheep sheep heterozygous', 'analyzed growth fat', 'better collagen', 'background strain c57bl', 'expression markedly reduced', 'area backfat thickness', 'sperm 105', 'power qtl design', '81 screened', 'role implantation', 'bind regulate dlg1', '80 tissue', 'difference strength', 'map tissue', 'qtl 14 growth', 'multibreed experiment', 'population challenge modified', 'day record 189', '12 week 05', 'selection allow significant', 'cnvs rao', 'trafficking data', 'low used', 'detected internal', 'resistance locus', 'complete identification gene', 'applied determine', 'mapping precision shared', 'yield 032 association', 'heritability component score', 'commercial suffolk', 'imf influence flavor', 'affect homeostasis fat', 'week static', 'selection trait result', 'association study detected', 'cattle study identified', 'population linkage', 'control genome', 'statistical computing vienna', 'background mastitis', 'vaccination plasma', 'controlling density contour', 'elongation ratio', 'breed favorable', 'selected genomic region', 'joint leg chump', 'yield protein concentration', 'family trait used', 'seven qtls reported', 'association individual snp', 'subset 161', 'generation commercial broiler', 'gene fabp4 mapped', 'previously associated stature', 'snp tested sole', 'study conduct', 'mutation region', 'correction snp mapping', 'obtained linkage disequilibrium', 'control animal genotyped', 'snp 11040379c confers', 'erbb3 kitlg lef1', 'conformation trait', 'vary degree', 'cured product distinct', 'danish holstein cattle', 'expression genetic effect', 'crossbred beef animal', 'genetic effect averaged', 'superfamily member documented', 'revealed y7f', 'identified commercial finisher', 'seventeen genomic', 'hu sheep nos3', 'aata occurred', 'significant qtl ssc7', 'component determining cost', 'data marker', 'tissue regulation', 'chicken genotyping array', 'taint qtl', 'composition detected', 'genotype 2449gg genotype', 'association ce', 'dairy sire used', 'effective method selection', 'sib population', 'increased structural fragility', 'mapped distal', 'related trait', 'reported function gene', 'greatest impact animal', 'level viral load', 'longitudinal model', 'second breeding', 'high marbled', 'trait including additive', 'location growth qtl', 'chinese holstein result', 'weight hatch time', 'test qtdt', '14 cm spanning', 'index interleukin', 'effect compression', 'detected prim', 'haplotype odc', 'conformation trait related', 'evident aim', 'function widespread', 'artificial insemination ai', 'respectively breadth', 'significance threshold unless', 'correlated suggesting', 'useful reference candidate', 'pinkeye bacterial', 'indigenous sheep investigate', 'snp alga0022658', 'position model result', 'unique snp combined', 'comprising rs14011783 rs14011780', 'atp5b gene', 'marketplace previous', 'dq848681 8227c', 'meishan european pietrain', 'dd genome', 'permuted datasets trait', 'cy rec measure', 'protein lactose lg', 'kept constant', 'occurred frequency 40', '45 gene', 'set 28 10', 'gene amplified', 'population ndei', 'useful maker', 'seventy male calf', 'calving trait furthermore', 'phenotypic variance σ2p', 'exon partial', 'ass population', 'used produce offspring', 'gene associated qtl', 'genetic variability involved', 'record 556 second', 'swiss dairy cattle', 'endothelial differentiation', 'age accounted', 'conclusion pooling strategy', 'approximately 50', 'formation white red', 'variant fshr gene', 'promising candidate', 'important ocular', 'suggestive genetic association', 'association 66', 'teladorsagia circumcincta', 'mc4r 208 792', 'background serum lipid', 'analysis 24 snp', '100 kbp body', 'qtl region ltnb', 'suggest study discover', 'agreement ncccwa genetic', 'diameter significantly', 'qtl longissimus muscle', 'data fecal egg', 'identification snvs', 'meat spot trait', 'cattle controversial', 'lep lepr', 'insight tail fat', 'md resistance', 'sequencing data uncover', 'pair affected', 'observed hanwoo', 'pit gene responsible', 'region quantitative real', '12 kb', 'abw total 41', 'progeny expected', 'study romane', 'variance 29 11', 'nordic holstein', 'cause female neonatal', 'statistic lrt 13', 'location identified', 'known biological function', 'disease effect weight', 'data withers height', 'snp identified', 'resistant susceptible animal', 'length weight', 'small region mb', 'allele higher pparγ', 'metabolic trait', 'improvement duroc pig', 'used study presented', 'qtl affect growth', 'physical location', 'genetic parameter individual', 'lysosomal storage', '612a exon', 'reproduction pig', 'trait analysis tissue', 'allele frequency 10', 'tbrd identified validated', 'loss produce better', 'trait sheep known', 'palatable meat', 'detect genomic', 'prkag3 i199v locus', '39 07', 'pietrain landrace', 'association gwa analysis', '534 f2 hen', 'period received grass', 'sow year lsy', 'herpesvirus md virus', 'canales sesamoidales dc', 'study suggest polymorphism', 'chicken h5h5', 'association analysis highlighted', '445t xirp2 15', 'consisting holstein', '14 new', 'chromosome oar3 largest', 'sire gene genotyped', 'chinese breed', 'fy casein gene', 'resequenced kb fabp5', 'ewe evaluated', 'lr age', 'segment 50 80', 'fat yield bta14', 'progeny based', 'chromosome mb apart', 'component captured using', 'main reason castration', 'specific mineral bovine', 'variation observed ibk', '416 significant', 'describes mapping genetic', 'lp respective lactation', 'trait cytological metabolic', 'important disease swine', 'broiler line based', 'lacking pig', 'cnvrs overlapping 53', 'effect cross synthetic', 'parity 06 ratio', 'relationship quantitative trait', 'live carcass', 'strong polygenic background', 'implying selection', 'consistent association odds', 'enriched mirnas mirna', 'fourteen window', 'reproductive performance livestock', 'chromosome critical', 'confirmed emmax', 'mean enhance sustainability', 'total bone', 'type lectin', 'reason linkage phase', 'upstream respectively occurrence', 'sample panel', 'lacking extensive genomic', 'strength additive', 'previously lentiviral infection', '000 777', 'related water holding', 'ssc6 showing', 'identified gene snp', 'lower instron', 'included 12', 'region using identity', 'locus specific', 'rs13684615 rs13684616 strong', 'environmentally dependent qtl', 'val dataset 05', 'function analysis nearest', 'important consider direct', 'artificial chromosome contig', 'f1 cross f1', 'confirmed locus located', 'existence host additive', 'growth tail', '987 104 bp', 'miescheriana shown', 'iii favourable allele', 'specific age additional', 'line leghorn', 'pig study aimed', 'gene ubiquitin', 'association suggests', 'close myod1', 'characteristic particular', 'cw 591 kb', '50 snp window', 'good agreement location', 'randomly pcr amplification', '45079507a 45080228c', 'beadchip 911 korean', 'gene ccl2 il8', 'variant mutation located', 'identified 83 genome', 'useful exploring genetic', 'week result', 'positive animal', 'line white', 'method total 100', 'density lipoprotein ldl', 'mapped square regression', 'control test snp', 'searched linkage', 'holstein population set', 'cattle breed overlapping', 'displayed similar peak', 'quality trait bves', 'level monounsaturated', 'alive snp', 'haplotype snp combined', 'feathering chick gene', 'respect backfat bf', 'outbred f2 approach', 'observed main promoter', 'minipig melim sequencing', 'weight gain feed', 'qtl cw 591', 'responsive spot14 thrsp', 'beadchip genome analysis', 'altered gene regulatory', 'respect qtl location', 'useful genomic', 'e4 e12', 'vaccination animal declining', 'total hebraeum perineum', 'percentage regressed coefficient', 'estimated additive qtl', 'bta4 21 mb', 'beijing chicken genotyped', '792 japanese black', 'provide accurate estimate', 'ssc17 regional', '17 343 single', 'landrace ib lr', 'analysis based dataset', 'count ssc2 12', 'breed bovinesnp50', 'btb using', 'dorper sheep', 'igf1 showed significant', 'variety 18', 'teat defect', 'feed efficiency increase', 'bovine scd', 'population effect asp298asn', 'bta8 su bta13', 'adrenal cortex', 'qpcr fluorescence assay', 'bone morphogenetic protein', 'haplotype candidate', 'protection sheep invading', 'type atpase', 'segregation major gene', 'ssc12 prkd1 ssc7', 'size 20', 'calculated 403', 'generate f1', 'qtl region carcass', 'weight maturity rate', 'cattle study aimed', 'snvs tsnax ita', 'ld gluteus medius', 'bhb used', 'snp2 associated', 'adipose tissue inner', 'little predictive', 'snp duroc', 'specie used', 'segregate solid black', 'ssc15 chinese', 'level boar', 'epistatic qtl visualization', 'population pietrain', 'low blood', 'fact me1', 'qtl segregating family', 'research provide new', '48 polymorphism analysed', 'interval mapping revealed', 'based comparison individual', 'validation adjusted', 'field fear', 'observed phenotypic variance', 'sequence untranslated', 'number stillborn piglet', 'present specie', 'carriers conclude', 'growth birth weight', 'fresh meat', 'rw070 qtl', 'beadchip genotyped', 'sensing regulating factor', 'site located non', 'suggest ssc5', 'heritable estimate ranging', 'agricultural economy', 'individual representing main', 'significant qtl sow', 'compare haplotype', 'effect calf dam', 'located bta2 combined', 'anxa10 null mouse', 'control result estimated', 'interestingly located', 'known fertility', 'especially lipolysis', 'human und mouse', 'advantageous route', 'ls means', 'using bmp responsive', 'candidate selecting', 'putative qtl support', 'trans eqtl', 'gene based comparative', 'fertility bull population', 'gain post weaning', '42 mb primarily', 'effect promoter', 'million single', 'metabolism insulin signaling', 'vps10 domain containing', 'method estimate 141', 'regulatory mechanism allelic', 'pastern dermatitis', 'defect udder inverted', 'haplotype prlr exon', 'itgb4 ggt6 acox3', 'performance trait based', 'shared qtl', 'addition region', 'gene editing technology', 'snp selection program', 'beneficial nutritional', 'importance controlling', 'human chromosome hsa5', 'lack consistency', 'mutation underling complex', 'breed duroc landrace', 'ssc tn 95', 'moderate large', 'chicken e48', 'marker oarae101', 'kb interval significant', 'multiple position', 'twinning complex', 'control according', 'trait evaluated record', 'harness racing high', '12 genome', 'sus scrofa', 'bind pathogen early', 'breed using material', 'bayesian inference', 'qtl cw bta14', 'f2 pedigree', 'synthesized behavior dtd', 'cow ability', 'member nudix hydrolases', 'peak association imputed', 'half sib variance', 'world nelore', 'load japanese', 'generation sib', 'determined 0018 222', 'process resulted', 'mb 48', 'qtl studied', 'adhesion used allocate', 'respectively ultrasound', 'observed snp located', 'quantitative phenotype improve', 'sequenced analysed new', '45 50', 'imf explained', 'trait research screened', 'bmp15 candidate', 'difference indicative alteration', 'growth understanding regulatory', 'energy metabolic', 'reconstruction ld analysis', 'allelic association', 'function genetic', 'limousin evaluate effect', 'measured precipitating immunoglobulins', '15 trait linked', 'yellowness moisture', 'expressed network biological', 'growing pig lack', 'region analyzed sample', 'applied specie using', 'region associated harness', 'status number', 'taurine breed genetic', 'genetic variance genomic', 'cow enhancing', 'map region oar', 'backcross experimental design', 'marker covering 22', 'ovine chromosome oar6', 'colocalized gga3', 'rfi snp model', 'polymorphism determined', 'chicken population suggests', 'feed efficiency meat', 'previously reported important', 'derived antibody', 'based predicted transmitting', 'includes rock gene', 'meat carcass', 'toughness breed interestingly', '1326t ncapg non', 'modelling procedure model', 'ornithine decarboxylase odc', 'permutation according current', 'prrsv farm', 'gland study', 'associated mrna', 'function immune trait', 'map locus affecting', 'parameter recorded', 'common complex', 'reported studied polymorphism', 'effective prevention treatment', 'identified genomic region', 'factor spondin inhibitor', 'indigenous cattle screened', 'genetically improved increase', '528 scrapie susceptible', 'chromosome 90 cm', 'genetic population molecular', 'considered response variable', 'vertebra rib', 'parity sow superior', 'mapping la performed', 'half sib population', 'resistance hpai', '02 003', 'boar genome', 'marker bms2508', 'composition explain', 'colour pigment eumelanin', 'detection study', 'pwg cumulative', 'characteristic hsa', 'bonferroni correction genome', 'correspondence qtl', 'uoi population qtl', 'upstream s26859 mutation', 'insag intron detected', 'influenza infection outbreak', 'unknown pig study', '1042 1043 1013', 'snp remained analysis', 'raspf7 igga', 'trans regulatory effect', 'additional causative', 'used predictor superovulation', 'innate fear', 'population based analysis', 'cattle offspring qtl', '12 showed', 'number stillborn sb', 'individual lmh lmp', '10 ss61469568', 'animal culled die', 'carried 80', 'hypothesized gene', 'located precursor', 'spp egg counted', 'technology increased', 'role bone', 'associated residual', 'horse subjected', 'using genotyped', 'methyl indole steroid', 'thickness fat weight', 'day 90', 'software linear', '210 effect breed', 'trait measured different', 'snp encoding ncapg', 'following ai', 'window association analysis', 'associated fads2 polymorphism', 'ovine host response', 'include myo19', 'grandsires 258 son', 'nba genome', 'procedure trait', 'ham value', 'ssc9 69', 'evaluated association previously', 'hap2 hap3', 'myosin heavy chain', 'affected growth duroc', 'slope increasing decrease', 'sscp employed', 'trait high heritability', 'genome phenotypic trait', 'difference multibreed', 'cattle population genotyped', 'horse collected blood', 'significantly different', 'result confirmation', 'implementation successive molecular', 'trait inherited 10', 'denser bone large', 'qtl probability 060', 'higher marker density', 'effect using unequal', 'domain associated', 'gene revealed snp', 'ncapg risk alelle', 'natural killer cell', 'expression high prolificacy', 'tissue probably', '90 fe 111', 'snp established using', 'tbrd locus conclusion', 'chromatography expressed', '58 cm ham', 'systematic effect additive', 'heavily glycosylated forming', '10 chromosome included', 'horn known scurs', 'composition health type', 'contribute selecting sexually', 'revealed strong', 'horse twh', 'corticosteroid binding', 'efficiency qtl bos', 'left analysis used', 'reveal occurrence', 'mlk 153', '30 short', 'analyzed trait 53', 'current study', 'avian coccidiosis', 'fourteen novel', 'consisting 301', 'density snp data', 'pathogen recognized', 'subscapular skin', 'boar similar estimated', 'elovl6 533c polymorphism', 'bioinformatics analysis', 'pol mbd5', 'architecture loin', 'content expression', 'homozygous lower', 'control 18', 'trait reduced', '148 single nucleotide', 'sd kg phenotypic', 'fat plus skin', 'performed fa srb', 'gene located region', 'model investigated', 'meat processing industry', 'correlated rfi 77', 'considerably qtl', 'ile159val mapped gene', 'population realistic', 'adult 10', 'identify leptin gene', 'morphological feature mammary', 'significant 05 non', 'large population warranted', 'significantly higher bw70', 'associated androstenone candidate', 'day farrowing bf', 'understanding genetic mechanism', 'genome wise multi', 'replicated qtl', 'affect protein conformation', 'valuable biological clinical', 'association decr1 me1', 'height important characteristic', 'phenotype directly measured', 'plasma glucose', 'semimembranosus muscle genome', 'similar trait documenting', 'tanzania ndv challenge', 'marker constructed', 'susceptibility objective', 'factor ultrasound', 'region chromosome', '571 individual half', 'wwt 405 age', 'chromosome bioinformatics survey', '24 viral', 'evaluation region', 'haplotype window', '65 qtl', 'affecting ph value', 'bw shd', 'observed univariate', 'lod 51', 'mbl2 gene genotyped', 'certain production', 'protein content 06', 'left analysis', 'support qtl genome', 'trait feasible', 'new data added', 'length polymorphism bioinformatics', '3000 bp downstream', 'gluc colocalized', 'position close marker', 'lmm rf', 'sensitive reliable', 'healthier product', 'fut1 hsd17b7 ocln', 'immediate neighbourhood le', 'bta included', 'fourteen brazilian', 'infectious pododermatitis', 'jointly determined', 'fcr beef', 'data principal component', 'bmp2 loin', 'deposition marbling local', 'genome scan carcass', 'mainly improved meat', 'ld mapping large', 'parent genotyped 76', 'near position', 'affected ocd fetlock', 'prrsv experimentally', 'encoding non', 'chromosome subsequently', 'entropion mammalian specie', 'contribute cattle genetic', 'en 21 40', 'nonesterified fatty acid', 'trait framework significant', 'lh secretion gilt', 'ketosis dairy cattle', 'line chromosome paving', 'carcass trait chinese', 'protein milk culled', '020 ld 35', 'adl328 qtl qtl', 'charollais sire', 'genotyped 194 microsatellite', 'represent quantitative trait', 'using 145 microsatellite', 'content pic 63', '10 naturally', 'genetics possible', 'intron segment amplified', '16 original', 'ssr microsatellite', 'cross used', 'successfully used marker', 'pituitary specific', 'srebf1 polymorphism', 'identified plausible', 'centre brandon', 'cm 48', 'snp placed', 'suggests mutation regulatory', '0488 wh 0044', '20 23 25', 'genetic cause', 'computer tomography', 'width plateletcrit measured', 'genotype naturally infected', 'common genetic background', 'genotyped 51', 'tnp1 bull h1h1', 'inactivity le', 'associated significant portion', 'subjective measure color', 'ubf similar analysis', 'disequilibrium marker causative', 'transcription factor pit1', 'group identified synteny', 'chromosome iv', 'fertility involved', 'imf content cutoff', 'gene containing snp4', 'marker 18 porcine', 'region comparison', 'calcium ion transportation', 'activity implicated', 'racing performance using', 'encoding protein', 'haplotype current holstein', '217 bp', 'erythroid phenotype', 'cause high', 'myofibril fragmentation', 'snp horse chromosome', 'tbg significantly', 'dairy cattle previously', 'suggest neuronal gene', 'fixed mixed', 'fetal response prrs', 'largescale genotype', 'result obtained resource', 'mutation recombinant offspring', 'gpt breed', 'mutation 633_', 'y7f significant', 'understanding pathogenesis', '105 son genome', 'marker interval chromosome', 'chinese holstein analyzed', 'false positive rate', 'minor livestock specie', 'forward better', '129 cm', 'cm significant', '1773t located exon', 'original time', 'covering porcine autosome', 'intron significantly associated', 'obtaining good phenotype', 'association 01', 'region cnvrs', 'population constructed aim', 'mechanism genetic', 'somite early development', 'cattle fine', 'scoring lastly', 'dairy cattle progeny', 'affect total carcass', 'based david gene', 'interaction large set', 'selection enlarged body', 'tlr2 card15', 'element piii', 'largest effect including', 'fixed alternative', 'active form vitamin', 'vl quantified', 'disease virus mdv', 'trait performed f2', 'sire representing breed', 'primer arms', 'significantly associated nba', 'approach genome', 'longevity ineffective', 'mm diameter', 'analysis revealed snp', 'size cm', '20 chicken oligochip', 'family known difference', 'method use', 'obtained 29', 'gray lipizzan', 'examined association', 'controlling production horn', 'eye ambilateral', 'gene underlying phenotypic', 'snp pathway', 'phenotype current work', '07 score compared', '801 total number', 'appeared important fine', 'consisted 1800 bull', 'reliability taken response', 'significant polar', 'ca fe significant', 'polyadenylation element binding', 'score eye', 'region subset', 'dopa dopamine knockdown', '160 marker', 'using porcine snp60', 'predicted transmitted ability', 'sequencing single', 'carcass characteristic component', 'investigated qtl generally', 'olp contrast', 'gene panel', 'genome using', 'relationship androstenone', 'request new', 'detected adipocyte number', 'acyloxyacyl hydrolase aoah', 'genotype 19 founder', 'variation tick', '28 chronic disease', 'association analysis identified', 'mechanism biological', 'sheep production leading', 'gene related trait', 'insemination nins day', '11 gene acsm5', 'imprinting status gene', 'inner outer layer', 'breed zn snp', 'disequilibria expected', 'fetlock oc', 'chromosome ssc dfi', 'significant level feathered', 'bull genotyped using', 'allele backfat thickness', 'snp vstm1 significant', 'threshold 24 10', 'study feasible pig', 'chi 16 69617700', 'based comparison including', 'anaerobic metabolism', 'growth fatness economically', 'acting element represents', 'capn3 gene cattle', 'detection significance level', 'minolta value', 'respectively associate region', 'based winter milk', 'pr domain containing', 'snf enhancing', 'ssc8 36 37', 'capacity serum biochemical', 'effect analyzed', 'increased significance qtl', 'multiple hypothalamic function', 'percentage somatic', 'prior breeding', 'build 10', 'progress elucidating', 'network growth reproduction', '35 marker family', '89 mb', 'containing body', 'jointly linkage analysis', 'bacterial cold water', 'locomotion affected', 'additional drop test', '13 chromosome conclusion', 'available used', 'grandsire family danish', '05 synthetic line', 'snp ex11', 'respectively total 42', 'msrb3 lemd3', 'small snp detected', 'holstein cattle female', 'gwas 534', 'reveal presence genome', 'bta16 bta11', 'gene help identify', 'corresponding orthologous', 'qtl detection applying', 'wise 10 level', 'breed maintained poland', 'gene linked', 'risk clinical mastitis', 'marker selected genome', 'factor strong', 'small insertion deletion', 'likelihood technique', 'work association single', 'anti inflammatory', 'allocation pattern behaviourally', 'goal aim maintaining', 'detection coding functional', 'qtls purebred', 'angus allele', 'load season rainy', 'product major cause', 'cm pig chromosome', 'fat yield significant', 'bta6 bta21', 'fish mapping', 'larger prediction', 'mendelian qtl', 'warranted article', 'cm region result', 'additional application association', 'regulating transcription gene', 'window primarily located', 'accounted 09', 'height debao pony', 'phenotypic variance dataset', 'bves ssc1', 'chicken body', 'mutation snp1', 'various acronym', 'analysis family yielded', 'parameter arg307gly substitution', 'increasing sc compared', 'ssc10 ssc14 novel', 'weight yw eggshell', 'diameter sd9', 'bootstrap confidence', 'wish dw', 'storage energy', 'screened presence snp', 'allele lysine variant', 'consisted 100 dam', 'increased leanness lowered', 'significant snp present', 'seven day', 'produced 10 sire', 'factor provide important', 'european asian', 'harbored 124', 'abundance scd transcript', 'history aim', 'showed compared smma', 'proportion tainted carcass', 'qtl porcine', 'altering binding capability', 'industry characteristic', 'categorized different activity', 'transfer activity', 'development egg', 'country annual', 'crossbreed pietrain german', '447aa individually significantly', 'gwas use', 'associated decreased', 'snp distinct novel', 'level skeletal muscle', 'used previous qtl', 'bayes factor observed', 'turn explain meat', 'egg 0143', 'hydrocarbon receptor', 'meat study used', 'model studying', 'weighted gene expression', 'make effective', 'holstein norwegian dairy', 'mapped location', 'cattle 217', 'diverse gelbvieh cattle', 'ldl chromosomal region', 'mastitis pathogen danish', 'leghorn polish indigenous', 'qtl glycogen related', 'associated aggression 10905e', 'group orientation', 'deregressed proof milk', 'transcript short', 'lm semimembranosus value', 'study bull', 'vrindavani composite', 'common procedure', 'kinase domain', 'size meat', 'level genotype fm', 'candidate gene resistance', 'ssc1 report', 'dcd maternal calving', 'score analysis underway', '10 significance level', 'increasing imf duroc', '11 14 17', 'phenotype conducted stage', 'bta20 chromosome', 'horn breed jacob', 'kg body weight', 'stat6 gene', 'rh mapping', 'called fecx gr', 'identity human', 'analysis account existence', 'animal average', 'controlling dermal', 'explored involvement genomic', 'weight 001', 'located upstream region', 'suggest variant potential', 'combination snp haplotype', 'evaluation program result', 'tail sire marker', 'association analysis mlma', 'significantly related', '1963 2014 527', 'energy metabolic process', 'herd pietrain pi', 'pta dpr higher', '18 single', 'binding domain rorc', 'close ifng chromosome', 'known gene underlying', 'phenotypic extreme', 'parasitism productivity', 'estimation genetic parameter', 'rate occidental population', 'important effect snp', 'study reveals mpdz', 'season 2003', 'daily gain live', 'size 505 cm', 'site pcr', 'ma genetic group', 'number domestication', 'atrogin subunit', 'genetic variant promoter', 'affect meat', 'mendelian dominant trait', 'offering fast', 'line sample', 'candidate gene recorded', 'meta analysis gwas', 'area pigmentation cattle', 'sensory trait 50', 'snp strong linked', 'vertebrate hedgehog hh', 'model involving', 'additive effect allele', 'production gene previously', 'analysis additive effect', 'snp combination', 'snp evaluated genotype', 'evaluated record', 'single multiple', 'number record', 'increase plumage color', 'blasted mu', 'duroc qtl', 'response dna damage', 'assessed accuracy', 'expression difference line', 'ibd approach', 'interval increase test', 'delayed snp', 'gastrointestinal nematode predominantly', 'possible chicken recent', 'suggesting growth', 'research identify qtl', 'year effect trait', 'tef1 association analysis', 'different american', 'pattern recognition', 'salmonella propagation poultry', 'component trait pathway', 'cow higher cheese', 'significance 87e 06', 'virus csfv', 'cm 11 37', 'relationship example linked', 'difference parental line', 'kd103 001', 'basis fatty acid', 'related vps10 domain', 'conducted f2 population', 'distinct behavioural index', '2005 2007 animal', 'future dissection', 'cross sequenom massarray', 'qtl located bta5', 'evaluated family analysis', 'using scenario different', 'bw potassium voltage', 'concordant significant snp', 'obtain expression profile', 'growth supporting previous', 'fbxo32 gene', 'polygenic background morphological', 'icelandic horse 223', 'region associated', 'software genotype', 'cell identified', 'acid formed', 'muscle lung gender', 'using correlation structure', 'c18 c16', 'exon 12', 'western burkina faso', 'angiogenesis inflammation transmembrane', 'qinchuan nanyang jiaxian', 'growth factor', 'pig studied base', 'cm study', 'population combined analysis', 'trappc9 arhgap39', 'carcass marbling', 'genome scan situation', 'animal pedigree genotyped', 'clear association', 'gluc gga26', 'gene act modulator', 'prevalence 45', '001 exp', 'effect developed based', 'qtl feather', 'development despite depth', 'driploss hap2 associated', 'activation type interferon', '599g associated', 'cm fine mapping', 'fish obtained', '15 bw', 'vaccination 15 week', 'oc connect ocd', 'marb bta10', 'instance study', 'myostatin gdf8', 'associated body carcass', 'linked major', 'grader visual appraisal', 'restoring depressed', 'variant growth trait', 'based genetic distance', 'finding combination haplotype', 'population recent', '19 affect somatic', 'cm 27 cm', 'amblyomma hebraeum vector', 'ewfe 0389 novel', 'staph aureus', 'length ratio', 'compared nve', 'krtcap3 tspear pik3r4', 'significant gain', 'responsible polled trait', 'computer data mining', '59 cm 0002', 'genetic dissection complex', 'adjusted 210', 'heritabilities highest hock', 'level pre', 'zn mg high', 'productive life', 'prolificacy remains', 'score 70', 'determined pig trial', 'classical selection', 'associated variation muscularity', 'huge increase mycobacterium', 'hybrid imprh', 'resulting locomotion', 'stature body depth', 'bm8246 mcm130 affecting', 'combine linkage', 'snp locus respectively', 'ssc sus', 'dpi susceptible animal', 'conclusion locus associated', 'genetic improvement fillet', 'ssc15 qtl influencing', 'available underlying', '18 24 unique', 'significant adg', 'ssc18 number heterozygous', 'rib ssc11', 'escherichia coli f18', 'content bos indicus', 'individual gg genotype', 'appetite obesity mc4r', 'data comprised', 'polypay crossbred sheep', 'fine mapping focused', 'acid synthesized precursor', 'process equine oc', 'relevant lp', 'qtl ssc8 ssc17', 'codon glycine', 'pleiotropic snp observed', 'micrornas mirna key', 'susceptibility hypersensitive', 'swiss pig', 'wk respectively intercross', 'parameter absolute', 'growth trait condition', 'influence ability', 'qtl characterization functional', 'selected snp individually', '12 24 48', '120 day', 'imf based', 'negative impact rainbow', 'season average approximately', 'genotyped cau chicken', 'categorical fixed effect', 'post mortem loin', 'il 15', 'set 101', 'revealed microsatellite', '21 30', 'significant statistical difference', 'uterine environment', 'illumina 600', 'qtl environmentally', 'characterized sequenced 439', 'sequenced 439', 'explaining 23', 'identified sequencing', 'study indicates qtl', 'improved slightly', '70 marker reported', '68 10 65', 'phenotype finding field', 'phenotype f1', 'predicted fat', 'depth body slanting', 'subsequent entry', '82 mb harbored', 'determine existence correlated', 'phenotype attributed', 'producer recorded lactation', 'environmental condition allow', 'adg including marker', 'attributable chromosome identified', '5990 4010', 'respectively haplotype analysis', 'trait performance', 'network interaction theory', 'region identified', 'bvd pi marker', 'count data collected', '01 cow genotype', 'mapped chromosome 14', '05 single snp', 'requisite practical', 'survivor outbreak', 'significantly associated susceptibility', 'composition based', 'basis trait', 'behavior analyzed', 'used indication region', 'beadchip qtl', 'seventy percent', 'duroc population showed', 'function contribute', 'phenotype varying', 'pietrain pi pietrain', 'bovine stature plag1', 'pigqtldb study', 'concentration progeny 412', 'interval commencement', 'test included analysis', 'mutation lack consistency', 'circumference affecting bone', 'comparing transcriptome tibia', 'activity regulates bone', 'indicated snp', 'regulation calpain', 'understanding gene involved', 'program identifying marker', 'old female', 'fold abundant', '18 overlap', 'polymorphic used', 'sp3 sp9 wdr92', 'heritability estimate fitted', 'difference animal', 'background date genome', 'osteoporosis resulting', 'measured cleaned', 'different trait model', 'orthologous gene', 'qtl included study', 'knc large', 'genomic region particularly', 'plumage color', 'detected chromosome wide', 'work analysed 11', 'identify main associated', 'animal welfare', 'caused sudden', 'leghorn layer wl', 'environmental effect sample', 'generalized linear mixed', '19 23 26', 'phenotypic measure 23', 'variance large standard', 'population examination arg236his', 'cattle unclear', 'animal sample association', '282 day', '759 estrus detection', 'ssc6 120', 'mc1r gene finding', 'carried genome scan', 'beadchip porcinesnp60 chip', 'population increase prediction', 'fcr likely change', 'host genetics host', 'useful starting point', 'genotyped 11', 'marker affecting curve', 'marker poultry', 'eqtl gene nr0b1', 'association snp 11040379c', 'coding region utr', 'scottish mule', 'certain aspect', 'mannosidase 2b2 man2b2', 'chromosome 11 map4k4', 'identification qtl affecting', 'mb overlapped', '353c 233t 164a', 'cow tested', 'suggest myadm family', 'insertion homozygote', 'classical linkage twopoint', 'sire marbling', '15118756c great', '77 lg 58', 'international commercial', 'size remaining set', 'inheritance trait provides', 'block snp data', 'naturally enriched casein', 'animal allowed', '14 74 cm', 'allowing study', '101 qtl', 'functional hypothesis causative', 'knowledge skin identify', 'yield population holstein', 'correlated phenotypic', 'missense mutation dgat1', 'model showed wt', 'present breed', 'snp annotation performed', 'threshold 10 calculated', '60k genotypic data', 'genomic scan', 'plumage condition', 'postulated dgat1 study', 'declined 15 07', '593 nelore steer', '006 dif', 'underlie response', 'population detected', 'beef demand', '22 bone', 'site site', 'genetics analyse', 'strategy reduce boar', 'tt tt respectively', 'required identify causal', 'cbg biochemical property', '21836 cattle', 'rs13687128 significantly', 'haplotype increased', 'variant 13 15', 'vertebra detected unlike', 'associated intramuscular', 'cultivated suhuai', 'number major quantitative', 'persist population', 'mutation mutation close', 'model allowed prediction', '05 gg', 'nature genetic', 'concentration gene', 'ssc1 disappeared conditioned', 'utr 114 coding', 'pinpoint area explore', 'association pvuii haeiii', 'shank 21', '27 25 shank', 'immunological parasitological trait', 'invaluable indigenous genetic', 'region investigation', 'developmental qtl sqsl1', 'trait measured qtl', '600 snp array', 'signal observed array', 'gwas haplotype based', 'respectively additional', 'revealed 50 polymorphism', 'sequenced new alternative', 'false positive 05', 'significant haplotype substitution', 'thuringian south german', 'bacteria chicken different', 'composite animal', 'cross male', 'half significant', 'used information', 'weight muscle', 'trait included ultimate', 'qtl resistance haemonchus', 'color contains', 'haplotype 18', 'profile predict paternal', '02 20', 'detected 84 qtl', 'resistance cattle human', 'snp rs42646708', 'high low tail', 'hap3 hap4', 'mechanism feed', 'qtl area affecting', 'sow productive', 'value average', 'generated ripk2 mouse', 'analysis gene expression', '05 breed', 'year australia', 'meatiness identify gene', 'experiment compared result', 'condition period year', 'gc method', 'cnvs likely captured', 'locus complete linkage', 'trait involved', 'detected heifers', 'snp 16 haplotype', 'score canadian', 'malformation breed restricted', 'non productive day', 'weight yearling', 'absorption excretion', 'trait chinese dairy', 'meat phenotypic selection', 'hypothalamus polytocous', 'estimated substitution effect', 'muscling myomax', 'mb 387 cnvrs', 'research valuable investigation', 'statistic calculated midpoint', 'luciferase assay', 'c7h19orf60 mrpl48 ccr', 'high level statistical', 'bovine beta carotene', 'pathway common genome', 'response investigated', 'region appeared narrow', 'detect ld individual', 'insight molecular', 'dense marker detect', 'generate 515', 'purebred landrace pig', 'thr30asn t30n segregating', 'offensive urine faecal', 'explain susceptibility clinical', 'marker withstand bonferroni', 'pig performance', 'm1 model', 'past 20 year', 'support major involvement', 'economic environmental trait', 'flock prolific ile', 'respectively primarily', 'confidence interval detected', 'snp discussed result', 'volume concentration', 'direct genetic', 'focused total teat', 'rate dpr cow', 'reaction revealed', 'pig study performed', 'function animal commonly', 'peak force qtl', 'estimated using mtdfreml', 'parameter identifying predisposing', 'ssc14 sscx', '150 ssc1', 'trait mastitis related', 'chromosome qtls explained', 'complementary evidence qtl', 'group qtl', 'region brown swiss', 'animal influence', 'approximately 400 bp', 'male founder varied', 'memory important', 'participate cell differentiation', 'involved response heat', 'extra teat suggestively', 'previously chromosome', 'human immunodeficiency virus', 'tubular diameter 300', 'defense bind', 'proximity sentrin specific', 'jersey population respectively', 'horse aim', 'lead need', 'carotene retinoic acid', 'lobe number', 'trait mass', 'west asian', '15 region eca', 'correlated growth', 'tested 131 polymorphism', 'number domestic', 'trait notably', 'meta analysis population', 'improvement growth carcass', 'susceptibility complex trait', 'qtls chromosome 14', 'breaking strength genome', 'remained 40', 'acid c8 capric', 'antibody level pre', 'end ornithine decarboxylase', 'potential fatty', 'country annual cost', 'formed analysed', 'pig adg ag', 'vertebrate development study', 'jersey breed', 'neuropathy rln', 'examination function gene', 'regression frequentist approach', 'onset laying', 'favourable dominant', 'phase reconstruction', 'pleasure horse', 's58995 located ovine', 'slc11a1 region', 'measured 630 1332', 'snp mapped 13', 'identified putative causal', 'used identify network', 'line 692', 'lm qtl predicted', 'vertebra mammalian', 'location 231 snp', 'bta29 putative', '23 detected explaining', 'select meat', 'genotype snp expression', 'candidate gene red', 'animal different', 'appearance trait feather', 'genbank dq474064 dq474068', 'genotype 79 addition', 'negative regulator embryonic', '88 32 mb', 'hyperpigmentation egg', 'ovis aries inherited', 'bird homozygous', 'determine effect associated', 'using association', 'result ld marker', 'using maximum likelihood', 'imi responsive gene', 'purebred angus', 'german holstein intragenic', 'genome pathway', 'analysed new single', 'stress dairy cattle', 'bayesian markov', 'bayesian statistical method', 'sixteen different', 'increased mastitis susceptibility', 'genetic network gene', '16 microsatellite', 'improvement trait considered', 'bw potassium', 'study contribute better', 'result suggest fst', 'haemolytic complement', 'impute missense', 'vaccination region', 'identification sheep', 'il8 gene il8ra', 'contains gene data', 'ectodysplasin receptor', 'oar14 confirmation fec', '110 kg 01', 'columnaris disease', 'genetic evidence effect', 'ctbp2 highlighted', 'line established 93', 'presence 83 polymorphic', 'regulating virus', 'trait explained', 'correction association', 'haplotype single nucleotide', 'trait compared', 'present study mir', 'chromosome 65 70', 'investigate quantitative', 'identify snp marker', 'causal gene estimated', 'phenotype hypothesized causal', 'rl 0314 total', 'result generated', 'identify useful', 'importance segregating', 'annually identify quantitative', 'effect approximately mm', 'mb exhibited', 'prnp selection', 'ssc largest value', 'centering significant snp', 'iris heterochromia', 'regulation surrounding', 'got1 gpt', 'innate immune response', 'explain small', 'family chromosome wide', 'wool fineness sd', 'outbred cd1', 'mapping identified 61', 'allelic variant associated', 'day old', '10 beef cattle', '16432c resulted', 'lentiviral infection', 'afc ep estimated', 'mapping ssc6', 'effect bl 0488', 'homozygous lepr mutation', 'chromosome afe', 'sample size accurate', 'german holstein gh', 'level total cholesterol', 'igf2bp1 gene putative', 'chicken breeding program', 'epistasis family', 'fertility conclusion', 'allowed identify', 'sheep compared naïve', 'identified majority', 'concentration exactly', 'lambing identification', 'aim characterize', 'cast strong', '11 pp', 'confirms significant snp', 'goal aim', 'snp zp3 significantly', 'affected genotype', 'beadchip animal model', '50 single', 'affect variation', 'c14 indication quantitative', 'effect estimated asreml', 'frequency excluded analysis', 'snp 314', 'yearling weight canchim', 'empirical significance', 'aflp marker', 'idea future', '38 qtl', 'gr 98e 06', 'thickness 05 result', 'subsequent genome', 'snp val 24', 'hucklebone width', 'genetic architecture small', 'end trial', 'indigenous livestock analysed', 'locus qtl 16', 'million 63', 'study examine association', 'hatch year', 'acid deposition lead', 'hpa axis avpr1b', 'postweaning growth investigated', 'bta 11 bta', 'economic importance global', 'ewe control breed', 'population varied', 'mo mitf', 'metabolism differential expression', 'feedlot 354', 'traced inbred line', 'position conclusion', 'erbb2 network related', 'qtls associated nematode', 'analysis body', 'region variant organized', 'genome based mating', 'relationship lr gwas', 'selection breed identified', 'date ensure level', 'paternal reproduction', 'nature iberian', 'driven change', 'snp 20 novel', 'weight grade fat', 'snp explained', 'different number', 'line established chosen', 'pig total 38', 'revealed qtl gene', 'trait single nucleotide', 'twh anxious tractable', 'chromosome bta6 affecting', 'rate japanese black', 'measured shank', 'induced proliferation il', 'production genetic biological', 'contain significant snp', 'gene applied', 'origin using 60k', '290 620', 'expression cow carrying', 'technique obtained', 'locus qtl affect', 'growth stature', 'mean polymorphism', 'data generation', 'height cannon', 'result pleiotropic', 'rfi 05 largest', 'polymorphism technique', 'animal original study', 'expression mammary', 'trait sahiwal cattle', 'leghorn breed', 'method novel single', 'fat desaturation', 'developed beef', 'maternal perinatal', 'shorter feather female', '37 production trait', 'achieved gapit software', 'body weight', 'eggshell trait effect', '05 according', 'population danbred durocs', 'generation sequenced data', 'sc 192 ewe', 'lactation detected different', 'redness lightness', 'weight left fore', 'day aging crossbred', 'form identified', 'independently common trans', 'interaction identified 22', 'landrace population study', 'matrix estimated', 'chip md', 'ssc 25503', 'including parental', 'bta18 present study', 'collected behavior', 'acquired immune', 'impairment certain condition', 'pork effect consistent', 'delineate genetic', 'different variant respectively', 'production fertility body', 'related obesity related', 'frequency 02', 'pathway includes', '4q ssc4q using', 'potential step forward', 'analysis contributed', 'pig commonly used', 'jurisdiction individual', 'annotate function', 'breeding practice allows', 'effect zero', 'combination correction', 'survivor age', 'welfare extremely relevant', 'index relative', 'pig passed', 'piglet welfare little', 'following daughter', 'stress cell death', 'gm ltl', 'virginia chicken line', 'breeding direction', 'age breast', 'qtls ranged', 'association mir133b', 'trait ssc1 significant', 'burden form basis', '24 birth', 'em rainbow', 'gregariousness weak tolerance', '24 raspf7 igga', '300 animal', 'bovine 130k snp', 'covariate identified genome', 'frequency genotype', 'standard snp', 'mule ewe', 'analysis qtl nematodirus', '598 boar performance', 'mapping mapped immediate', 'result using genomic', 'route future', 'chicken result underpin', 'million variant', 'author difficulty', 'farm population', 'gilt showed maternal', 'reported pcr', 'march april', 'feather tract', 'genetic model estimated', 'herewith combined', 'variant ppargc1a gene', 'mutation g75a', 'location qtl', 'performed horse', 'throughput amplified fragment', 'imprinted gene play', 'mutation 1054t 1122c', 'wide association', 'fine mapping pc1', '90 300 serum', 'chromosome 16 epistatic', 'future large scale', 'incidence boscc identify', 'genomic analysis potential', 'genotype rs13997809', '0005 snp', 'derived beijing', 'composition trait association', '14 17 20', 'surface pig', 'harbour quantitative', 'mainly lncrna furthermore', 'causative variant qtl', 'lamb divergent phenotype', 'respectively polymorphism significantly', 'sufficiently informative selection', 'suggesting lascs', 'tnfα stimulation', 'major gene', 'promoter major haplotype', 'revealed serve candidate', 'used gblup improved', '1492 expression quantitative', 'located cluster spanned', 'landrace pig population', 'decreased growth', 'fertility locus', 'locus exists affecting', 'new strategy breeding', 'producer exporter', 'clearly outweigh potential', '33 sd', 'blotting finding', 'microsatellite based genotyping', 'sequence variant mt', 'beadchip 1927', 'length pelvic', 'mc4r taqi', 'human cattle interaction', 'qtls component trait', 'incidence lda', 'meat yield cm', 'l1 tdt mmra', 'method implemented gensel', 'milk yield 50', 'haplotype diversity showed', 'kg ebv 05', 'genotyped population', 'natural antibody na', 'respectively analysis multitrait', 'pleiotropic effect new', 'snp 47 226', 'earlier addition', 'complex term', 'cw 28 35', 'identified seven window', '27 suggestive', 'fe 111', '15 1q32', 'major candidate', 'gtf2a1 clspn suggested', 'dly duroc', 'animal snp associated', 'cohort 1540 hanwoo', 'gpt bri3bp', '14 22 24', 'qtl 85k snp', 'association study ovine', 'allele family', 'qtls parasite', 'tissue using', 'earlobe rhode', 'humerus end', 'reproductive performance study', 'sw1943 improved', 'bta 14 bta', 'close snp chromosome', 'frequency statistical power', 'compensation phenomenon', 'hmga2 closest', 'near suggestive', 'effect bwf', 'causation feather pecking', 'italian simmental 477', '160 microsatellite marker', 'susceptibility nineteen microsatellite', 'quality fat', 'association height lcorl', 'individual introduction', 'formation primarily', 'located middle chromosome', '178 206 254', 'change body composition', '19nuig strongly', 'established broiler', 'hw qtl', 'new qtl qtl', 'mar identified midpoint', 'using identical', 'v6a v33a', 'pou1f1 comparative sequencing', 'value ebv various', 'weight lwgt', 'comparative data', 'disease incidence training', 'lascs significantly associated', 'substitution resulted increase', 'cause indirect effect', 'distinct inbred line', 'genome valuable information', 'density prl lg', 'slaughter weight meat', 'based 634', 'bta20 respectively examine', 'vs 218', 'average 16 compared', 'mstn gene associated', 'pig breeding programme', 'lowest fat high', 'rate prolificacy', 'strongyle fec', 'egg counted', 'mt respectively distributed', 'consider different age', 'gene associated wool', 'gene mapped', 'ham meat', 'verifies qtl', 'british isle including', 'trout population', 'death domain cradd', 'xkr4 xk', 'sample obtained f2', 'trout breeding', 'breed identified', 'identification fertility trait', 'addition mode inheritance', 'distinct indigenous ethiopian', 'teat number important', 'data illumina ovine', 'average tolerance faecal', 'group e22c19w28_e50c23', 'marker average marker', 'relies identification marker', 'fatty acid 0457', 'putatively influence', 'mainly located', '20 promising candidate', 'meishan resource population', 'mutation t32742394c', 'proposed method', 'calf weaning weight', 'ram exhibiting muscular', 'identified candidate', 'aim present study', 'fabp4 fatty acid', 'week bw qtl', 'contrast growth', 'leukemogenesis human', 'rhm chromosome', 'position difference absolute', 'close s0008', 'trait polish', 'val dataset', 'identified intron allele', 'egg weight ew', 'gene involved growth', 'important information use', 'dck lifr edn3', '332 conducted', 'undergone huge increase', 'polygenic trait possibly', 'different breed duroc', 'qtl refining', 'region bta6', 'aid characterize', 'algorithm developed', 'bp highest frequency', 'genome region based', 'point identify gene', 'performed imf', 'immunity related gene', 'total animal', 'protozoan pathogen sarcocystis', 'defined passing bonferroni', 'broiler identify significant', 'g156a c220t', 'panel relevance additive', '12 021 adg', 'pig identified quantitative', '27 suggestive linkage', 'acid 784 chinese', 'anka f2 population', 'ndv study', 'boar evaluated identify', '22 quantitative trait', 'valuable qtl remain', 'pat 216 hanoverian', 'cm 16', 'fetus animal', 'snp consistent', 'variant intramuscular fat', 'porcinesnp60 beadchip total', 'specifically jersey cattle', 'variant identified', 'association study difficult', 'located close akt1', 'defined snp explored', 'localized confidence', 'small eared', 'aim study identify', 'performed imputed', 'eltd1 st6galnac3 st6galnac5', 'sire bos taurus', 'a4 hydrolase ets', 'factor iif', 'insight complex genetic', 'threshold qtl located', 'affecting level boar', 'acting eqtls', 'phenotype convincing', 'different cattle', 'including seven genome', 'bite hypersensitivity identify', 'presence qtl', 'presence variant 02', 'cm ham', 'characteristic equine industry', 'desaturation ratio 18', 'gene apd', 'investigated 554 chinese', 'f2 intercross method', 'mutation suspected population', 'subfertility challenge', 'heritability estimated based', 'regressed proof', '128_79 588', 'clear association increased', 'evolutionary conserved imprinted', 'ssc8 siw cm', 'size follicle', 'partially reduced chromosomal', 'present roan horse', 'locus affecting carcass', 'improved functional', 'rearing genotyped 27', 'colubriformis animal', '11 21 23', 'necessarily location', '402 calving', 'performed grilled', 'gwas performed study', 'bta14 summary regional', 'association analysis silico', 'bta13 61 62', 'chromosome located', 'ncccwa population', 'region chromosome finding', 'greater chest depth', 'intertrait comparison revealed', 'compare val younger', 'bw bbl', 'monounsaturated saturated fat', 'snp nominally', 'firmness computer', 'significant association proviral', 'intron resulting 32', 'position genome', '001 potentially', 'weight end', 'complete identification', 'region marbling', 'animal genotyped panel', 'agent great economic', 'temperate climate female', 'cell count milk', 'chicken flock', 'regulation expression 0010629', 'explained 12', '21 56 week', 'molecular study', 'polymorphism located previously', 'regulates adipogenesis', 'fluorescent situ hybridization', 'available genotype illumina', 'nucleotide substitution single', 'site site demonstrated', 'sw2456 sw1943 region', 'aoah gene', 'genotype potentially', 'previous study significant', 'trait finnish ayrshire', 'cwt 001 eye', 'identified small', 'leptin increased 05', 'association correlation', 'genetic parameter estimated', 'ssc17 statistical testing', 'repeat domain', 'development proliferation death', 'protein composition', 'located near myostatin', 'region oar4', 'snp rs42670351 validated', 'selection brown', 'apovldl ii designed', '158 italian', 'nordic red', 'including fixed effect', 'animal produced', '987 104', 'fe hepatogenous', 'appears affect', 'model window', 'muscle fat trait', 'pathway theoretically meat', 'use secondary phenotype', 'analysis revealed separate', 'pla2g12a ppara', 'significantly associated', 'subunit gene', 'bta11 respectively', 'polymorphism association studied', 'hamper selection brown', 'population 501 genotyped', 'nudt7 japanese wild', 'region located 29', 'grass finished grain', 'implicated meat', 'flanking region performed', 'multitrait linked', 'level post', 'mating ram', 'cause considerable', 'specific analysis conducted', 'snp explained 83', 'respectively used', 'aimed capture temporary', 'carcass significant', 'study investigated genetic', 'chewiness cooked', 'bft 26', 'biological pathway including', 'cm le subcutaneous', 'length provided evidence', 'presence carcass quality', 'time mode inheritance', '18 53', 'reported observation qtl', 'distal tibia norwegian', 'mastitis discovery', 'pparc1a variant', 'ratio kr0 kr3', 'size effect qtl', 'c33379782t candidate', 'explained 45 phenotypic', 'chromosome aim study', 'study used genetic', 'synthase cbs fold', 'etaa1 play important', 'exist taken', 'possibility snp', 'role novo fatty', 'confirm genetic', 'led change g150r', '05 remained rs41694646', 'sheep breed showing', 'low lamb', 'cross evaluated commercial', 'trait chineseholstein cow', 'california santa', 'ovulation rate litter', 'cw marker assisted', 'size composed', 'dmu used study', 'mortality detected using', 'analysis commonly', 'regression significance threshold', 'deposition shorter length', 'thinnest backfat', '750 gene', 'remodeling property', 'lesion genome scan', 'approximately 210 235', 'marker fabp4snp2774c', 'retain high ld', 'detected gwas worthwhile', 'scan step identification', 'model applied evaluate', 'provide vital', 'key developmental', 'dairy cattle phenotypic', 'determination causal gene', 'performance safety', 'son srb grandsires', 'study obtained', 'assisted selection marker', 'non dairy dorset', 'error 01', 'generation relaxed', 'receptor related protein', 'genomic region 50', 'broadened include', 'jersey danish red', '001 level 22', 'intercross recently genome', 'line result', 'resistance channel', 'prrs partially', 'total 341 f2', 'causal mutation foetal', 'gc approach', 'mttp identified association', 'parent origin', 'whc trait ph', 'region prevented conclusive', 'detect relevant gene', 'population 331', 'unit hu', '10 calving 28', 'association tibial breaking', 'sample 60', 'explained genetic', 'mutation 1148g adrb1', 'detection fragment mc4r', 'qtl confidence', 'association bta14', 'best map order', 'transcription rate', 'design consisting', 'variance commercial', 'count broadened goal', '36 lgb1', '48 total', 'ibd score obtained', 'open candidate gene', 'population bring new', 'single multi trait', 'processed blupf90 family', 'respectively evidence', 'genetic selection modify', 'normal phenotype homozygote', 'factor beta1 tgf', 'skeletal deformation neurological', 'analysis correct population', 'ebv health production', 'bird experimentally infected', '42895 locus significant', 'weight predictor locus', 'mouse shown', 'german landrace', 'independent confirmation primary', 'daughter ranked', 'nbd abw qtl', 'current work', 'specie recognition gene', 'compared parental derived', 'avpcv live weight', 'kosher low non', 'possible identify genomic', 'ngf nerve', 'criterion horn test', 'snp 2192c', 'program early', 'haplotype identified sus', 'putative qtl tested', 'total 14 qtl', 'rate feather', 'chromosome genotyped 954', 'lfec significant qtl', 'variance seven', 'pcr showed variant', 'polymorphism qtl region', 'european allele study', 'sscp single strand', 'son 297', 'index region qtl', 'backyard local chicken', '071 duroc pig', 'phlda3 lad1', 'analysis generation sequencing', 'brd subsequently determine', 'encoding thyroglobulin tg', 'flock used', 'animal mixed', 'concentration discovered', '29 reached', 'tgfbi leukocyte', 'study identify possible', 'responsible equine oc', '50k chip', 'detecting qtn comparison', 'analysis genome wide', 'multi trait approach', 'genetic estimate', 'genotype obtained illumina', 'applied cross', 'extreme form postnatal', '23 conducted genome', 'suffolk lamb', 'lma backfat', 'marker public linkage', '15 cm established', 'bta13 47 48', 'density marker set', 'snp c2789a', 'behaviourally feather', 'versus fecx fecx', 'mutation 526 bp', 'different previously identified', 'associated post', 'chromosome finding confirm', '232ala ghr', 'fundamental component circadian', 'weight leg', 'experimental cross identify', 'affected vertebral', 'using affection', 'polyestrous traditionally', 'relatively strong', 'applied adjust', 'sw1302 sw1473', 'cwt midpoint tenth', 'expression measured', 'flavour pork', 'qtl eca4', 'data added study', 'genotypic variation cattle', '40006g mutation', '26 study report', '14 11', 'underlying earlobe', 'different population conclusion', 'localized arm porcine', 'content anxa9 polymorphism', 'cow alternative', 'hen white', 'runx2 identified', 'age 43w e43', 'identified apd', 'greatest ratio 15', 'including chicken comparison', 'rs13687128 significantly higher', 'used 38 microsatellite', 'factor pleckstrin', 'cry2 gene', 'far japanese', 'acid 18 heritable', 'significant marker', 'include 1599 f2', 'primary secondary haemonchus', 'qtl component trait', 'cm close', 'entire flock', 'heritabilities ca 63', 'bayesian regression model', 'accretion 120', 'pig substituting', 'region 630', 'day 14 subclinical', 'ssc14 ssc15 ssc17', '5147 nordic holstein', 'status determined progesterone', 'key chromosome trait', 'trait signifies presence', 'health finding', 'near fads2 abcd2', 'depth animal slaughtered', 'metabolic process examine', '172 prt 181', 'provided additional', 'population sixteen immune', '300 horse', '125 animal breed', 'livestock specie large', '153 trait', 'polymorphism synonymous', 'italian holstein ih', 'craniofacial abnormality elongated', 'native pig knp', 'exploration respective candidate', 'encompassing fasn snp', 'additional allele', 'g16 animal', 'expression tissue tested', 'genotyped gilt', 'sheep seasonally polyestrous', 'suggest influence trophoblast', 'investigation focusing single', 'content shear', 'nos2 covering 110', 'statistical significance threshold', 'fiber genetic', 'incomplete linkage disequilibrium', 'sheep renowned exceptional', 'behavior 24 parturition', 'localized slick', 'observed estrus', '003 cyst metr', 'affecting conformation functional', 'larger broiler allele', 'related adipose', 'challenged contortus', 'deposition molecular mechanism', 'included 22 measurement', 'ab bb pig', 'arginine serine conversion', 'shape function mammary', 'enrichment revealed gene', 'retarded growth unknown', 'utr flanking region', 'important candidate defining', 'focused consistently', 'selection low rfi', 'ketosis lactation clinical', 'lipid deposition', 'constructed thirty', 'affecting bw abdominal', 'hook nicotinamide', 'mc4r gene multiple', 'gap knowledge', 'significant genetic effect', 'shown involved various', 'sheep lamb', 'tiling array identified', 'effect ovulation', '129 test indicated', 'score genotype linkage', 'variance explained improved', 'dxa femur', 'region slc22a18', 'antigen cancer', 'microsatellite promoter', 'large white data', 'located intron dcc', '928g promising marker', 'marker dh', 'region putative lethal', 'growth presently', 'androstenone simultaneously', 'infinium protocol', 'gene validated candidate', 'calculated midpoint', 'morphology altered arrangement', 'general effect production', 'current gwas analysis', 'abcg2 expression resistant', 'detected family evaluation', 'eca 20 23', 'sire significance determined', 'set 003', '12 gene', 'consisted 30', 'mechanism affecting meat', 'population challenged lentogenic', 'percentage muscle present', 'family reproductive tract', 'expression observed', '00005 additive', 'additional qtl mapping', 'chromosomal region harbouring', 'estimated qtl', 'signature divergent feather', 'method data trait', 'pigmentation trait allele', 'linkage analysis using', 'milk genomics initiative', 'crossing commercial white', 'qtl genomewide', 'haplotype 18 combined', 'composition result contribute', 'gompertz growth curve', 'qtl interval traced', 'trait small genetical', 'area weight 11', 'mutant sheep 001', 'pp clinical mastitis', 'using 82', 'ca repeat', 'mammary gland lead', 'population additionally', 'gene expression', '61 snp significantly', 'data recording selective', 'support interval', 'adaption tropical', 'bone length bmd', 'load quantified se', 'selection ultimately', 'bone size mass', 'trait total contribution', 'method interval mapping', 'defined position highly', 'sheep benefit likely', '1226 8021', '32 07 lw', 'disease associated haplotype', 'shape trait btax', 'relationship qtls phenotype', 'effect pleiotropic qtl', '95 sumatran orangutan', 'reflect involvement', 'locus determining', '489 cm intestine', 'identified trait bmcpc', 'area identified linkage', 'calving difficulty', 'background variety analysis', 'snp economic', 'marker sw207 s0283', 'chromosomal region identified', 'exon weight length', 'göttingen miniature', 'numerous change seemingly', 'pig positive association', 'af broiler', 'provide useful reference', 'temperament difference', 'model mbv decreased', 'cause survival', 'contrast average', 'em lo sh', 'result 19', 'analysis variant chromosome', 'litter number', 'uw resource population', 'bird genotyped 23', 'database used obtain', 'heterozygous horse fold', 'marker lei0101', '5678784a snp 5678784a', 'type cnv', 'distal play', 'pork consumption usually', '16 duroc animal', 'additive dominance component', 'gene play role', 'cwt midpoint', 'identify porcine lepr', 'measurement day gwas', 'trait chicken present', '120 150', 'erhualian intercross', 'thymus vlt', 'beta lactoglobulin genetic', 'inherited trait', 'genetic polymorphism bovine', 'measured week', 'mean genotype average', 'study ascertain 12', 'cecum content', 'bone trait snp', 'interval cm significant', 'abcg2 protein snp', 'analysis predicted transmitting', 'sample sequencing', 'renowned exceptional meatiness', 'commercial hanwoo cattle', 'large difference', 'preliminary foundation', 'discovery new', 'linked melanoma', 'polymorphism snp altered', 'selected breed characteristic', 'consistently identified locus', 'allele 474', 'htr2a oxytocin receptor', 'molecular pathogenesis eye', 'nc_007324 12284a 12331t', 'tick attached anatomical', 'locus validation linkage', 'high allele frequency', 'significance qtl body', 'generate 515 787', 'pcr sscp dna', 'enlarge population', 'majority inherited trait', 'identified novel genomic', 'analysis gwas performed', 'egg count response', 'realised complex study', 'study advocate', 'marker based relationship', 'variable selection approach', 'association coincided previously', 'canchim ma animal', 'approach based mixed', '752 247 629', 'vartnb snp explained', 'inverted teat', 'human salmonella', 'snp 2108c 2228t', 'ssc14 increased', 'experimental population developed', '11 half sib', 'qtl express result', 'pmga 69 10', 'linked dgat1 gene', 'ph development post', 'influenced gene involved', 'hmga2 gene screened', 'line white plymouth', 'protein crossroad inflammation', 'snp3 completely', 'expression water holding', 'fine mapping locus', 'moisture saturated', 'association evaluated snp', '05 ssc8', 'mutated ube3b', 'highest hock', 'genetic mechanism elucidated', 'impact genetic', 'estimate r2', '85 single nucleotide', 'lactoglobulin allele', 'qtl cosegregated', 'height lcorl', 'scan pair interacting', 'component regression', 'detect significant effect', 'interval ppard', 'measured subgroup', 'rs16681031 mutation precursor', 'negative correlation 01', 'acid detected linkage', 'established previously trait', '11 map4k4 gene', 'indicator dairy', 'estimate snp', 'study conducted determine', 'gene mirnas', 'harbour important functional', 'human intramuscular', 'caused missense', 'fertility treatment subtraits', 'primary mirnas precursor', 'increase statistical power', 'consisted total', '21 associated ibk', 'included replication shared', 'lipid growth metabolism', 'longer tail wing', 'independent design french', 'trait line', 'proximity gene arhgap8', 'welsh pony', 'yolk formation primarily', 'variation affecting', 'insight tail', '30 g19', 'association analysis allowed', '10 infected', 'investigate correlation polymorphism', 'suggestive locus chromosome', 'weight bw body', 'analyzed selected', 'candidate recent development', 'gh sorf2 coexpressed', 'methodology principal', 'lipoprotein serum', 'expression regulation included', '153 landrace', 'component covariates', 'effect ew negative', '12 100kb', 'production trait half', 'snp marker resistant', 'allele frequency informativeness', 'infection imi integrated', 'affecting degree white', 'snp sf5', 'percentage churra', 'ii 2002', 'linkage map total', 'association pig population', 'associated pork tenderness', 'low risk', 'typical complex', 'vitamin metabolic pathway', 'showed wt', '11 mapping population', 'set gene gene', 'yield daily', 'using 600 snp', 'score chinese holstein', 'effect random missing', 'based genbank', 'pleiotropy linkage', 'reached significant level', 'pathway suggesting', 'cd rainbow', '08 76e', 'threshold utilize', 'weaker enzymatic activity', 'acid synthesis point', 'affected causative mutation', 'ear condition known', 'gwas compare result', 'model ranged 02', 'suggestive 05', '585 dna', 'chromosome 26', 'represent gwas oc', 'selective genotyping effective', 'wide suggestive snp', 'width loin eye', 'quality general scan', 'snp microsatellites used', 'according snp location', 'trait located ssc7', 'qtl grouped', 'reproduction pooled dna', 'protein synthesis fat', 'sampled using', 'additional future', 'identify region genome', 'infection antibiotic', 'tcap gene identified', 'array 382', 'overlapped region', 'friesian animal', 'fact common variant', 'beef tenderness identified', 'wool production trait', 'medical condition ph', 'family containing 605', 'analysis positive', 'representing main', 'sheep population 2229', 'bcse locus bcse', '84 snp snp', 'offspring model search', 'chromosome oar3 result', 'denser marker interval', 'female follicle stimulating', 'ibk used test', 'dam line', '104 110', 'quality trait line', 'body grow finish', 'cb qtl', 'effect qtl calving', 'genetic resistance debilitating', 'acid profile nellore', 'incorporating allelic inheritance', 'suggesting strong', 'conclusion main effect', 'act binding complementary', 'lalba protein level', 'infer based data', 'provided complementary', 'population 446', 'gpt nt5c2 pde6g', 'structure information', 'new method applied', 'trait high number', 'world association', 'qtl carried', 'fatty acid metabolic', 'level mature gga', 'panel result significant', 'rabbit 93 gene', 'affecting production', '1021 116 f2', 'autosome chromosome number', 'drip loss measure', 'plymouth rock line', 'infer additional', 'region sequenced landrace', 'transcription rorc', 'rate fearfulness study', 'genotyped 368', 'taurus previously', '510 animal chromosome', 'esr1 protein', 'genetic similarity', '16 03', 'tnb nba', 'adg italian landrace', 'seven novel promoter', 'disease nd', 'considering clinical immunological', 'protein equivalent phenotypic', 'exon confirmed silico', 'qtls mapped', 'test developed genotype', 'analyzed animal genotyped', 'pcr rflp', 'genotyping animal 93', 'contain gene highly', 'progressive severe emaciation', 'acvr2a promoter', 'rs81405013 ssc8', 'locus reproductive', 'using 11', 'exonic mutation fkbp6', 'gene regulating', 'bone trait located', '60 10', 'chromosome dry season', 'relatively association', 'population initial', 'previously reported result', 'gene cluster affecting', 'advantage enabling', 'including vav2 il12b', 'rm356 peak', 'essential synthesis', 'identified qtl region', 'putative microrna', '1457a a59v af536174', 'significant association different', 'genotype negatively correlated', '14 18 20', 'allele meishan boar', 'marker coverage lead', 'especially using pig', 'int11 snp', 'state using hy', 'previous result suggesting', 'excessive water', 'validated commercial', 'hd seq', 'effect candidate mutation', 'width 33', 'am950287 306c', 'specie usually analysed', 'imf porcine chromosome', 'microarray analysis longissimus', 'factor gdf9 gene', 'calcium ion binding', 'involved control immune', 'robust breeding tool', 'dairy cattle respectively', 'physiology major gene', 'strategy prioritize', 'result suggest locus', 'sharply narrowed 24', 'obtained far', 'aim study determine', 'cyp17a1 aco2', 'population igf1 gene', 'cattle reared', '57 day', 'simple reliable', 'bta1 31 10', 'seven 10', 'htr2c drd1', 'selection abdominal', 'weight shank girth', 'gene participate', 'expression primarily', 'genotype suggested pde1b', 'ctu1 contained', 'analysis showed fst', 'effect variety trait', 'carrier lamb significantly', 'chicken line line', 'performed breed availability', 'result model analysis', 'substitution allele', 'muscle anaerobic respiration', 'pr domain', 'pathological event associated', 'combined minority', 'erhualian cross genome', 'minor suggests controlled', 'included birth', 'blup genomic', 'femur identified gga4', 'tumor develop', 'brown egg', 'trait 19', 'different allele', 'analysis multiple qtl', 'physical map', 'associated larger', 'analyzed using variance', 'abhd5 knockdown', 'average higher', 'region 106', 'analysis based high', 'ld gluteus', 'validate analyze', 'additional suggestive significant', 'tg triglyceride', 'ovum polymorphism determined', 'used pork', '20 showed moderate', 'gene ontology pathway', '14 family largest', 'af phenotype', '21 76', 'gene gene encodes', 'higher intramuscular', 'affect mineral', 'cattle breed luxi', 'fld cattle recorded', 'ssc4 ssc7 qtl', 'lung adhesion', 'network analysis offer', 'family derived f1', 'resolution mapping nineteen', 'cartilage formation', 'production trait carcass', 'population subjected natural', 'association male parent', '16 cm', 'lab loin ph', 'brain low', 'trait causal', 'bull tested association', '334 exon tcap', 'differentiation cattle', 'prrsv infection growing', '649 significant', 'association litter', 'data suggest muc4', 'compared boar', 'high 55 rest', 'thoroughbred complement', '13 polymorphism identified', 'country use', 'trait play important', '71 10 49', 'comb dataset recommended', 'chip analysis uncovered', 'qtl mode expression', 'make susceptible', 'c4535156t g4533675c snp', 'juvenile body weight', 'wild boar pietrain', '220 genotyped 20k', 'pca admixture result', 'sire beefbooster m3', 'genetics ovulation rate', 'polymorphism performed association', 'background year', 'teat matched non', 'positional concordance meat', 'polymorphism mutation', 'white cross significant', 'close acsl4', 'trait fat', 'locus qtl suggestive', 'chromosome scan', 'egg chromosome genome', 'weight carcass fat', 'carotene oxygenase bco2', 'dataset effect piglet', 'cattle 36', 'chromosome trait measured', 'genetic cause implicate', 'equilibrium possible association', 'result showed significant', 'estimated ld', 'phenotype gwas sire', 'examined statistical model', 'microsatellite marker conducted', 'ptm influence', 'gene grin3a kcnj3', 'furthermore gene', 'snp associated fertility', 'trait help improve', 'study ldl2', 'lma bft rft', 'em used study', 'microtia 20 normal', 'trait likewise showed', 'concentration explained', '59 qtl region', 'g93a significant', 'histocompatibility complex mhc', 'similar set gene', 'functional variant fcr', 'intake capacity', 'morphology additionally erythrocyte', '14 cxcl6 cxcl8', 'effect 24 snp', 'skatole androstenone backfat', 'myomax status carrier', 'targeting area', 'previously known 48', 'chicken sub', 'affecting ability detect', '155 mb intermediate', 'genome average spacing', 'catfish genome', 'initial finding', 'allele 49', 'understanding milk', '10th rib', 'cm respectively current', 'connection bone', 'affected main conclusion', 'association bta8 su', 'trait localized bovine', 'conformation trait bos', 'breed aa ab', 'improved lp study', 'statistical inference region', 'fatness measure', 'count response artificial', 'approach provide reliable', '80 mb study', 'genetic base', 'qtl sought', 'specific manner', 'sheep different location', 'big economic', 'interval calving', 'snp novel', 'significant experiment explained', 'programme beef', 'rs134340637 fasn', 'snp segregating 923', '70 mb distal', 'basis cloning ipn', 'phenotype segregate broad', 'ttn 16 ltn', 'highly expressed regulated', 'increase statistical', 'yr indicating', 'analysis functional annotation', 'increased litter', 'ear size', 'level extended', 'method identify genetic', 'developed marker derived', 'chosen refine putative', 'gqls method', '11 16', '108 111 bb', 'chromosome 14 15', 'mb 591 kb', 'rfi qtl showed', 'fattened traditional', '432 655 44', 'count total', 'generally smaller described', 'pig problem pig', 'seven correlated', 'spotted breed 125', 'score skatole score', 'wadi sheep snrpd3', 'associated hip', 'cross gga', 'employed reduced', 'factor subunit fosl2', 'cm linkage map', 'mass present', 'haplotype based association', 'number leu differential', 'gene tissue', 'terminal end', 'population usda', 'study 954', 'result functional', 'suffolk sire sampled', 'host parasite combination', 'undertaken map', 'explain strong', 'finland indicated', 'chromosome gga1 based', 'composition trait porcine', 'association milk yield', 'percentage variance', 'study perform gwas', 'certain result qtl', 'locus exists', 'use 39', 'metabolism endocrine regulation', 'region associated morphological', 'cell score scs_ebvs', '601 717', 'company infected', 'characterized transition utr', 'selection toolbox', 'frequency cattle breed', 'trait piglet born', 'bind pathogen', 'gene presented single', 'bmd bone strength', 'dietary mineral', 'copy tm', 'suggests distinct locus', 'cattle breeding production', 'region chicken chromosome', 'stallion difference', 'deposition objective', 'circumference ssc4', 'gene ifc', 'body blood urine', 'production gilt', 'cross exposed daily', 'generation population', 'dam qtl variance', 'grandsires 833 son', 'controlled distinct', 'atpase atp2b1', 'physiology bone', 'owing selective breeding', 'demonstrate association snp', 'protein association', 'additional qtls', 'unweighted gwas', 'gene support previous', 'total solid yield', 'constitute valuable biological', 'fillet weight fw', 'fertility disorder', 'domain analysis', 'population young', 'small polygenic', 'ssc17 interestingly', 'database mainly holstein', 'polymorphism snp 528', 'caused mutation ube3b', 'located bta28', 'detecting qtl quantitative', 'analysis marker assisted', 'identified targeted', 'report association', 'appropriate test significance', 'effect growth related', 'associated carcass meat', 'change level precursor', 'different analysis', 'factor model residual', 'region identified pbx1', 'correlation trait', 'segregated qtl allele', 'genome ontology interaction', 'porcine cytochrome p450', 'carcass phenotype linkage', 'anxa9 polymorphism anxa9', 'associated saturated mono', 'stratification gwas', 'duroc chinese erhualian', 'ct scanning greater', 'c18 c18 c22', '336 animal', 'neonatal post', 'ascites resistant', 'region gene controlling', 'initial single snp', 'rs81405013 ssc8 rs81434499', '10 cfu tolerant', 'sw1996 remaining 11', 'analysis revealed polymorphism', 'quality concluded cnvs', 'ryanodin receptor', 'bull dna', 'resulted clearer', 'gene fertility', 'identified pooled', 'increased fat depth', 'placental rell1', 'stress responsive', 'allows performing selection', 'frequency 4185', 'level beef marbling', 'study gwas seven', 'sib family pooled', 'standard pcr using', 'related horn', 'key role inherited', 'studied significantly common', '20 provided', 'reveal important', 'performed 129 microsatellite', 'significant qtl length', 'eca hm', 'collected monthly 586', 'selected egg', 'influenza hpai 2015', 'coordinated interbull', 'welfare profitability', 'identified synonymous mutation', 'research explore', 'methodology used', 'fundamental role growth', 'tcp11 spata31e1 notch1', 'identified report quantitative', 'cortical bone', 'lr lw', 'difference traced underlying', 'indicator parasite resistance', 'qtl detected adipocyte', 'detected flanking promoter', 'holstein nh validated', 'tenderness use', 'trait time report', 'bw meat', 'locus address', 'model half', '593 cm male', 'poultry flock genetic', 'present study report', 'taurus autosome likely', 'method partially explained', 'pafah1b3 tmem145', 'study chromosome', 'genomic element strongly', 'bone introduction bmd', 'affecting sensory', 'endonuclease me1 dra', 'reproductive skeletal investment', 'economic underlying genomic', 'published qtl', 'piglet characterised', 'growth rate significant', 'fst snp rs81399474', 'mineral sugar', 'mutation vertnin vrtn', '208 792 aa', 'identified chromosome 17', 'shb rnf38 trim14', 'influencing lipid', 'contains positional', 'sex pheromone', 'additional qtl body', 'population conclusion result', 'biding site zbrk1', 'marker binary nature', 'developed dissect complex', 'black chicken snp', 'average outcome', 'study mineral', 'qtl detected significant', 'st6galnac3 st6galnac5 ttll7', 'bvs result quality', 'pcr pira', 'qtl affecting lm', 'second sample', 'lascs standard deviation', 'study validate qtl', 'program resequenced', 'major difference', 'associated immune disease', 'deviation calving', 'implementation efficiency', 'mdv cost', 'work step development', 'bta04 bta13', 'bird developed', 'spanish churra dairy', 'detection measurement', 'vaccination 15', 'effect fixed effect', 'profile performing qtl', 'causative mutation aim', 'using highly dense', 'expressed gene', 'model increase power', 'suggested polygenic component', 'fec related qtl', 'inferred haplotype', 'family japanese', 'growth differentiation mammary', 'qtl detection putative', 'rest new', 'search qtl affecting', 'suggested major', 'significant region oar6', 'charolais sire canchim', 'value conferred', 'bw puberty', 'tumor develop maximum', 'bta 28 bta', 'evisceration weight', 'cox15 ih', 'evaluate genetic potential', 'showed substantial interbreed', 'sire line', 'weight data 788', 'fleece weight', 'allele qtl', 'associated evaluated', 'number fetus animal', 'effect 33 0001', 'derived individual', 'conclusion identified snp', 'enduring mammary', 'oar3 24', 'thickness detected', 'qtl various production', 'mammary gland alteration', 'resource broiler', 'globulin glo', 'previously observed', 'coincide previously reported', 'abundance mineral', 'major milk', 'located fpdmeta', 'enriched functional', 'epistatic qtl identified', 'properly weaned', 'enzyme involved', 'distance essential gene', 'partum interval', 'revealed snp total', 'gene promising quantitative', 'located bta6 sck1', 'time determine infected', '07 interestingly', 'xuelong xl luxi', 'current study examine', 'significant difference existed', 'conformation characteristic', 'adjusted value', 'wide false', 'carrying mpdz variant', 'nc_007324 16432c', 'quickly efficiently', 'adjusted 05 descending', 'showed genome wide', 'slow growing broiler', 'additional qtl using', 'locus associated transcription', 'region 33 900', 'ssc7 confidence interval', '277 individual 518', 'utr different', 'gene maybe play', 'analyzed detect new', 'detected laboratory estimate', 'great influence', 'ct genotype snp1', 'predictor fat', 'cattle nearly prediction', 'backward selection', 'imposing welfare profitability', 'human orthologs', 'contributes understanding', 'pig sscrofa10', 'ldrm eighty', 'detected study previously', 'apical ectodermal', 'bta01 bta02', 'level kr', 'seven female fertility', 'resistance moderately heritable', 'effect cebpa', 'structure population', 'day ungulate', 'influenced genetic background', 'selective breeding reduce', 'heterozygote class', 'uterine length ul', 'reference fundamental', 'h3 2449g 2379t', 'level ngf', 'elisa genotyped using', 'small ruminant production', 'deposition major concern', 'opportunity use genetic', '12 cm 45', 'promoter region exon', 'identified frequency genotype', 'large white 100', 'model procedure sa', 'potentially highly relevant', 'eprs trim29', 'meat quality adaptation', 'hgd drai', 'multiple snp current', 'wssgwas uncovered thirty', '15 chromosomal', '61 suggestive', 'wool sheep', 'indicate melim swine', 'duroc pig', 'variance anova', 'region different picture', 'based expectation maximization', 'developing country combined', 'study random regression', 'stepwise using', 'underlie trait valuable', 'corpuscular hemoglobin mch', 'genotyped 109', 'facial wrinkle estimated', 'required conception', 'ii test day', 'rs13687128 significantly correlated', 'sample broodstock', 'swine healthy condition', 'qtl detected heifers', 'weighted gblup', 'great impact', 'sequenced different specie', 'deformed horn scurs', 'measure averaged', 'purpose considering', 'farm animal present', 'fiber decreasing type', 'af qtl refining', 'c18 va', '464 angus charolais', 'aa myf5', 'chromosome sequencing', 'metabolic turnover nadp', 'nr2f2 oas1 ptpn11', 'subsequent autozygosity mapping', 'ss chain luteinizing', 'fst gene', 'suggest zbtb38', 'production trait postnatal', 'apob causal cholesterol', 'effect fatness', 'response white', 'selection abdominal fat', 'wide significant association', 'mum 05 detected', 'gene sequence lalba_g', 'frame encodes', 'new gene play', 'piglet born landrace', 'significant 05 genome', 'white adipose tissue', 'host resistance', 'total 611 79', 'breeding program early', 'study identify locus', 'ovine myostatin', 'ng melted', 'significantly enriched kegg', 'eca 13 hm', 'qtl directed', 'adjusting multiple testing', 'breed commercial layer', 'finding indicate marker', 'mcp new cft', 'revealed 83 significant', 'gga23 parent', 'identified tissue', 'originally characterized', 'infect variety host', 'madison research farm', 'date qtls suggestive', 'phenotype governed', 'typical behavior', 'generally appeared block', 'laid foundation studying', 'chromosome total 24', 'significant bonferroni correction', 'verified generation', 'aa bb ab', 'genotyped using matrix', 'copy lm qtl', 'mir133b cluster genetic', 'gene phenotypic', 'detected bta1', 'gwas approach medium', 'form mbl mbl', 'trait affected bta6', '05 lw', 'dairy cow significant', 'qtls likely', 'multilocus analysis', 'significance level gwas', 'snp previous', 'needed explore', 'trait lm lean', 'published qtl original', 'major goal molecular', 'process key member', '19 bp', 'tested validation', 'variation pig', 'approach detect', 'revealed period', 'ipa signified key', 'suggest porcine', 'gene ssc12', 'assessed using', 'suggest fabp4g', 'undesirable animal welfare', 'immunoglobulins serum', 'kilogram fat', 'length 2350', 'marker 24 autosome', 'detected beef', 'wide search european', 'based reference population', 'potential selection target', 'present cnv indicating', 'chromosome caused', '23 mm', 'ph flavor score', 'explain difference prolificacy', 'bivariate conditional genome', 'snp located flanking', 'ssc1 detected', 'determinant oc', 'animal major', 'adrb2 expression level', 'shell trait measured', '17507a larger', 'genotype order', '15 udder depth', 'existence gene pleiotropic', 'ssc4 ssc11 genotyping', 'breed strong', 'rib counting influence', 'estimated gblup', 'phenotypic value effect', 'influence percentage normal', 'detected chromosome afe', 'allele trait', '125 yorkshire', 'trait explained le', 'causative mutation using', 'edg1 snp', 'role onset', 'largely ranged', 'clinical mastitis marker', 'cm 26 48', '04 012 respectively', 'contained rfi', 'ranged 07 qtl', 'previously referred rs16469410', 'accomplish goal analysed', 'fat meat quality', 'mapping single marker', 'association economically', 'marker linkage', '10 classical', 'study report qtl', 'marker reported previously', 'total 201 significant', 'used 203', 'high fat diet', 'advancement quantitative molecular', 'fatty acid 784', 'representing vast', 'explained chromosome length', 'effect c18', 'ssc shown', 'frequency zebu composite', 'reported previous association', 'porcinesnp60 illumina beadchip', '12 25 linked', 'haplotype block containing', 'bovine beta', 'pig chromosome ssc5', 'trait pig work', 'reconvalescence chronic', 'dataset consists', '19 val870ala', 'genotype cow demonstrated', 'investigate effect apob', 'suggested necessary correlate', 'correlation 96 10', 'cnv indicating cnv', 'respectively locus v315', 'occurs predicted target', 'line cross sire', 'resistance ovine', 'meat difference', 'detected milk yield', 'information 30', 'variety genetic variety', 'hiv ovine', 'gene related utero', 'cell antibody', 'follow study identification', 'anion transport key', 'level iga serum', 'progeny genotyped', 'qtls coincided', 'lumbar bft tenth', 'sampling performed', 'convincing result association', 'conclusion study reveals', 'snp int5 snp', 'composition 470 animal', 'described qtl interval', 'effect general', 'region possible', 'mbd5 ubr2 rpl7', 'stillbirth bta18', 'absent suffolk', 'marker lra1', 'status assessed', 'highlighting gene', 'expressed acth', 'highly selected commercial', 'revealed notable lack', 'virus 18 28', 'harbour putative qtl', 'cow haplotype', 'additionally 21836 cattle', 'growth associated ncapg', 'associated 032 increased', 'born ltnb', 'variation adg', 'lm qtl lm', 'chromosomal location exact', 'produced consecutive', 'imputation used genome', 'qtl mode', 'nonsynonymous snp', 'candidate gene magi1', 'caprylic acid c8', 'performance located nearby', 'especially interesting genetic', 'gg genotype sahiwal', 'genomic region affecting', 'vivo estimated', 'result crossbred', 'tb phenotype assessed', '10 near lcorl', '210 235', 'effect gene locus', 'pig result provide', 'sc confirm', 'beta tgf', 'landrace half', 'ufa composed', 'weight ssc18 significant', 'selection development', 'flavour bf', 'sc haplotype', '10e based', 'brown swiss dairy', 'croup width newly', 'romanov reep4 texel', 'ld mapping identified', 'confidence interval employing', 'acquire immunoglobulin colostrum', 'bta6 bta11 bta28', 'herc3 herc5 herc6', 'report genome wide', 'salmonella abortusovis', 'lead allelic', '5k non synonymous', 'carcass length trait', 'csn1s1 csn3 variance', 'trait result shown', 'line evidence', 'seq dataset contained', 'network contributing', 'dcxr g6pc3 pycr1', 'phenotype directionally', 'cheese production', 'technique determination', 'effect myog gene', 'localized trait gga10', 'bp brangus', 'analysis undertaken using', 'bb genotype result', 'chicken genome data', 'program genome wide', 'shared mb', 'proposed candidate marker', 'involved marchigiana', 'blindness corrected', 'region chromosome significant', 'adjusted significant', '22 finally analysis', 'associated spleen', 'yield average', 'bta6 bta11 bta17', 'consequence rainbow', 'marker 45', 'provides low', 'juiciness individual genotype', 'using selectively', 'allows establish efficient', 'bta02 nrr90 nrr56', 'analysis indicate', 'gene polymorphism chicken', 'unravel significant genomic', 'report focused', 'responding gastrointestinal', 'gene potentially contribute', 'approach obvious', 'identify alternative', 'loci associated growth', 'farm drench family', 'proportion 99', 'similar qtl family', 'qtl expression gr', 'gene gga27', 'snf protein lactose', 'level highest association', 'greater adoption', 'thyroid hormone play', 'em algorithm', 'various available level', 'invasion dst plekha5', 'including 3990 animal', 'controlling dermal melanin', 'gwas population 2354', 'trait way', '14 dark', 'debvs including parental', 'qtl accounted ranged', 'coupled receptor gpcr', 'analysis stage identified', 'number chinese', 'significant snp 78', 'carcass significantly', 'model respectively locus', 'account genetic similarity', 'agreement result obtained', 'cm 63 68', 'imf linked', 'record trait genotyping', 'sequential molecular', 'result described', 'cattle 1492', 'affected shank growth', 'basis underpinning', 'single nucleotide variant', 'result indicate linked', 'understanding underlying biochemical', 'estimated general linear', 'crossbred sire', 'fa composition bovine', 'associated polymorphism ablating', 'derived chemotaxin lect2', 'conclusion combining result', 'evidence haplotype', 'f₂ population', 'mapping resolution', 'position second qtl', 'kb shared haplotype', 'family previously showed', '126 jersey cattle', 'porcine resource population', 'resistance susceptibility prrs', 'skeletal muscle excluded', 'important livestock animal', 'fec collected', 'significance encode structural', 'despite parasite', 'linkage false discovery', 'profile promote beneficial', 'affecting cortisol level', 'ncapg gene previously', 'tnf gene functional', 'identified bos taurus', 'fat trait similar', 'intended investigate', 'cattle mastitis identified', 'specie breed', '46 21 estimated', 'md leukemogenesis human', 'performed beef', 'rt qpcr confirmed', 'cm surrounded marker', 'mb qtl mastitis', 'pedigree using genome', 'hanoverian stallion fkbp6', 'micronutrient utilization', 'early maturation', '106 informative microsatellites', 'daily gain 30', 'pcyt2 dcxr g6pc3', 'individual frequently', 'exist calving', 'identified modest underlying', 'analysis kit region', 'keel radiographic', 'locus qtl allele', 'upstream group', 'fertility danish', 'white srb finnish', 'average 11 longer', '522 sire', 'identified qtl mapping', 'difference phenotypic', 'depends genetic architecture', 'analysis sma', 'performed study', 'mdv pm antibody', 'level variant targeted', 'meiosis separately using', 'improving growth carcass', 'myoglobin content 94', 'qtl revealing', 'acsl4 exception', 'sc segregate', 'experiment performed', 'disequilibrium ld block', 'rs13675432 significantly', 'effect live carcass', 'software used', 'sire marker', 'located near 17', '977 hol', 'showed segregation qtl', 'ph 24 hr', 'leg chump', 'highest milk', 'score logarithm', 'density confirmed', 'gene subsequent', 'fecge fecgh', 'detected using separate', 'cause diarrhea', 'significantly common female', 'snp genotyping array', '94 cow map', 'detected ddei', 'located dog', 'data 497 f2', 'inherited marker', 't12495c snp synonymous', 'example ssc6', 'control additionally mb', 'candidate bringing', 'qpcr result represent', 'detected qtl covered', 'intestine weight siw', 'oar4 affecting', 'anai4 conclusion', 'ebv 0097', 'control identify', 'protein yield ghr', '269 kg day', 'million 63 million', 'region enrichment', 'burden conclusion study', 'height detected 80', 'known genetic', '30 847 snp', 'showed hoxa11', 'effect gdf9', 'improve reliability', 'qtl account', 'frequency genotype e4', 'characterized snp', 'p4 locus novel', 'phenotypic variation oleic', 'proximity gene known', 'gene pig imf', 'control finding', 'pony result', 'specific glycosylation cn', 'analysis functional genomic', 'bco2 gene result', 'food novel object', 'genetic effect case', 'intercross progeny carried', 'study polymorphism detected', 'metabolism mammal', 'lm semimembranosus', 'hmga2 gene including', 'response measured', 'fecxr fecge fecgh', 'cast calpain capn3', 'jersey limousin breed', 'mutation exon5 significantly', 'tcap play', 'model combined analysis', 'transcript associated skeletal', 'related disease resistance', 'variation purpose research', 'chromosome 130 cm', '88 37 bf', 'chromosomal region affect', 'hm site data', 'showed largest number', 'behavior combined result', 'qtl genome thirteen', 'brief stress exposure', 'adjustment litter', 'gga5 developmental qtl', 'pattern atp5b', 'qtl pof fetlock', 'respectively sire', 'fmo5 cyp21', 'measurement day correlated', 'realize genome', 'log mps score', '24 parturition recorded', 'measured fat muscle', 'recently toll', 'ssc2 ssc7 ssc14', 'tumor incorporated genotype', 'work north american', 'infection copy', 'given effect', 'cell organism', 'line proved', 'qtl region affected', '62 average spacing', '10 mum', 'mapped immediate neighbourhood', 'birth proportion castrated', 'programme enhance resistance', 'exon3 a11471g t12495c', 'placenta retp', 'meta assembly qtl', 'parasite resistance free', 'nsb 370 grandparent', 'sheep completed using', 'gene boar', 'factor region', 'pglyrp1 igfl1', 'qtl mapped serum', 'high density illumina', 'combined false discovery', 'load weight variation', 'showed haplotype 11', 'cut average 16', 'percentage cw present', 'yield breeding value', 'inference region largest', 'scheme aimed improving', '14 corresponds', 'future investigation identify', 'resolution subsequent', 'snp beadchips', 'gga2 comparison qtl', '10 resource family', 'snp asga0094812', 'sahiwal cattle shed', 'weight 90', 'determining nutritional cheese', 'cattle bonferroni corrected', 'production chicken aim', 'proof drp instead', 'importance obtaining information', 'livestock industry meat', 'marbling recorded grader', 'medialis left femur', 'included 585 progeny', '15 endocrine', 'ssc2 ssc6 ssc14', 'csrm60 bovine chromosome', 'proved purebred', 'steer sire scored', 'total 105 snp', 'divided group', 'genotyped using sequenom', 'marbling trait', 'panel response', 'using associated gene', 'balance mammal located', 'case control assay', 'tested seven', '2009 12 understand', 'circumference affecting mineral', 'tuberculosis reported', 'world highest milk', 'breed provides advantageous', 'revealed ph15 gga1', 'chicken khorasan', 'significant association desired', 'taint problem', 'died implantation', 'earlobe rhode island', 'improve reliability genomic', 'marker genotype 871', 'horse carried', 'mtpap gene assigned', 'region rt 17', 'improvement reproductive', '42 allowing study', 'common genetic', 'associated coat', 'ex1 snp ex12', 'gr grivette homozygous', 'chicken snp beadchip', 'presence 83', 'role apoptosis understanding', 'bmd highly heritable', 'test carried 26', 'rate measure body', 'texture prkag3', '15 affected', 'condensation protein significantly', 'mb eca5 genotyping', 'tcap expression', 'bone mineral area', 'variance gene', 'substitution segregating', 'lamb weighed scanned', 'cattle production', 'conclusion teat', 'eared erhualian small', 'resource future fine', 'test lrt threshold', 'panel snp significant', 'reproduction trait determine', 'responsible val met', 'economic problem poultry', 'map4k4 genotype different', 'study included information', 'intercross oh shamo', '71 01', 'carcass trait gene', 'hair sample dna', 'related semen ejaculation', 'vitro assay cbg', 'pig experimental', 'disease 264', 'nucleotide 001', 'pleiotropy allowed identifying', 'bta04810 enriched', 'number shape offer', 'predicted reduce genetic', 'respectively higher adg', 'sex design', '21 respectively univariate', '25 mb bta18', 'bioinformatics analysis indicated', 'cft set', 'conclude gene potential', 'including transcription factor', 'region independent', 'adjacent snp considering', 'multivariate model moderate', 'analysis mutation', 'total milk protein', 'trait present study', 'human supporting', 'novel region bta20', 'relatively strong selection', 'showed fst', 'geneseek80k snp', 'analysis 144 significant', 'age ultrasonically', 'qtl eqtl scan', 'breed detected qtl', 'study enabled', 'tissue body', 'fatness af chromosome', 'difference correlated', 'infanticide 05', 'sire beefbooster', 'screen genetic', 'mapping method significant', 'candidate variant explain', 'result showed marker', 'peak force measurement', 'score genotype aa', 'breakdown liver', 'typically yellow colored', 'crucial importance', 'gene cluster contributes', 'used identify mb', 'chicken line appear', 'difference anterior', '547 large', 'age subcutaneous', 'increase 53', '692 female hy', 'chicken population established', 'color important', 'myf5 snp genotype', 'region according qtl', 'significant correlation trait', 'suffolk breed marker', 'cause implicate ew', '945 190', 'effect account genetic', 'overlapped number gene', '43 gene associated', 'infrared sensor quality', 'genotype 70', 'lowly heritable', 'reported gene prss2', 'female sib grouping', 'animal deuterium dilution', 'different marker associated', 'dumi significant', 'laborious task report', 'composition porcine', 'short tail', 'meat quality 110', 'qtl utilized enhance', 'legs trait affected', 'coloration gga1 gga6', 'mm carrying genotype', 'qtl mapping initial', 'using associated', 'lesion polymorphism', 'polymorphism snp associated', 'ifc 05', 'suggested putative causal', 'approach single marker', 'region finding', 'assisted selection approach', 'infection intertrait comparison', 'analysis allows', 'milk content italian', 'qtls leaf', 'weight 05 average', 'compared frequent', '42 58 lg', 'fifth exon', 'gene physical appearance', 'template pcr reaction', '1365 animal illumina', 'korean cattle snp', 'family nested', 'sample 41 family', 'l1 insertion prlr', 'association bmp15 polymorphism', 'thawing abnormal', 'demonstrate stratifying', 'heterosis direct maternal', 'including change', '40 dam', 'investigate genetic difference', 'berkshire 153 landrace', 'glycogen ssc3', 'rate comparison genotype', 'puberty nipple', 'role physiological function', 'unambiguously reveal associated', 'favourable genetic correlation', 'reveal oc radiographic', 'ssc11 ssc6 revealed', 'pattern genetic effect', 'free range', 'statistical approach notably', 'specific plasma igg', 'thickness measure', 'main effect epistasis', 'matrix simulation study', 'directly indirectly involved', 'gene gene involved', 'hinfi animal', '65 major', 'bta26 marker', 'mb physical map', 'la shown', 'gene demonstrated correlation', 'mechanism swine facial', 'region ssc7 qtl', 's0008 generation', '2184 exonic', '23 genome', 'chronological change limited', 'molecular genetic determination', 'allele benefit increase', 'germany austria switzerland', 'pig main eye', 'function qtl', 'useful reduce incidence', 'rflp dna', 'extreme shear force', 'qtl achieved genome', 'analysis moderately', 'fed beef', 'modelled random', 'camp cgmp pathway', 'rfi 175 09', 'subsequently reduced location', 'color domestic', 'essential node signaling', 'trophoblast function pregnancy', 'production trait chinese', 'large region', 'khdrbs3 fam135b', '12 general', 'deleterious factor', 'relationship ornament expression', 'ssc1 disappeared', 'identification common haplotype', 'provides valuable tool', 'transcription factor overall', 'addition 43 single', 'conception bf', 'extended pedigree', 'loin ssc4', 'near pik3cb', 'cyp21 esr1', 'submaintenance feeding', 'rfi total', 'detected total chromosome', 'dorsi area', 'cancer eye', 'constructed performed combined', 'significant stallion fertility', '75 significant snp', 'included bivariate analysis', 'various preventive', 'design consisted boar', 'relationship gene expression', 'attributable difference major', 'gga1 12 14', 'thickness 0009', 'bovine lap3', 'landrace italian', 'analysis haplotype construction', 'control systematic environmental', 'ontology analysis', 'animal condition developmentally', 'ssc15 significant', 'chinese holstein bull', 'chain unsaturated', 'marker genotyped', 'native chicken breed', 'trait finnish yorkshire', 'set gene affect', 'posterior probability linkage', 'strong effect bf', '46 genome', 'fst analysis revealed', 'pietrain extent', 'effect coat', 'trait recorded carcass', 'undesirable cholesterol ldl', 'seven breed maximum', 'apparent le stringent', 'chicken ecotypes conducted', 'model probable model', 'orthogonal contrast', 'kinsella alberta lacombe', 'developmental programme morphological', 'trait locus clinical', 'result generally similar', 'major cause foodborne', 'qinchuan red', 'located known gene', 'marker density 20', 'weight week genome', 'improving therapeutic', 'mirinz test average', 'gga2 gga3', 'bft validation', 'component fertility trait', 'mannosidase 2b2', 'expression level expression', 'panel pig breed', 'reading frame', 'homozygosity additionally genome', 'secondary structure', 'snp genotyped ovine', 'oarvh34 aim study', 'electropherograms quality', '18 tibia length', 'interval snp8 snp14', 'result supported', 'alp lactate', 'chicken chromosome 19', 'significant interaction qtl', 'tcap promoter different', 'population 285 individual', 'chromosome use cofactor', 'model line', 'production demonstrate female', 'animal inference', 'gene growth production', 'qtl model imprinting', 'cmlm total 38', 'analyzed genomic', 'contains weak evidence', 'age gga4 explained', 'volume decline', '2379t resulted', 'area lm', 'predicted exon confirmed', 'different leg', 'partly contributed observed', 'female ovulation measurement', 'identified 11', 'mammalian specie knowledge', 'biological process differentially', 'influencing meat', 'mc4r backfat igf2', 'ssc 12 13', 'study validated qtl', 'type iia ssc2', 'genomic selection index', 'member 12', 'different group identified', 'involved susceptibility precise', 'effect postnatal', 'occurred high frequency', 'age approach', 'genomic prediction higher', 'transcription factor evident', 'respectively hap9', 'area detected', 'respiratory disease pig', '200 sire son', 'association involving 284', 'gene important marker', 'boar 16', 'eye colour', 'trait experiment', 'revealed marbling', 'trait genomic prediction', 'analyzed population allelic', 'variation behavioral', 'predicted 43', 'published genomewide', 'exist improve reproductive', 'birth slaughter incidence', 'respectively wgebv variance', 'snp located bovine', 'detected ca 24', 'kg identified', 'aiming overcoming', 'affect important', 'observed lp1 lp2', 'provide baseline information', 'additive dominant result', 'insufficient detect', 'obtained absence detected', 'qtl ssc1 13', 'ld asp298asn', 'absolute shrinkage selection', 'respectively population', 'chromosome ssc dissect', 'difference porcine skeletal', 'discovery carried considering', 'economy study investigated', 'pressure heat treated', 'associated estimated', 'blup index estimated', 'identified qtls associated', 'respectively qtl metabolic', 'linear unbiased', 'significant phenotypic variance', 'exposed sheep population', 'discovered association', 'showed total', 'technique impact stillbirth', 'synthesis milk', 'mainly located genomic', 'snp located trappc9', 'identified present study', 'qtl remain confirmed', 'detected association', 'variation 6926a', 'genomic correlation', 'tissue chicken', 'haplotype track inheritance', 'cd2 cd14 fut1', 'region 10', 'improve performance carcass', 'snp quality', 'maternal behavior', 'age effect chromosomal', 'hgd ecorv genotype', 'cell formed', 'effect breeding', 'model glm 15', 'gws ssc4 khdrbs3', 'help elucidate gene', 'order identify variant', 'candidate gene involved', 'genotyping assay', 'specificity phosphatase dusp6', 'voltage gated channel', 'result univariate outbred', 'parasite challenge lamb', 'replacing number cow', 'showed significant allelic', 'aged 12 month', 'cell growth', 'atp5b similar large', 'factor 3c', 'ssc10q14 q16', 'provide novel', 'origin univariate gwas', 'rel line', 'selection chicken growth', 'candidate gene haplotype', 'opposing directional', 'bl trait 12', 'evaluated growth', 'number gallop 19', 'tractable factor', '119 mb region', 'fitting selected', 'psmc1 effect growth', 'using bayesian technique', 'yw 39', '63 10', 'method large f2', 'resistance free', 'rf genomic blup', 'rate male', 'pr calving', 'resistant animal endangered', 'provide evidence snp', 'metabolic disorder method', 'gene play crucial', 'microplus tick', 'fine mapping research', 'score logarithmic', 'finding snp associated', 'rs41257559 snp', '14 24 qtl', '001 05', 'mapping recombination', 'heart fatty', 'associated feathering', 'effect variance trait', 'result snp low', 'chicken data', 'sheep suggest', 'record thi class', 'correlation pre post', 'granulosa cell', 'calpastatin gene cast', 'piii acaca', 'mastitis dairy', 'zn comparing list', 'sheep genotyped using', 'relative 433c', 'level specific ige', 'unlikely hypothesis', 'trait including semen', 'potential lean meat', 'established method approach', 'multiple qtl multiple', 'mortality categorical trait', '13 based meta', 'determined significant', 'genome wide strong', '26 cm distal', 'bird subtypes', 'identified qtls pcgs', 'discovered trait', 'correlation ctsd polymorphism', 'inhibitor myod family', 'tm used identify', 'hereford limousin', 'nucleotide large', 'case control study', 'individual breed population', 'explain small le', 'chain reaction restriction', 'initial test weight', 'rln etiology necessarily', 'transformed genetically phenotypically', 'loss structural bone', 'rs14678932 showed significant', 'reported located hel9', 'genotyped illumina bovinehd', 'gamma linolenic linoleic', 'varied 87 96', 'genetics matched non', 'eliminated population', 'ssc8 ssc13 ssc15', 'service 497', 'age respectively allele', 'measure rarely applied', 'number skeletal muscle', 'bta19 bta22', 'tendency association', 'associated previously identified', 'airway obstruction', 'sequence mir 224', '08 lr 32', 'trait chicken study', 'significant snp annotated', '785 intron 17', 'ag aa', 'ultimately qtl position', 'sample 199 iberian', 'detected unlike', '10 functional', 'consisted average 231', 'milk yield breeding', 'thousand marker', 'score strongly', 'genotyped 713', 'ptpn11 snp', 'susceptible leghorn', 'used drop', 'variance breeding value', 'model tackle', 'proportionally larger', 'important role adipocyte', 'trait time linkage', 'array host', 'measurement ranged', 'partially caused mutation', 'significant 000049', 'individual established broiler', 'susceptibility precise mechanism', 'locus autosome previously', 'derived porcine bac', 'evaluated 69 snp', 'qtl ssc7 explained', '11 mapping', 'confirmed initial', 'f2 phenotypic', 'given scurred male', 'extended family', 'le known enzyme', 'age explained 13', 'association study map', 'gnas domain bovine', 'indel silico analysis', 'second shearing', 'allowed account ld', '378 horse', 'vienna austria significant', 'variation important understand', 'nesfatin regulate', 'better inflation', 'western breed', 'combination exhibited lower', 'data objective', 'statistical power qtl', 'program phenotypic', 'effective marker', 'involved physiological', 'encoded amino acid', 'avium subspecies paratuberculosis', 'parallel bovinesnp50 beadchip', '918 303 animal', 'fat imf', 'parasitized gastrointestinal nematode', 'subunit atpase investigated', 'commonly detected', 'quality trait progeny', '28 protein yield', 'form cysteine', '85849977 49', 'significantly associated analyzed', '94 82 25', 'growth feed intake', '42 day 20', '365 significant', 'participate regulation male', 'including ywhaz', '745 italian', 'personality investigate contribution', 'genetic variance score', 'pl breed useful', 'igf1r showed significant', 'population structure necessitated', 'strong evidence presence', 'ga pp pb', '30 60 90', 'adamts sost known', 'snp cnvs associated', 'gga5 af', 'micrornas abundant', 'positive false', 'close s0082 arm', 'correspondingly linkage analysis', 'heritabilities 43', 'sex steroid', 'cw 38 55', 'complete data', 'function cascade', 'small snp', 'detected snp qtl', 'ugdh 68', 'vigilance flight distance', 'association study understanding', 'laying cycle', 'near interferon gamma', 'phenotype litter size', 'infection regarding immune', 'membrane integrity located', 'value sire trait', 'chromosome associated resistance', 'anxious tractable agonistic', 'birth affected', 'data 80k single', 'examined abundant replicated', 'nicl demonstrating complexity', 'pathway meta', 'titre resistance eimeria', 'suggesting potential single', 'chip contains 777', 'f2 individuals', 'association slc39a7', 'trait higher', 'gga12 15', 'united kingdom texel', 'window approach', 'carrier haplotype showed', 'despite able suggest', 'affect production skin', '103 association', 'degradation phospholipid', 'phenotype varying small', 'motif nudt7 member', 'used provide validation', 'snp blasted', 'acid summer milk', 'cell structure', 'homozygote 65', 'axiom equine', 'correlation hamper fixation', 'detected backfat thickness', 'localize position conclusion', 'composition important selection', 'threshold region', 'alive lnba removal', 'analysis result large', 'influencing temperament', 'conclusion significant snp', 'database mainly', 'summary finding', 'seasoning quite high', 'cow trait detecting', '868 16 466', 'influence promoter strength', 'carried crossbreds different', 'trait involved including', 'industry worldwide based', 'trait 11 meat', 'association untransformed', 'large f2 intercross', 'resistance woman men', '178 intact', 'revealed qinchuan cattle', 'heterozygote frequency', 'individual level', '865 cow', 'level little overlap', 'qtl 17 suggestive', 'component body frame', 'variant 1194 human', 'nba receives', 'steer group located', 'improved increase', 'seventh day', 'ssc1 56', 'block contains', 'human consumption fat', 'comparison finding', 'cm female 593', 'locus presumably affect', 'parasite resistance measured', '16 duroc', 'ghrelin ghrl', 'burden length', 'homeologues duplicated', 'level epr', 'correction 15', '47 qtl reached', 'population gene class', 'chinese meishan prolific', 'cell proliferation', 'significantly correlated af', 'tested using pig', 'similarity specie semi', 'country population', 'rs412986330 recombination hotspot', 'micrornas mirnas group', 'similar trait', 'included trafd1 gene', 'maybe causal', 'multiple testing', 'putative quantitative', 'colubriformis primary', 'hormone expression regarded', 'future research validation', 'chromosome probably', 'fat deposition marbling', '84 insr 589c', 'puberty pig conclusion', 'qtl mapped 16', 'c34t effect', 'including post', 'conferring increased', '19 vertebra', 'qtls displayed narrow', 'requirement economically relevant', 'region muscle fatty', 'missing detection sample', 'male specific', 'breed polymorphism leptin', 'detected study polymorphism', 'genome resource', 'dgat1 thyroglobulin tg', 'mutation 4581 bp', 'nrr 281 day', 'health burden', 'regression ebv', 'gene 800', 'identify causal mechanism', 'display temporal', 'carcass trait finding', 'showed fabp4', 'production horn breed', '25 highest', 'plymouth rock breed', 'lcorl coding', 'assisted selection study', 'day record aged', 'assisted selection produce', 'backfat thickness fatty', 'factor tryptophan', 'able identify candidate', 'search causative', 'significant polymorphism', 'autosome additional', 'initially snp g100597a', 'molecular variation imqp', '70 cm position', 'fixed position', 'level 01 milk', 'imf content bft', 'functional mutation vertnin', 'method ldrm', 'nve rib rib', 'use acaricide', 'prolificacy variability sheep', 'trait significant qtl', 'marginal additive dominance', 'work current', 'ssc4 accuracy', 'development standard', 'objective growth', 'bw week bw', 'disease susceptibility region', 'exon zbtb38', 'histocompatability complex', 'cm bovine autosome', 'breed human specie', 'maternal genetic', 'gene influence degree', 'qtl significant 05', 'length polymorphism method', 'located gene detected', 'phenotypic variation trait', 'variation present approach', 'association snp daily', 'phenotypic expression trait', 'provides evidence', 'behavior defined active', 'calpastatin cac calpain', 'csn1s1 marker fbn14', 'genetic component qtl', '15 boar taint', 'spacing 14 cm', 'respectively potential candidate', 'retained placenta', 'scheme order', 'remaining set validation', 'landrace pig consisting', 'linkage disequilibrium block', 'protein structure missing', 'successive iteration', 'phenotype cow dairy', '389 776', 'leukemia virus blv', '27 interestingly 39', 'hapmap22923 bta 129564', 'located faf1', 'unaffected half', 'thirty seven', 'objective work', '739 pig', 'parity test', 'detected german', 'fast cheap high', 'trait mentioned', 'laser desorption', 'linkage family chromosome', 'meishan intercross showed', 'offspring showed', 'linear relationship barring', 'test life', 'gg homozygous animal', 'region genome impact', 'underlying complex trait', 'victim grew', 'qtl estimated', 'correlated comb mass', 'legendre polynomial order', 'progeny tested holstein', 'genomic region bta1', 'intron allele', 'associated tail bta11', 'calving insemination', 'slc37a1 peak association', 'achieved pedigree', 'understanding gene', 'used berkshire yorkshire', 'paratuberculosis caused', 'kg 001', 'diabetes obesity human', 'breed experiment intended', 'metabolic disorder including', 'polymorphism abcg2 gene', 'sequence indicated', 'σ2p make identification', 'evidence cyp2e1 gene', 'marker expedite selection', 'protein escherichia coli', 'necrosis vasoconstriction', 'trait polygenic', 'non castrated male', 'assessed farmer', '17 qtls', 'genome wise suggestive', 'differentiation using', 'effect muscle', 'nos3 bmp1', 'utilising domestic wild', 'fat pad weight', 'feeding reduced 05', 'snp data bovinehdbeadchip', 'significant snp 98', 'level 05 result', 'bird developed cross', 'buffalo cattle', 'yellow meat', 'background variation pork', 'predict milk cheese', 'association signal observed', 'question address', 'bull population china', 'identified family qtl', '85k snp association', 'presented best', 'high carrier state', 'improvement female', '70 cfd 306c', 'use single marker', 'horn size determines', 'quality trait dusp4', 'convincing evidence', '10 11', 'genome potential selective', 'using gwas conclusion', 'metabolic disease', 'term associated nervous', 'far porcine', 'development mentioned breed', 'bootstrap analysis 000', 'heterophil lymphocyte', 'rs330779504 snp miga2', 'piglet litter european', '37 association', 'correlated milk', 'method promote marker', 'mortem examination result', 'oncogenic alphaherpesvirus', 'chicken identification quantitative', 'different location bf', 'study selected', 'associated cattle fetal', 'mpdz represent functional', 'contributing dominance', 'spanned 120', 'high infection', 'estimate loin', 'multiple testing remaining', 'pigmented iris', 'backfat sus', 'breed yield', 'intact boar major', 'asreml underlying', 'previous report panel', 'segregate meishan synonymous', 'age total', 'lcorl coding sequence', 'coa desaturase', 'genome wide screen', 'solid cysolids', 'trait control genome', 'contributing stallion fertility', 'implied trait controlled', 'developed ovine 50k', '16963 27514', '5229th 5476th bp', '16 cm 16', 'homozygous hanoverian', 'era genomics new', 'indistinguishable pleiotropy', 'flavour odour trained', 'combination classical', 'protein like', 'showed overlap', '19 26 milk', 'life daughter pregnancy', 'welfare beef', 'pathological mechanism disease', 'finding androstenone level', 'pathway pituitary', 'recorded production trait', 'result obtained ssc12', 'beef quality trait', 'identified linkage based', 'qtl bw abdominal', 'white population', '994 552', 'assembly qtl', 'lyw respectively', 'gp chromosome', 'strongly considered', 'tgfb1 selected trait', 'total 40', 'values avfec', 'consistent effect', 'nrr day', 'disease breed resistance', 'obtained 1310 ovlv', 'significant effect german', 'line del', 'rw070 showed', 'candidate genome region', 'gene elucidate', 'provide clearer picture', 'alteration morphology additionally', 'chromosome trait combination', 'qtls genetic variance', 'rapidly marker assisted', 'analysis genomic', 'hg lg', 'identified effect body', 'vertebra half', 'ssc7 locus', 'near znf389', 'trait qtl discovery', 'matched pepsinogen pga5', 'squares qtl analysis', 'tolerance chicken', 'trait category', 'weight bft candidate', 'trait associated body', 'qtl log mps', 'trait variance enssscg00000018823', 'major region', 'providing knowledge', 'genome sequence wgs', 'bone fat muscle', 'demonstrated haplotype', 'resistance map explained', 'economically unsurprisingly', 'fibre density', 'r25c significant', 'androstenone suggest', 'tested objective measure', 'foot score total', 'independence exon', 'bf 27 029', 'pig qtl', 'clay center ne', 'semen trait boar', 'rs41630030 rs41642251', 'current trend', 'scan using square', 'body capacity', 'infectious keratoconjunctivitis', 'qtl region water', 'determination growth', 'melim swine', 'data son', 'potential selection', 'precision qtl', 'skatole aim', 'skin weight', 'strong effect observed', 'suggest alternative', 'leghorn dongxiang chicken', 'microrna gga', 'trait correlated height', 'rs13997811 05 bird', 'located ssc8 54567459', '792 aa', 'conformation trait associated', 'performed muscle gene', 'role late', '24 bird', '9919 snp', 'method single', 'variant haplotype based', 'region harbored gene', 'behavioral test group', 'altering free energy', 'interesting candidate gene', 'studying underlying', 'simple linkage', 'trait repeatability test', 'cross validation accuracy', 'situation interactivity', 'total 36 snp', 'antigen sge', 'frequency removed', 'indirect effect qtls', 'skatole fat', 'allele rjf genotype', 'wk age detected', 'setd7 identified significant', 'candidate gene rfi', 'infected animal breed', '10 igf2 gene', 'domain gr', 'background milk quality', 'including multiple population', 'previously reported genome', 'fp fy', 'crossbred cattle 158', 'calcium level hypocalcemia', 'order determine biological', 'reproduction generated', 'nordic breeding', 'availability restriction fragment', 'content determined gas', 'sortilin related', 'dissect complex', 'pcv faecal egg', 'twh anxious', 'hypothesized causal variant', 'superfamily crucial effect', 'easier selection', 'determinant controlling', 'ap located', 'layer blood', 'eggshell cause economic', 'observed snp', 'ovis aries island', 'mixed model repeated', 'content diverse fatty', 'software linkage', 'prrs growing pig', '2n non', 'polymorphism ascertained genotyping', 'polymorphism dna sequencing', 'revealed mir', 'evaluation improve', 'ewe chromosome chosen', 'genetic variant pathophysiological', 'production complex', 'phenotyped ascites resistant', 'role quantitative', 'site demonstrated gel', 'content bone mineral', 'secretion growing pig', 'technique total', 'lack significant', 'cry2 fundamental', 'significant effect closely', 'association haplotype promoter', 'locus finally 248', 'resistance parasitic', 'trait commercial', 'yr phenotypic trend', 'pig imported', 'imf estimated 52', 'fat ssc14 121', 'subsequent analysis single', 'multi trait meta', 'animal pigment background', 'exhibit exon intron', 'rs43032684 chromosome', 'factor small', '20 lamb lambing', 'chromosome research effort', 'homozygous genotype conceive', 'care taken', 'usefulness selection', 'weight chest girth', 'trait influence production', 'snp belonging', 'uncovered region influence', 'brahman influenced steer', 'climate meat tenderness', '47 type hs', 'fat snf', '43 overlapped 750', 'kinase turn', 'detected novel genetic', 'trait bves slc3a2', 'heart fat', '5240a 5305c', 'pathway summary', 'count indicating', 'data implementation', 'locate region genome', 'population f2 mapping', 'loin ph1l', 'additional significant', 'located intron interferon', 'cm sc segregate', 'differ significantly', 'affected fat depth', 'trait bmt', 'whirling disease resistance', 'study establish chromosomal', '15 gene mapped', 'lead phenotypic variation', 'pathway regulates differentiation', 'genbank accession nc_040256', 'intercross explore', 'new marker public', 'growth deposition', 'capable explaining', 'notably region', 'regulating adiposity', 'scrapie infected romanov', 'difference canonical conformation', 'decrease 20', 'showed significant influence', 'mapped locus', 'variance association', 'method performed genome', 'segment relevant red', 'untranslated region gene', 'involving varying', 'coded adrb1', 'determined pig nudt7', 'gga1 gga5 shank', 'bvs model', 'model mlm 36', 'confirmed slc9a3r1 nos2', 'tenderness genome', 'affecting marbling score', 'low increased parity', 'variation cnv inferred', 'architecture candidate', 'xuelong xl', 'population 350', 'sire 427 10', 'approximately fifth', 'method genome wide', '315 animal', 'tenderness juiciness flavor', 'bovine mln affect', 'regions genes genetic', 'conducted identify functional', 'fitted longitudinal live', 'nlrp12 identified qtl', '0001 abdominal', '13 gene predicted', 'body composition respect', 'muscle loin', '05 pertaining g489a', 'association study suggest', 'cause translational', 'architecture trait identification', 'enhancing innate', 'rfi altering expression', 'trait chicken head', 'determined multiple line', 'variant ap', 'statistic lrt', 'trait australian selection', 'cattle study needed', 'area 001 potentially', '900 kb shared', 'difference parental', 'associated body composition', '440t 17122a 17507a', 'density illumina', '01 carcass backfat', '02 suggesting', '73 microsatellites', 'response sixteen', 'acrs method', 'week age breast', 'size linkage', 'cm 10', 'environmental condition', 'breed significant dominance', '85 additional', 'problem farm animal', 'ank1 test', 'estimated trait', 'refined prediction', 'asthma like disease', 'blood spot consist', 'fecx 28', 'gja5 cbfb gpc6', 'measured loin ham', 'open reading frame', 'size allele', 'cattle based', 'region clearly separated', 'ag genotype 17122', 'population created crossing', 'merino maternal terminal', 'sfa ufa sfa', 'obtain global', 'respond infection earlier', 'limb bone located', 'play important role', 'determinism prolificacy variability', 'adipogenesis biological process', 'ssc2 orthologous', '14 titer antibody', 'genetic improvement microsatellite', 'map covering', 'method family', 'lma ssc18', '528 snp marker', 'trait bta3 annexin', 'studied bw bbl', 'c12 linoleic', 'pig reported', 'status total', 'vip vip', '87 f3', 'snp simultaneously estimated', 'located chromosomal segment', 'respectively egg weight', 'rate threshold 20', 'tropically adapted breed', 'olfactory gene', 'leghorn fayoumi used', 'population relative', '74 lei0071', 'economy mean', 'fads2 srebf1', 'reject causality commercialized', 'marking 05', 'highest allelic', 'pair genome linkage', 'performed initial single', 'phenotype cattle study', 'marker interval characterise', 'md susceptibility inbred', 'brazil largest beef', 'rbc turnover energy', 'investigated association test', 'improvement meat tenderness', 'bms690 bm4528', 'mm 15', 'chromosome affect', 'transformation method significant', 'single trait animal', 'residing feed', 'snp chromosome associated', 'termed sal1', 'intake lead', 'identify susceptibility', 'highest lowest immunocrits', 'record nba nm', 'derived molecular marker', 'preliminary screening', 'population level search', 'transfer foster mother', 'linkage analysis linkage', 'detected small', 'trait population genotyped', 'cell modulation angiogenesis', 'mapped gene position', 'finding illustrate minor', 'contrast numerous', 'substitution nm_213910 612a', 'weight hw lung', 'contribute understanding', 'chicken growth trait', 'linkage disequilibrium lld', 'explained 15 bw', 'followed validated combined', 'hsd17b7 ocln pccb', 'major window used', 'bta19 ccl2 gh1', 'analysis btb susceptibility', 'mastitis cm using', 'qtl affecting conformation', 'qtl analysis focused', 'unveil performed genome', 'sample synthetic pig', '445t xirp2', 'acid composition duroc', 'ile442met previously identified', 'plumage variation', 'contributes number pig', 'exception c6 additional', 'generated reveal candidate', '961g tmx4 replicated', 'casein percentage 52', 'population statistical', 'research 13 candidate', 'immune index', 'snp dgat1', 'snp standard 50k', 'chromosomal region gnas', 'multi generational', 'matrix used', 'snp remaining', '019 bf 39', 'animal marker density', 'direction repository', 'near snp', 'polymorphism lep', 'quality replicated studied', 'fto pla2g6 tmem38b', 'hock oc lesion', 'bms2508 chromosome', 'normal developmental', 'analysis processed blupf90', 'dj revealed', 'ovine chromosome oar19q24dist', 'examine possibility', 'pcr study', 'feeding practice genetic', 'predictor fat accumulation', 'mass ham weight', 'vertebra phenotypic value', 'line pig known', 'quality using sample', 'eca3 snp', 'greater applied cross', '34 cm interval', 'ggt6 acox3', 'petroleum ether extraction', 'understanding porcine mtpap', 'utr cloned single', 'qtl mapping', 'fecgh fecgt present', 'candidate qtl mouse', 'response gastrointestinal', 'type differ substantially', 'neonatal sheep', 'spite extensive', 'milk identify genomic', 'construct using dual', 'italian brown 10', 'analysis danish swedish', 'rs42518459 bta3 85849977', '30 carcass', 'association analysis post', 'pigment background present', 'snp representative', 'mtnr1b protein impacting', 'german landrace lr', 'aj885515 159a aj885515', 'method aim', 'snp43 carcass trait', '4α hnf 4α', '240 chicken', 'promotes porcine', 'leg score', 'mouse nudt7 reported', 'odds infection variant', 'comprehensive analysis advance', 'absence licensed', 'play role regulating', 'selection 435', 'method approach single', 'vol respectively', 'poultry production reduces', 'model high', 'estimated heritability value', 'slco4c1 st8sia4', 'variant qtls ssc', 'allele increased number', 'chicken currently', 'including high resolution', 'variation functional unit', 'locus similar carwell', 'individual genotype aa', 'domestication chicken ornithine', 'effect reproductive', '347 pig', 'benefit fish', 'confirm refine qtl', 'cgi bin', 'production trait utilized', 'analysing connected', 'genotype obtained', 'analysis clearly outweigh', 'exon lg', 'recent population', 'start point marker', 'sequence variant concordant', 'component gc gene', 'effect completely', 'folding extent', 'defined position', 'gene controlling growth', 'linear model lp', 'mastitis resistance milking', 'analysis egg production', 'content tt', 'agreed previous', '10 known', 'conclusion efficient powerful', 'allele called vacaria', '18 18 muscle', 'scan detected quantitative', 'observed polymorphism meat', 'count mastitis resistance', '01 conclusion', 'family parental', 'industry improved', 'level cut threshold', 'interacting quantitative', 'marker typed 272', 'groundwork unraveling key', 'report quantitative trait', 'resistance footrot', '400 animal genotyped', '32 50', 'genome located hsa1q23', 'marker carcass trait', 'different commercial herd', 'fertilized egg', 'qtl equine', 'ratio fatty acid', 'trait parasite', 'difference correlated 01', 'south german qtl', 'variable cost production', 'contributed variability muscularity', 'mutation significant association', 'stable dust', 'affect fat deposition', 'blup single step', 'identified mutation female', 'weight wwt calf', 'charolais holstein experimental', 'prolactin prl kappa', 'block high snp', 'considered appropriate simplicity', 'relevance igf2 substitution', 'lfw imf bfw', 'gave sharp qtl', 'affect preservation beef', 'aggressive pecking laying', 'lesion pleurisy lamb', 'date reported qtl', 'resistance screened', 'analysis 570 712', 'ncccwa genetic', 'player qtl', 'statement total', 'structure calcium signalling', 'trait analysed multiple', 'ipnv case snp', 'fat yield 10', 'pastoral farmer rely', 'pleiotropic quantitative trait', 'mandatory euthanization million', 'tenderness mt remains', 'duroc pig identified', 'gene gene network', 'landrace 23e 12', 'scrotal circumference', 'sex interaction', 'followed regression', 'phenotype international commercial', 'interesting genetic marker', 'post translation processing', 'pp 24', 'opportunity elucidate molecular', 'hsp90aa1 gene differentially', 'bmp15 signaling activity', 'analysis nrr', 'bull paternal half', 'bvs model conclusion', 'region bta19', 'selective white fat', 'trait meishan allele', 'allowed qtl affecting', 'genetic information physiological', 'proportion exotic inheritance', '49 bw49', 'bonferroni correction candidate', 'analyzed 370', 'score 10', 'confirmed snp', 'background heat', 'avium ssp paratuberculosis', 'acid c14 subcutaneous', 'investigated data', 'production reproduction trait', 'deduced amino acid', 'like meat', 'mastitis late', 'analysis conducted', 'ml conclusion result', 'enabling qtl', 'linolenic acid 18', 'ruminant production', 'individual reactivity need', 'revealed human region', 'threshold trait', 'alias myostatin mstn', 'lesser extent qtl', 'array population', '53 additional microsatellites', 'bovine gdf10 gene', 'microsatellite marker novel', 'polymorphism analysis conducted', 'analyzes host', '02 absent 95', 'trait associated response', 'yield py lactating', 'identified midpoint', 'source leg problem', 'direct biological link', 'high density gwas', 'region analyzed', 'strength represented', 'snp 232', 'secretion exoc4', 'mutation influence trait', 'allelic heterogeneity', 'differently calm nervous', 'aureus coli respectively', 'ssc11 33043081 overlap', 'immune response chicken', 'rflp pcr case', 'conformation fl', 'early stage infection', 'fat carcasses large', 'mortality grazing', 'highly associated', 'scale sce', '0088 0114', 'vaccination animal', 'omy9 explained genetic', 'multi marker regression', 'compared previous genome', 'fiber diameter fiber', 'lipid allele snp', 'regulating prrsv specific', 'study revealed fasn', 'rasgrp1 lcorl', 'myelodysplastic syndrome md', 'qtl detection new', 'multiple animal', 'fa composition backfat', '9379 bp including', 'level f0 individual', 'sequencing method used', 'consumption carcass meat', 'chicken abdh5 expressed', 'mrna expression subcutaneous', 'disease valuable', '24 single', 'date tbg', 'micrornas mirnas highly', 'thermal tolerance half', 'oncorhynchus mykiss aquaculture', 'qtl correspond fat1', 'involving snp', 'complex genetic regulation', '56 day', 'depth bde stature', 'trait led', 'data null hypothesis', '14 13', 'used study included', 'variety genome', 'fec used indicator', 'daughter calving ease', 'growth gga1', 'evaluation commercial', 'measured residual feed', 'microsatellite marker covariate', 'weaning growth', 'mutation fkbp6', 'locus small', 'typhoid globe especially', 'variable statistical', 'combining gwas pathway', 'result demonstrate lpl', 'testing set', 'indicate snp il', 'valine gtc isoleucine', 'genotyped generation', 'breed mutation', 'veterinary expert', 'individual different', 'used assign genotype', 'cutoff 001 significant', 'oocyte secreted', 'overlapping group', 'allow implementation measurement', 'estimate breeding value', 'close proximity play', 'family evaluated progeny', 'measurement family mean', 'variation lcorl ncapg', 'dj gwas result', 'ph ssc10 ssc13', '05 second step', 'new cnvs', 'data showed significant', 'previously associated eyelid', 'order access complexity', 'suggest commercial dairy', 'experience peak milk', 'cell different', 'gene conferring scurs', 'located omy27', 'allowed confirmation qtl', 'snp included model', 'trait sample conclusion', 'transcriptome profile', 'lhb induces', 'tnb identify single', 'rs424642424 significant chromosome', 'share stress cell', '64 log 10', 'averaged map', 'genome exome', 'region associated ultrasonic', 'mc4r proopiomelanocortin pomc', 'qtl abw ssc1', 'drop interval 38', 'igf2 snp', 'cow dna', 'performed meat', 'expression crucial fat', 'genetic variance harbored', 'identified significantly associated', '72 10', 'power quantitative trait', 'fat1 locus landrace', 'detected dna', '10 observe', 'kidney enriched inositol', 'parental strain', 'compare slick haired', '712 snp genotyped', 'age correlation trait', 'correlation locus consistent', '180 day paper', 'haplotype associated favorable', 'method ovine', 'alternative snp', 'equidistantly distributed autosome', 'affect milk trait', 'mouse gene', 'useful genetic selection', 'previous result biology', 'association displayed', '287 unrelated', 'correlation 69', 'mdv oncogene meq', 'family produced factor', 'weight chest', 'rbc red', 'qtl unrelated pig', 'normande montbeliarde step', 'function related metabolite', 'qtls aseasonal', 'metabolic rate comparison', 'step gblup application', 'depth lo weight', 'maker qtl analysis', 'phenotype group screening', 'qtl analysis conducted', 'maximal effect resulting', 'line performed', 'snp sc', 'qtl 90 suggestive', 'italian duroc antagonistic', 'marker dh dj', 'ptpn11 snp showed', 'component highly', 'finished grain', 'pedigree information univariate', 'reproductive disorder', 'intercross red junglefowl', 'different genetic locus', 'bfw leaf fat', 'pic estimated 2834c', 'role p2x3r sow', 'beneficial reproductive research', 'gene act form', 'mastitis enrichment', 'weight loss salting', 'improve selection', 'required confirm', 'associated sc german', 'high h2 h3', 'ssc5 result', 'later layer period', '45 151 snp', 'diabetes gene expression', 'information selection', 'detect epistatic interaction', 'scan qtls', 'acat2 igf1', 'association analysis 1001t', 'useful target', 'approach identify', 'highest ranking', 'conclusion application', 'allele 185', '125 846 474', 'animal carrying horn', 'canadian holstein', 'asga0085522 h3ga0056170', 'affect cm second', 'pic ranged', '10 snp significantly', 'value used', 'measurement fec', 'regression model tackle', 'rolling eyelid allowing', 'result using', 'disease ibdv marek', 'genetic component btb', 'correlation pre', 'bbl report marker', 'transcribed snp allelic', 'putative biological', '19 10 mixed', 'breed foreign', 'cattle population rest', 'semen trait duroc', 'beef cattle gene', 'lamb season analysis', 'result bonferroni corrected', 'terminal band arm', 'rs13684613 rs13684615', 'porcinesnp60k beadchip phenotyped', 'impact selective', 'meat color gga11', 'affect fat', 'wld 198 type', 'selected putative', 'characteristic related feed', 'genotype fatness', 'etec f4ac major', 'pig body', 'qtl fact agreement', 'incidence anal', 'domestic ruminant', 'unambiguously regarding effect', '25 phenotypic variation', 'abdominal fat 05', 'rs410336647 rs424642424 significant', 'layer belonging different', 'association identified scd', 'economic trait carried', 'consequently objective study', 'leicester scottish blackface', 'association study hanoverian', 'bta3 qtl', 'vertebra identified', 'breed confirmed previously', 'ipnv rainbow', 'used mixed linear', 'cm yellowness', 'commonly observed fast', 'dias0000861 asga0085522', 'synonymous snp 28', 'difficulty difficulty', 'cellular process involved', 'region based', 'weight generally joint', 'identified qtl shed', 'different horse breed', 'implicated polydactly', 'located nearby gene', 'record litter', 'sire genotyped successively', 'insertion prlr haplotype', 'human study observed', 'large standard', 'phenotypic variance epistatic', 'putative candidate', 'reveal genetic', '34 half', 'suffolk sheep presence', 'genomic variation characterized', 'hd imputed genome', 'used template pcr', 'holstein cattle le', 'bb710 pvrl2_c', '159 bp region', 'lung major region', 'trait 924', '719 holstein friesian', 'variation clinical', 'verified region', 'constraint sheep production', 'time ssc17 fourteen', 'breeding pig improve', 'fabp gene polymorphism', 'peptidase clec3b', 'studied population allele', '18 474 holstein', 'chromosome 20 mb', 'ssc8 tnb confirmed', 'blackface lamb', 'brown swiss population', 'method large', 'sow tnb total', '10 14 locus', 'gene essential', 'significant difference 05', 'adamts sost', 'total 35', 'male presenting ratio', 'control horse needed', 'population previously prior', 'shin circumference month', 'potential association carcass', 'map qtl associated', 'ssc5 spanned cm', 'chromosome showed nominal', 'snp2 snp3 snp4', 'genetic polymorphism appropriate', 'ssc8 qtl influencing', 'candidate gene causative', 'enriched distinct', 'activity enzyme', 'conservation human', 'erhualian sutai population', 'difference polymorphic', 'maturation trait extreme', 'furthermore rs419096188 associated', 'adg regulation', 'qtl allele simultaneously', 'pig sample', 'sw2409 sw839 sequencing', 'week 1730t significant', 'variance partitioned', 'metabolic rate suggesting', 'significance level fdr', '10 ked count', '385 white', 'marker resistance advantageous', 'showed nominal significant', 'goal building', 'androstenone indole skatole', 'pig recently', 'pleurisy objective', 'considered second group', '109 cnvrs', 'summary 28', 'identified analysis bigger', 'using moderate density', 'dairy sector associated', 'grass finished', 'qtls bf', 'pig conducted', 'classified control lameness', 'advanced genomic', 'dc 01', 'length sl9', 'consequently objective', 'sire 41', 'ability model', 'pathological bacteriological', 'result multiple single', 'europe south america', 'documented extensive', 'rarely applied infectious', 'linked ca', 'large genotype heavier', 'breed hap1 associated', 'discovery region', 'tnb 121', 'qtl peak sst_dg156121', 'effect case dominance', 'snp causal', 'got1 gpt nt5c2', 'gene searched genome', 'study qtl previously', 'map3k11 result', 'relationship matrix used', 'acute disease', 'european commercial line', 'suggested polymorphism', 'mapping conducted snp', 'background bovine mastitis', 'noncortical bmd lod', 'determining body', 'identification gene play', 'affecting daughter', 'sheep 95', 'significantly associated body', '20 strong', 'em male', 'pcr race predicted', 'associated genome', 'male higher manner', 'snp identified unquestionably', 'length pectoral', 'genotyping technology conducted', 'atresia occurs higher', 'obtained liver', 'genetic factor substantially', 'cart gene', 'expansion gene', 'following challenge', 'secretion gilt', 'set joint', 'oc osteochondrosis', 'decrease volume', 'fitted postulated pleiotropic', 'point genomic', 'determined using interval', 'low somatic cell', 'ontology pathway', 'loss south african', 'lepr polymorphism', 'moderately heritable 40', 'elevated expression', 'micronutrient utilization bone', 'gene eqtl colocalize', 'objective independent quantitative', 'confirm snp detected', 'role regulation adipogenesis', '28 mb ssc8', 'bta20 contains', 'relevant defect', '14 earlier', 'essential sustain normal', 'puberty sow described', 'nominally associated trichostrongyle', 'sheep better understand', 'included systematic random', 'related egg', 'weight skin percentage', 'member tox3 gene', 'environmental residual quantitative', '20 marker', 'report identification qtls', 'genomic information useful', 'associated ultrasonic backfat', 'provide step understanding', 'sheep lamb birth', 'study investigate genetic', 'selected generation', 'phenotype pcp initially', 'analysed significant', 'favourable genotype', 'known genetic component', 'xin actin', 'landrace lr', 'mqts aim', 'related metabolite energy', 'combined 17 bp', 'skip decreased insulin', 'responsible 11', 't32742468c sh3gl2 gene', 'unknown short tandem', 'false positive detected', '4α gene chinese', 'gwas fcr', 'region body', 'scan useful marker', 'approach qtl', 'ovlv infects quarter', 'weight qtl qtl', 'additive effect 550', 'measured infrared spectrometry', 'aim high', 'regulatory binding site', 'trait lightness', 'population challenged', 'rate comparison', 'research ma bw', 'demonstrated muscle', 'fleckvieh 812 holstein', '900 individual', '11 enzymatic activity', 'present population shared', 'trait selection danish', 'functional modeling genetic', 'genetic potential secrete', 'valued trait', 'highly immune suppressive', 'distance 250', 'located gene worth', 'phaeomelanin eumelanin', 'inheriting differing', 'membrane calcium transporting', 'epl score case', 'chromosome gain', 'ibk considered important', 'variation skatole', 'multiparous assaf', 'qtdt significant association', 'value interestingly snp', 'rw023 showed tentative', 'ptpn11 ssc14', '15 showed high', 'identified generation', 'ovulation mammal', 'common female parental', 'selection carcass trait', 'lepc total seven', 'death absence infectious', 'form postnatal', 'probability increased', 'individual association analysis', 'gene increased ovulation', 'candidate region fine', 'industry especially', 'random forest analysis', 'health benefit', 'disequilibrium detected', 'population consisted 12', 'xkr4 genotype', 'phenotypic variation affecting', 'mirnas group evolutionarily', 'component direction', 'material increase', 'study multigenerational', 'population general', 'abc10 contribute form', 'expressed brain hen', 'multi generational pedigree', 'test conclusion', 'effect region chromosome', 'capacity 21', 'constructed gene', 'dairy farmer ketosis', 'female reproductive data', 'protein ucp2 ucp3', 'locus analysis identified', 'recorded ultrasound location', 'set detect', 'lm measured 030', '60 cm ssc9', 'lesion ryr ecf18r', 'chicken fatty deposition', '417 son granddaughter', 'analysis principal component', 'breed green', 'integrity muscle lipid', 'trait question address', 'used perform series', 'identify polymorphism', 'qtl optimally incorporated', 'following slaughter', 'benefit consumer increase', 'forkhead box protein', 'large 13 20', 'likely controlled', 'conformation fatness score', 'associated specific reproductive', 'c14 percentage effect', 'population cross bred', 'coefficient sib produced', 'corticosterone plasma cis', 'coenzyme carboxylase', 'averaged cow', 'mapped body', 'age 46w', 'centimorgans new analysis', 'duodenum jejunum', 'marker linkage map', 'monophosphate activated protein', 'gene detected polymerase', 'result yellowness effect', 'metabolism muscular ph', 'validated 23', 'aim increase marker', 'weight drumsticks thighs', 'microsatellites used scan', 'detected 19 chromosome', 'expected dmi', 'identified conclusion qtls', 'bovine hgd transcript', 'neuronal cell surface', 'recorded grader visual', 'suggesting rad snps', 'smaller ww collectively', 'total 61 snp', 'chromosome eca 13', 'phenotypes genome', 'fat 01 prt', 'record association map4k4', 'conditional genome wide', 'dominated holstein qtl', 'ranged 58 82', 'important problem animal', 'coefficient largely ranged', 'mapped near acsl4', 'saturated fatty', 'm2 population m1', 'meat chromosome sw252', 'production trait considerable', 'rsnp nce7', '14 total genetic', 'alternative allele parental', 'protein responds', 'breed improve carcass', 'content milk danish', 'genetic effect employed', 'result possible', 'corrected value', 'german chosen genotyping', 'defect paper describes', 'antibody mapped proximal', 'week age correlation', 'productivity indigenous', 'infection hematological', 'bayesian technique', 'pig comprised', 'region bft', 'allowing simultaneous', 'fat significantly', 'glutamate metabotropic receptor', 'evaluated based result', 'scan genome', 'confirm qtl ssc6', 'snp 13', 'estimated genome', 'hsp90aa1 gene including', 'rate reflect', 'development morphology genetic', 'including purebred merinoland', 'estimated 2834c', 'information nearest', 'population consistent hypothesis', 'tibetan hen dermal', 'breed characteristic meat', 'backcross progeny identified', 'qtl fertility including', 'remaining cell', 'inferred haplotype snp', 'breed berkshire', 'mycoplasmal pneumonia', 'mapping result provide', 'study establish', '81 cm linkage', 'trait identified including', 'semen quality emphasized', 'provide significant', 'trait related metabolic', 'combination genomic relationship', 'relevant haematological', 'trait variance dna', 'causal gene trait', 'tryptophan hydroxylase tph2', 'txnrd3 polymorphism candidate', 'need fine mapping', 'assay including bovinesnp50', 'size type', 'cartilage important', 'duplication locus candidate', 'wide significance qtl', 'statistically significant milk', 'effectively study', 'avpcv detected chromosome', 'cattle hanwoo linkage', 'confirmed previous qtl', 'candidate selection region', 'demonstrates power', 'length carcass', 'map qtls located', 'influence number cd2', '25 microsatellite marker', 'antibody titre detected', 'fat 0001', 'lactation chromosome 14', 'linkage result hand', 'trait shear', 'explain 30 phenotypic', 'insemination ifl covering', 'fattening stage fatness', 'mapping previously reported', 'effect observed', 'srebf1 polymorphism associated', 'level statistical significance', 'jiaxian luxi', 'snp population specific', 'eps8 gpat4 respectively', 'genotype effect', 'collected individually 534', 'holstein bull pool', 'regulated feeding fasting', 'substrate reaction', 'behavior questionnaire brief', 'material method total', 'effect mirnas intriguingly', 'infection daughter result', 'extent perinatal mortality', 'shown expressed placenta', 'xkr4 genotype circulating', 'fat lg', '24 respectively expected', 'study reveals statistic', 'qtl affecting androstenone', 'aimed detect candidate', 'analysis chicken egg', 'observation differential', 'genome associated growth', 'imputed wgs 2515', 'gene effect include', 'mothering ability', 'resistance eimeria', 'identified scd', 'peak snp particular', '59 67 qinchuan', 'chromosome shown affect', 'component challenging', 'existence position second', 'genetic locus heritabilities', 'linked single nucleotide', 'beef steak', 'procedure prioritizing snp', '353 cm', 'investigate effect additive', 'expression mbl2 detected', 'candidate gene utilized', 'acaca cdna sequence', 'gwa result', 'poultry health economy', 'detect qtl provides', 'marker special', 'suggested haplotype', 'trait hard detect', 'immunocrits association', 'permutation analysis', 'calpain hugo', 'recorded resistant single', 'gene exon statistical', 'polymorphism causal difference', '360 chicken individual', 'ratio dmi adg', 'percentage proximal end', 'spacing mb genotyping', 'current selection increase', 'chain unsaturated medium', 'chineseholstein cow milk', 'arginine serine', 'clarify molecular background', 'study aid', 'tg showed significant', 'pp respectively', 'gene involved control', 'received little', 'resequencing entire', 'racing high', 'offspring f2 offspring', 'ssc4 hsa1 95', 'trait specific superiority', '619 landrace', 'descent haplotype make', 'designed flock', 'located approximately 93', 'submily member functionally', 'variation fineness', 'cattle html', 'encodes vitamin', 'including carcass weight', '924 snp snp', 'loss number', 'associated higher reproduction', '05 mutation figf', 'causal marker mutation', 'yield proportion exotic', 'insemination ai ram', 'day 14 convalescence', '0001 03 association', 'correlated 01 regional', 'duroc shanxi', 'long transcript', 'indicus feedlot', '47 copy number', 'inherited disorder', 'porcine chromosome ssc7', 'characterized porcine muc13', 'response protein', 'containing annotated', 'reveal genetic architecture', 'chromosome sex linked', 'located immune pathway', 'interval characterise qtl', 'region sus scrofa', 'utilized enhance', 'fish farming', 'measure highly significantly', 'independent replication data', 'genotype showed significant', 'jersey cattle genetic', '22 sire number', 'weight inbreeding highly', 'trait analysis porcine', 'affecting susceptibility mastitis', 'differs report', 'age class end', 'wise level broiler', 'family 054', 'including region ssc6', 'animal heterozygous', 'mixed procedure sa', 'chromosome bta bcse', 'helpful identify', 'testis growth', 'width positive', 'model assumed', 'nearly perfectly', 'bp indel silico', 'finger protein 149', 'spanning 31', 'including trait milk', 'mandatory euthanization', 'using single', 'odour main', 'ltnb lifetime', 'snp effect large', 'nervous important stress', 'gene polymorphism variation', 'male mediated crossing', 'qtl oar', '05 qinchuan cattle', 'cluster including callipyge', 'positive effect imf', 'marker centrally positioned', 'marker dik1054', 'decreased 05', 'existence complex host', 'quality snp achieved', 'play essential role', 'qtl region population', 'domain annotation support', 'improved factor including', 'influence chicken breeding', 'mean minor', 'discovery rate rhm', 'real time pcr', 'causing cholesterol deficiency', 'conducted identify qtl', 'kb critical region', 'provides new robust', 'qtl corresponding bacterial', 'il significant 05', 'generation backcross', 'exceeded 01', 'marker marker', 'lipopolysaccharide lp gram', 'regardless specie accompanied', 'circumcincta liv iga', 'important pathway rfi', 'population haplotype composed', 'probably owing selective', '15 false', 'influence gene located', 'state ibs', 'trait undertaken', 'animal solid', 'questionnaire brief', 'serum concentration leptin', 'hsa1 95 155', 'unavailable infected animal', 'holding capacity', 'divergent adult', 'white chinese meishan', 'vaccination available', 'protein axin1 gene', 'genomic region perform', 'marker body measurement', 'tested bull genotyped', 'provide framework integrating', 'power significant snp', 'boar intercross progeny', 'demonstrate altering', 'play crucial', 'marker density 30', 'width 05', 'bta 15 26', 'xianan population', 'model studying difference', 'calf contributed sire', 'rs80805264 identified genome', 'bmp15 gene ovarian', 'obtained cross analysed', 'testing applied adjust', 'complement cascade', 'large greater 20', 'promotor gdf9 significantly', 'weight myofiber', 'genotype allelic', 'weight stw', 'ssc1 12', '1417 holstein', 'ep snp', 'kinase associated', 'pig pig population', 'weight tibia', 'fat depth commercial', 'conclusion result hanwoo', 'locus qtl protein', 'development finding', 'disease salmonid', '43 phenotypic variation', 'recently fine mapped', 'seven qtl associated', 'chromosome snp exhibited', 'immunohistochemistry testis epididymis', 'mo age addition', 'nicotinamide phosphoribosyltransferase oligodendrocyte', 'calpastatin gene', 'position bta04', 'association support published', 'pparg cebpa showed', 'le cm', 'tick tick borne', 'composition measurement included', 'posse larger', 'characterize polymorphism', 'foundation statistical computing', 'identified tmem154', 'breed intensive', 'trait variation aseasonal', '10 cm 51', 'weight line 12', 'entire population challenged', 'circadian rhythm neurotrophin', 'snvs known', 'complete data benchmark', 'accuracy largest', 'genetic architecture trait', 'lipid composition beef', 'position established allele', 'immune function productive', 'transcription factor pleckstrin', 'lactalbumin lalba gene', 'breeding value gebv', 'identifying potential', 'condition affect', 'carcass trait postweaning', 'step understanding molecular', 'detected 28 genome', 'property mcp criticized', 'experimental meishan', 'mixture distribution', 'concave convex fold', 'scd locus identified', 'lmm based', 'explained le', 'reared grass finished', 'associated included', 'separately potential multi', 'general population estimate', 'disequilibrium test qtdt', 'fasn cast', 'israeli holstein cow', 'cm mean', 'marker improving meat', 'lightweight japanese native', 'altogether genotype', 'available substantial population', 'csn1s1 csn3', 'ham tc 05', 'basis research', 'obesity complex', 'flock subsequent entry', 'invasion respiratory pathogen', 'weakness partly influenced', 'indicated snp rs414302710', 'region include bta13', 'considered positional', 'fam184b ttl', 'consisting holstein cattle', '260 validation', 'calpastatin calpain gene', 'showed litter size', 'function 68 evaluated', 'oleic acid content', 'heteroscedasticity cpsa pleura', 'microsatellite based qtl', 'population sib advanced', 'performed generalized linear', 'previously identified major', 'set locus jointly', 'gene 74', 'trait increasing importance', 'tested bta2 10', 'horn length male', 'approach dissect genetic', 'polygenic trait rainbow', 'feathering 14 significantly', 'antibody summary', 'stallion difference homozygous', '100 single nucleotide', 'effect hip', 'exon1 g142a exon3', '78 heritabilities gwas', 'massively structured', 'holstein individual inferred', '200 shetland pony', 'univariate bivariate', 'obtained using permutation', 'level blood pig', 'taurus breed objective', 'qtl btas', 'direct selection abdominal', 'acid substitution amino', 'day lamb', 'parity qtl maternal', '61 snp chromosome', 'mutation affect', 'root sheath irs', 'sck1 second later', 'factor lack concordance', 'family comprising 378', 'significant qtl behavioural', 'cnv encompassing', 'lean fat tissue', 'snp 20 adjacent', 'hypothalamus pituitary', 'hcr1 tbrd identified', 'polymorphism flanking locus', 'candidate gene fine', 'locus allele tested', 'gene real time', 'density 30', 'qtl resource', 'method gwas', 'myostatin mstn gene', 'qtls pig reported', 'trait candidate region', 'lesion bone', 'cholesterol ct', 'specific discrepancy', 'puberty sow', 'qtl near vicinity', 'investigation conclusion', 'response term', 'genome association study', 'computer tomography ct', 'bos taurus improving', 'including snp rxra', '985 large white', 'ability 1206 significant', 'conclusion follow study', 'effort association analysis', 'population specific', 'pcr including additional', 'particular qtl', 'content 28', 'group evidenced', 'effect coming', 'kb region respectively', 'analysis total epistatic', 'revealed pig breed', 'family including 5221', 'represented snp', 'qtl flavour', 'variation associated genomic', 'cause high morbidity', 'linkage gwas approach', 'candidate gene surrounding', 'mediated proteolysis pathway', 'herd production level', 'studying gene role', 'biologically relevant', 'produce daughter', 'number tyrosine phosphorylation', 'cattle afflicted', 'genotype cow lower', 'fkbp5 gene', 'growth merging data', 'broad effect growth', 'ca aa genotype', 'day located', 'qtls possible', 'percentage gga14', 'sox support', 'cow identified', 'locus sheep', 'selection pig breeding', 'yearling height reg3g', 'describes mapping', 'cw locus pleiotropic', '18 53 16', 'c18 lm significant', 'ssc1qter number', 'produce 314 f2', 'background subfertility', 'average backfat thickness', 'qtl using denser', 'region 24 identified', 'associated component body', 'annotation implemented sus', 'sow fertility trait', 'insemination icf', 'screened sequencing 180', 'length fl condition', 'practice genetic', 'mapped basis', 'grk5 prospero homeobox', 'population neaurp population', 'total 1534 f2', 'shd fasting plasma', 'established using', 'fabp encoding', 'immunocrits 5312 piglet', 'underlies qtl clinical', 'based muscle tissue', 'milk yield effect', 'blup procedure', 'subsequent gene targeting', 'genotype identify candidate', 'infection dpi viral', 'severe disease causing', 'yield 34 genome', '35 kg', 'chain length', '2088 bp slc39a7', 'possibly correlated', 'expression study highlighted', 'color estimated', 'gga14 set candidate', 'informative rfi based', 'controlling rfi', 'juiciness roast', 'identification silico', 'analysis bonferroni', 'lpar1 prkag3', 'sheep using ewe', 'polymorphism using', 'cohort selected', 'purebred angus bull', 'finding major qtl', 'sib analysis confirmed', 'protein 445 amino', 'rate quantitative', 'result snp significantly', 'great economic impact', 'sfa respectively genome', 'status assessed dna', 'interrogate illumina porcine', 'parent diallel lot', 'tissue using genome', '1534 hen genotyped', 'marker resulting', 'unlike microsatellite', 'constituted 62', 'followed qtl analysis', 'wfe cumulatively', '31 10', '149 89', 'gene causing albinism', 'resistant bovine', 'chondrogenesis lack extended', 'genotype trait investigated', 'lg ab associated', 'research practical', 'basis horn development', '214 including 180', 'result following quality', 'grey black whilst', 'fecx olkuska ewe', 'chromosome qtl boar', 'greater muscle depth', 'internal parasite', 'loc100138021 taf7l', 'region qtl associated', 'epidemiological information agreement', 'bta mir 532', 'showed location', 'uc number', 'mutation molecular', '281 day ai', 'analysis genotype backcross', 'genetic variance large', 'cw cd bl', 'rfi2 rfi1 regressed', 'data 094', 'performed using data', 'experimental f2 pig', 'generally snp', 'cow genotype aa', 'family size statistical', 'interval analysis putative', 'tcap gene contained', 'analysis racing performance', 'list obtained classical', 'sw980 sw2456 sw1608', 'useful marker genome', 'vtn ssc12 lyz', 'region distinguished preferentially', '121 mb', 'mean ld', 'influenced milk', 'salmonella colonization', 'line caused qtl', 'recently study proposed', 'characterization qtl', 'measured dmi corrected', 'cross analysed', 'disease obesity problem', 'adapted environment furthermore', 'respectively conclusion based', 'genetic variance investigated', 'microsatellites new', 'effect mlk 940', 'trait fat related', 'qtls femoral', '105 holstein', 'mapping gene influence', 'incidence 18', 'luciferase report', 'snp genotyping technology', 'clearly distinguishing direct', 'mb accounting 90', 'puberty observed closely', 'resource population affect', 'identified noncortical bmd', 'signal showing significant', 'protein concentration milk', 'gene overall', '03 08', 'composition iberian landrace', 'qtl cited', 'associated sc', 'rfi genetic', 'cross trait associated', 'contained missense', 'comb dataset ref', 'bta18 subsequent', 'reproductive physiology classical', 'breed specific analysis', 'tnps major protein', 'beef cattle produced', 'identify genome wide', 'level significance region', 'observed bta 88', 'microsatellites qtl', 'snp snp combination', '13 marker', 'considering window mb', 'consists older bull', 'export great', 'study gwas meat', 'bft total', 'trait locus investigation', 'region ranged', 'total 867', 'diacylglycerol dag', 'weaning 05 16', 'jb2 respectively', 'cnvrs frequency correlating', 'determining piebaldism', 'qtl potentially', 'enriched positional', '36 holstein grandsires', 'accounted 71 10', 'percentage lower', 'total cholesterol ct', 'heritable 50 58', 'nm trait', '12 understand', 'associated control', 'ionization time', 'spacing 15', 'association fabp4', 'chinese erhualian boar', 'score longissimus muscle', 'evidence alteration regulatory', 'commercial broiler breed', 'high genetic diversity', 'result indicated polymorphism', 'area ratio significant', 'ghr ghrhr', 'le susceptible', 'linked single', 'role causing prrsv', 'rate qtl chromosome', 'metabolism total', 'area perimeter volume', 'association gain evaluate', 'mutation mstn', 'snp weighted', 'individual swine breeding', 'larger group animal', 'polymorphism level f0', 'new light understanding', 'difficult improve using', '11 trait related', '32 meishan', 'protein genotype', 'outbreak genome', '284 unique snp', 'affecting subclinical', 'appetite nesfatin pig', 'furthermore genomic', 'female produce 24', 'evidence overlapping', 'em localized', 'chr qtl corresponding', 'sd htr5a gene', 'fertility treatment heat', 'qtl ibd probability', 'translational suppression snp', 'group box tox', 'ovlv infection cost', 'pig second', 'available thousand marker', 'higher adrb1', 'drip loss fiber', 'padmscs insertion genotype', 'muscle bm detected', 'number 03', 'beta lactoglobulin', 'analysis related productive', 'parameter identified', 'marker initial qtl', 'ranging farrowed', 'single qtl explained', 'known contribute', 'position ssc12', 'analyzed seven genetic', '15 bac', 'field data used', 'difference associated', '60 genetic', '19 snp significantly', 'genomic sequence obtained', 'furthermore data suggest', 'identified locus chicken', 'seven large grandsire', 'sheep total 96', 'nucleotide polymorphism lda', 'interval containing annotated', 'objective paper', 'design analysis', 'dgat1 important region', 'including landrace large', 'low density lipoprotein', 'prl recorded', 'ultimate ph', 'result indicate instead', 'estimated body', 'complex trait phenotypic', 'analysis milk protein', 'segregating dominant', 'concentration serum', 'differentially distributed animal', 'infective agent', 'characteristic chinese', 'obtained use higher', 'tmw detected locus', 'information nucleus', '69 ab 108', 'circumcincta susceptible lamb', 'producer profitability animal', 'ssc15 54', 'obtained cow', 'used detect quantitative', 'lmbr1 fgf7 il16', 'ebv cattle', 'variation vital', 'additionally identified single', 'based previous quantitative', 'result rigorously tested', 'impact outcome gwa', 'carcass trait result', 'identified 38 candidate', 'individual snp1 ag', 'breeding candidate', 'highly significant qtl', 'identified novel snp', 'cnvrs proximal glutathione', 'pb way cb', 'carrying diplotypes h3h7', 'phosphorylation mitochondrial', '169 kg se', 'candidate gene initially', 'infected lolium arundinaceum', 'association located intron', 'porcine dlk1', 'aureus qtl affecting', 'positioned previously identified', 'strongly larger bw70', '286 868', 'v150i v315', 'identified genome region', 'trait including newly', '044 506 chinese', 'industry region sus', 'mapped study qtl', 'weight soft tissue', 'predictive factor', 'heritable categorical', 'method gwas estimated', 'soon realised complex', 'detect qtl analysing', 'examine snp', 'genetic variation meat', 'dly pig showing', 'experimental farm population', 'used exploit', 'gene influence fat', 'sire produced confirmed', 'younger bull similar', 'shown include quantitative', 'ld 54 32', 'chromosome electric location', 'gga14 analysed cross', '532 1166 correlated', 'covering candidate', 'polygenic effect total', 'conversion rate fat', 'high solid', 'snp analysis conclusion', '46 652 single', 'allele favored', 's0312 s0113 strong', 'trait used aseasonal', 'identification putative', 'cattle square', 'main cattle breed', 'heterozygous different', 'association muscle', 'detected work close', 'intake rfi f2', 'pork ph', 'cooked muscle', 'sib daughter', 'role regulating reproductive', 'investigate single step', 'avoid following', 'boar taint', 'validated study significant', 'snp identified located', 'underlying trait pig', '05 animal', 'ggaz data collected', 'utilized reconstruct haplotype', 'qtl search', '0001 snp', 'contributor mechanism', 'lg 82', 'associated foreshank weight', 'european hybrid', 'gene snp ccr2', '17 conformation', 'higher chicken h1h5', 'pig difference', 'illumina bovinesnp50 54', 'response se protein', 'mapping qtl inbred', 'analysis data 590', 'sc ebv suggest', 'vascular development', 'support presence', '057 612', 'exon lg gene', 'processing chicken', 'blupf90 family', 'present study investigate', 'located cm upstream', 'family characterize', 'conclusion characterized', 'crossing european large', 'day revealed', 'intronic snp genotyped', 'line selected high', 'affected clinical non', 'intron retention premature', 'bta14 bta15 interestingly', 'importance influencing', '60k porcine', 'outbreak fowl', 'introduced restriction analysis', '29 36 result', 'analysis offer', 'background rainbow trout', 'number fully formed', 'historical record able', 'qtl primary', 'sd9 explained', 'lamb extensive measurement', 'descent approach', 'gga10 gga14', 'animal deuterium', 'formation shed', 'common pathway affected', 'milk composition', '11 combined', 'suggested novel', 'encompasses 9379 bp', 'enabled positional', 'large scale generation', 'identification snp', 'determines dietary organoleptic', 'measured 21', 'heat intensity score', '91delgccaggggtgtgagcc influence', 'rare variant frequent', 'addition 53 qtl', 'general composite single', 'showed snp located', 'lei0101 used', 'trait locus pig', 'immune pathway', 'multivariate approach used', '3c polypeptide high', 'litter size trait', 'sequence variant', 'pd αs1 cn', 'activation protein phosphorylation', '20 11', 'aa genotype rs13997809', 'igf1 gene milk', 'shown rt', 'variant significant association', '35 trait analyzed', 'yorkshire berkshire breed', 'departure hardy', 'functional genetic', 'total white marking', 'associated 05', 'comparative mapping suggested', 'valuable qtl', 'leading cause', 'validate commercial', 'study evaluated', 'imprinting status', 'involvement resistance md', 'qtl stronger association', 'individual swine', 'favorable dressing', 'fw located', 'development post', 'longitudinal trait combined', 'domain 29 ttc29', 'wssgwas evaluate', 'number genetic polymorphism', 'correlation hamper', 'pattern consistent', 'result additionally confirmed', 'secreted milk', 'depth allele', 'commercial pedigreed', 'analysis order reveal', 'gwas oc', 'comparative genome sequence', 'carrier state resistance', 'ssc1 ssc2 ssc4', 'basophil ba', 'line diverged', 'gene evaluate effect', 'tumor birth near', 'breadth chicken', 'resistance early', 'pig born alive', 'mechanism high', 'pig adg', 'marker family previously', 'interval gene', 'performance using estimated', 'explained residual variance', 'cm rm006', 'trait expression level', 'microsatellite marker total', 'rw023 located promoter', 'characterized pronounced', 'region novel microsatellites', 'swine fibroblast indicating', 'lp3 overall lactation', 'obesity human', 'skatole breakdown liver', 'melanoma interaction observed', 'cg total 39', 'phenotypic variability genotype', 'shown rich', 'trait f2resource', 'expression level prlr', 'sequence analysis', 'result confirm', 'analysis performed ssc1', 'impact variant retrieved', 'possible role', 'simulation study performed', 'expression data powerful', 'data set ensembl', 'finally polymorphic', 'signaling coding upstream', 'hormone receptor fshr', 'white rest', 'compared traditional method', 'identify locus linked', 'analysis ibk', 'bull characterized', 'spotted phenotype time', 'candidate statistically', '080 05 compared', 'existence correlated effect', 'explain previous', 'reached suggestive significance', 'tyr581ser rw070 showed', 'variation tight', 'fat kph', 'identify qtl erythroid', 'tissue prior', '130 kazakh sheep', 'day carcass', 'floppy ear identify', 'difference resistance miescheriana', 'seven gene', 'bta qtl subcutaneous', 'animal contributed reduce', 'major effect large', 'nve 59', 'uncover understand', 'transcription factor signalling', 'accretion meat', 'liver weight heart', 'inferred sequenced animal', 'influential grand', 'evaluate french dairy', 'egg dark comb', 'goal estimate number', 'mirna target', 'necessary verify', 'suggesting considerable', 'silverside percentage', 'fat depth trait', 'map comprising', 'cloning causal', 'infection wg respectively', 'cycle maximum', 'measured loin asga0070634', 'affected vertebral count', 'confirmed published', 'rs42090224 rs42092174 rs42091426', 'deletion downstream region', 'hoxb3 associated tibia', 'trait significant economic', 'analysis variable region', 'characterization functional', 'different mapping', 'yield qtl estimated', 'genetic variant analysis', 'additional variant wildtype', 'parity ewe significant', '337 fertile stallion', 'inhibitory polypeptide', 'clinical epidemiologic', 'activin receptor iia', 'protein family member', 'symptom difficult identify', 'involved vitamin', 'age 300', 'mammary gland epithelial', 'infection trichostrongylus', 'validation study candidate', 'bta 18 sire', 'respectively significant association', 'epistatic qtl generation', 'rorc gene 29', 'genome reference population', 'productive trait', 'controlling food intake', 'demonstrate ph blood', 'missense mutation', 'ncapg gene reported', 'insight gdf9 expression', 'demonstrated porcine', 'analyzed streptococcus dysgalactiae', 'risk gene', 'gga24 gga', 'significant genetic correlation', 'dominance value estimated', 'weight 35 day', 'texel f2 population', 'associated ow 24296', 'egg laying finding', 'value genetic improvement', '55g significantly associated', 'trait detected included', 'trait population total', 'cost uk', 'architecture dynamic en', 'week life case', '07 significant snp', 'goat production', 'drosophila arabidopsis', 'performed genome quantitative', 'qtl nematode', 'obtained ssc12 qtl', 'dataset previously analyzed', 'predominantly duroc derived', 'study examination', 'consisting 321', 'genetic knowledge', 'genomic imprinting potential', 'gene searched additional', 'week week age', 'region major', 'efficiency gain residual', 'respectively body weight', 'study inbred', 'kinase activity', 'candidate gene bos', 'associated parameter', 'identify mutation combined', 'using qtl model', 'catalyzes rate', 'additional 25', 'qtl birth', 'comprised regressed estimated', 'mb ssc13 137', 'gene relevant pathway', 'variance clarify', 'rate nrr day', 'fabp4 tightly', 'sample missense', 'individual 19 f0', 'sow high', 'ankyrin gene test', 'controlling disease', 'implicated onset development', 'gene rw023', '00 23', 'effect snp 14', 'genetic effect', 'high fat deposition', 'assay refined', 'characteristic measured', 'osteopontin opn', 'diameter genetic parameter', 'affected gene located', 'mmtv integration', 'considered method', 'contained refined location', 'related compound androstenone', 'including average', 'effect individual rdhe2', 'ssgwas identify', 'ignore additional relationship', 'predicted mid infrared', 'feasibility using producer', 'maintain proliferative', 'scd snp', 'biomechanical strength sex', 'recorded health', 'especially swine total', 'located chromosome omy9', 'tissue seven chromosomal', '16 breed', 'significance chromosome 11', 'infanticidal sow white', 'use linkage', 'trait f2 population', 'represent class', 'sample crop', 'thickness previously', 'mapping approach detected', 'weight lfw', 'fmo3 member', 'danish jersey cow', 'design involving', 'polish olkuska sheep', 'bayesian bayesc', 'regulation dhps', '05 alga0057985', 'population genome', 'sheep different breed', 'bovine major histocompatibility', 'identify powerful', 'significant role complex', 'trait porcine chromosome', 'gene affect phenotype', 'vrindavani tharparkar cattle', '0011 measured', 'snp genotyped capn3', 'different line genotyped', 'identity level', 'grandsires 000', 'chemokine receptor', '426 human', 'disequilibrium ld genome', 'kinsella ranch kinsella', 'provided complete', 'cnv12 involved', 'general heritability', 'gene investigated', 'variation trait', 'report novel', 'creation predictor', 'genotype 2449gg', 'detect gene associated', 'ass association single', 'sc female', 'coding functional', 'possibly involved', 'response variable calculation', 'genotype growth ultrasound', 'predictor superovulation', 'additive result provide', 'correlation seven phenotype', 'genotyped using geneseek', 'fixed environmental', 'cross report seemingly', 'involved androstenone', 'receptor prlr gene', 'finding helpful identification', 'scurs horn polled', '139 pig meishan', 'visceral fat tissue', 'associated ibk disease', 'study used indication', 'progress elucidating underlying', 'genome breeding value', 'peak significance trait', '19 confirmed segregate', '89 cm 16', 'ebv pat result', 'manchega rasa aragonesa', 'qtl pair notable', 'unique validated', 'variable bayesian', 'better sensory', 'sib family susceptible', 'elucidate function', 'future selection', 'franches montagnes', 'offspring mortality face', 'hypothalamus confirmed nesfatin', '21 confirmed animal', 'asian pig', 'directionally associated genetic', 'female embryo', 'measure trait', 'multibreed meta', 'color cie redness', 'effect cpm', 'gene rb1', 'half sib data', 'substantial economic importance', 'method total 966', 'enriched lp', 'remain undetected study', 'snp locus lumbar', 'breed haplotype determined', '24 mb overlapped', 'using mirinz test', 'snp marker evaluated', 'region identified partial', 'disease finding', 'size experiment', 'androgen fewer', 'gene prolactin prl', 'novel method', 'replication secondly', 'intron remaining', 'factor igf2 identified', 'combination observed significant', 'suggests use', 'fat deposition composition', 'bta19 bta3 significant', 'detected single multi', 'measured ham value', 'japanese wild boar', 'dystocia reduced calf', 'suffolk texel commercial', 'using 124', 'interact affect', 'cattle quantitative', 'role obesity insulin', 'novel lncrna gene', 'result showed 12', 'associated cw week', 'suis indicated', 'variant hydrolase', 'respectively single nucleotide', 'spawning spawn', 'trait multiple mutation', 'express used qtl', 'high low sire', 'pcgs involved', 'industry pig association', 'reduce carcass fatness', 'resistant 150', 'chinese indigenous bovine', 'ssc9 68', 'denmark fld cattle', 'examination provide additional', 'module loading', 'selected snp located', 'proposed positional', '080 05', 'ninety microsatellite marker', 'identified large mapping', 'pig work', 'bta11 bta20 bta22', 'qtl qtl', 'trait nucleotide bw', 'bco2 enzyme', '73 member fam73a', 'content bco2 enzyme', 'background growth related', 'bovinesnp50 snp density', 'pax3 erbb3', 'clinical mastitis cm', 'sdp applied genome', 'segregating chromosome', '11 total', 'gene cluster family', 'difference somatic', 'endochondral ossification', 'finding provide replicate', 'dd lower', 'simultaneously removing significant', 'involved physiology beef', 'sample followed', 'program reported', 'locus qtl faecal', 'response variable scenario', 'age undergo', 'accurate estimate qtl', 'disease effect qtl', 'comparison traditional', 'model snp estimate', 'network interacted nerve', 'variant genotype', 'trait approximately 800', 'ankyrin repeat', 'scan 117 marker', 'flow seven', 'affecting md', 'ncapg non', 'horn given', 'jointly investigated lep', 'multiple pathogenic', 'intragenic variant explain', 'respectively total locus', 'year period overlapping', 'reductase decr1', 'considered important ocular', 'fat metabolism compared', 'leg trait respectively', 'independent cattle', 'cow genotyped using', 'indicate evidence effect', 'transport energy metabolic', 'region exon ppargc1a', 'variance breeding', 'marker performed', 'population aflp', 'chromosome 14 18', 'gene rs592076818', 'discovery population related', 'associated slope', 'finding applied semen', 'addition 33', 'role dominance', 'trait appears key', 'chromosome linkage analysis', 'transcription factor', 'genotyping based', 'limited improvement', 'observed palmitoleic acid', '12q13 14', 'gpihbp1 mrna abundantly', 'serum prolactin concentration', '883a runx2 gene', 'empirical 007 genotypic', '21 candidate genomic', 'decr1 012', 'shared bearing chromosome', 'use embryo', 'model continuing threat', 'quality trait vtn', 'association haplotype', 'order reveal individual', 'highlighted connection', 'wide level suggestive', 'nonesterified fatty', 'important maintenance', 'explain 87', 'extract protein ash', 'marker revealed significant', 'density genome', 'expression level observed', 'genetic relationship', 'chromosome chromosome 21', 'production trait novel', 'fatty acid fasn', 'including wnt3', 'useful improve', 'sequencing detect genome', 'resistance controlled', 'domain mttp', 'deposition obesity identification', 'production trait carried', 'analysis showed quantitative', 'overlapping significant chromosome', 'model reduced polygenic', 'involved digestive function', 'postmortem sensory', 'level 660', 'line selected abdominal', 'gga12 abdominal', 'commercial hanwoo steer', '556 second parity', 'chromosome 2p14 17', 'qtl live', 'study observed dgkb', 'important mineral', 'refine qtl location', 'analyzed 137 qtl', 'pcvd used select', 'bwt calf weaning', 'population red maasai', 'common genome wide', 'necrotic material', 'number locus', '30 observed em', 'considers analytical method', 'composition software matinspector', 'composition retinto', 'recognized pre', 'process 26', 'gene localized bovine', 'measured battery behavioral', 'sequence variation upstream', 'genetic variance bodyweight', 'animal different gc', 'sequence leptin gene', 'key ancestor cattle', 'parent seven qtl', 'highlighted additional locus', 'substitution exon', 'sd9 corrected', 'breed korean', 'snp 50', '13 985 large', 'allele rsnps', 'gwa partitioning', 'represented pathway', 'cm 70', 'cattle farmer reported', 'number horse half', '46 53 cm', 'capacity disease resistance', 'cause lameness dairy', 'fixed covariate', 'gga12 gga14', 'size animal', 'size trait conducted', 'candidate gene prox2', 'role induction patterning', 'mhc chromosome 20', 'predictor locus affect', 'snp locus mb', 'associated c18', 'platelet parameter', 'pleiotropic source variation', 'validate locus', 'bta 17 based', 'peck delivered fpd', 'taken result indicate', 'control genotyped 670k', 'mb interval', 'snp gene interesting', 'analysis variant associated', 'potential association prp', 'information conclusion', 'determinant diarrhea mortality', 'viremia 21 day', 'effect size performed', 'haematological parameter', 'transcription turn induced', 'largely consistent suggesting', 'determination r2', 'date little', 'effective genotype cd', 'microsatellite rm188 implemented', 'mir206 snp', 'criterion family', 'china segregated significantly', 'variation qtl similar', 'restriction analysis', 'novel variant showed', 'activated γ3', 'vav2 il12b', 'selection improve meat', 'receptor new polymorphism', 'eye area rib', 'ph lm', 'rfi qtl', '636a present different', 'phenotypic variance accounted', '10 snp identified', 'molecular contribution', 'ssgwas reproductive', 'milk qtl', 'verify result', '22 chromosome showed', 'associated leg weakness', 'adjusted non', 'examining genetic contribution', 'genotyped various marker', 'large unknown', '11 37', '01 23', 'cow uw', 'polymorphism tnf gene', 'mirna target network', 'mapping resolution subsequent', 'pig base fifth', 'using snpeff', 'dominance imprinting effect', 'group defined', 'condensin complex', 'improved ldla', '28 sigma rump', 'recently identified single', 'study imputed', 'allele frequency 136', 'data comprised 1151', 'weaned 10', 'correlation study expressional', '50 sib', 'bco2 cleaves carotene', 'f2 population trait', 'parallel bovinesnp50', '378 progeny tested', 'survival extreme form', 'baier layer', 'difference incidence pathogen', 'annotated est', 'locus nearby ccnd1', 'marbling purge loss', 'fecxg fecxgr', 'responsible 89', 'studied chromosome', 'haplotype qtl association', 'compared effect retrained', '46 snp associated', 'gene resolution', 'major haplotype 27', 'identified significant subgroup', 'region identified study', 'containing cast', 'wide oar3 oar14', '10 near', 'significantly associated residual', 'egg produced', 'association ld gm', 'end lactation detected', 'gm ssc3 ph24', 'melophagus ovinus', 'hardened caseous caecal', 'significant level comb', 'vaccination polygenic', 'udder health udder', 'stage 05', 'cattle holstein', 'muscle promising', 'dh compared', 'respectively report result', 'trait included total', 'analysis conducted adjust', 'delta breeding', '23 day breast', 'discriminant analysis', 'pig base', 'trait conclusion total', '16 prdm16 control', 'gene bola', '82 kg', '05 explained residual', 'analysis bta', 'confirmed affected thyroid', 'deletion open reading', 'specific genetic variant', '10r transforming growth', 'toxoid tt porcine', 'snp commercial pig', 'affect cortisol response', 'data achieve', 'conducted population based', 'poultry industry disease', 'showed remarkable agreement', 'decreasing concentration', 'additional locus', 'friesian sire mammalian', 'mstn harbor', '46 single', 'experiment analysis qtl', 'improved prediction', 'qtls pig growth', 'udder trait churra', 'known effect female', 'population difference', 'fetlock fm hock', 'g593a t824c c896t', 'probably act', 'marker tested bta2', '093 linear threshold', '1052 seq significant', 't30n segregating', 'role coat color', 'trait mapped livestock', 'cow alternative splicing', 'site eps8', 'trait correspond', 'using intercross', 'region located bta', 'charollais ram british', 'marker accounted variance', '100 fat', 'analysis date', 'response distal', 'variant snp', 'analysis revealed additional', 'lifetime number parity', 'haplotype differ', 'tissue mass present', 'hybridising custom application', 'avpr1a gene', 'functional polymorphism untranslated', 'curd moisture', 'main reason involuntary', '63 porcine', 'region identified pig', '05 compared chicken', '14 total 41', 'source associated', 'aldo keto', 'mouse similarly result', 'ryr2 nol4 meat', 'percentage qtl', 'angus 0275 simmental', 'upregulated increasing cwt', 'aim identify gene', 'protein conclusion', 'conformation muscularity', 'issue great', 'encompassing myostatin mstn', 'data research dairy', 'wise 05 significance', '173 association', 'flanking sequence used', 'nominally associated 01', 'resulted 452 457', 'locus regression analysis', 'inflammatory disease resistance', 'joint analysis resulted', '20 study', 'cause progressive', 'identify eqtls associated', 'variant gene coding', '49 034 snp', 'gin parasite infection', 'composition vrindavani cattle', 'qtl milk fat', 'cost scan', 'using square regression', 'fecundity local', 'runt domain alpha', 'agree obtained f2', 'analytic model', 'trait evidence', 'cycle using transrectal', 'ssc7 75', 'posterior distribution window', 'chromosome wise significance', 'twinning rate', 'response multiple antigen', 'apparently segregating', 'snp major window', 'trait indicine cattle', 'univariate approach varied', 'expression showed significant', '53 snp mean', 'breed slower', 'novel indels', 'parasite resistance genome', 'breed indicating intensive', 'fat high', 'geneticist include', 'prlr located', 'compared homozygote', 'debvs regardless', 'metabolism inflammatory', 'snp 03', 'genetic architecture associated', '15 contiguous', 'areb6 substitution', 'corrected number weaned', 'like thbs2 shh', 'variant 10', '75 revealed brahman', 'investigating postmortem', '10 suggestive', 'result implied', 'single genetic variant', 'gene worthy', 'cattle thirteen allele', 'qtl close swine', 'key challenge', 'significant snp differing', 'mbl1 genotype', 'spermatogenesis male', 'associated rfi enable', 'catalogue polymorphic', 'autosome bta bta5', 'iroquois homeobox snp', 'stress response detected', 'plus suggestive', 'types snp', 'respectively seven', 'mapping identify', 'previously high', 'chromosome coincided known', 'lactation 01 observation', 'fabp4snp2774c fabp4_μsat3237 qtl', 'novel snp novel', 'outperformed microsatellites', 'snp promotor', 'total absence', 'received alternate haplotype', 'study independent', 'imputation strategy', 'provide location associated', 'trait investigated', 'genomic blup', 'dairy cattle carboxypeptidase', 'mutant genotype validated', 'locus fatty', 'mir133b snp', 'practical relevance snp', 'accuracy korean', 'grid qtl web', 'healing skin', 'behavioral trait growth', '99 mortality blood', 'effect improve', 'ear feature', 'trait simultaneous dimensional', 'assisted selection chinese', 'trait primarily affected', 'belgian draft', 'genetic variant fshr', 'controlling overall balance', 'based mixed linear', 'heritability reproduction', 'oocyte conclusion', 'property result', 'production lean meat', 'tolerance coefficient ca', 'associated genomewise significant', 'field novel object', 'qtl scan performed', 'used oc fetlock', 'estimate variation', 'muscled body', '14 animal carrying', 'prnp reported', 'background innate immune', 'porcine snp array', 'difference traced', 'strong genomic', 'cd46 transcript', 'shared association', 'count fec', '15 cm yield', 'rtn validated', 'snp associated rfi2', 'association analysis gwas', 'resistance counted separately', 'decreased hind', 'caused functional mutation', 'chinese sutai laiwu', 'number area crucial', 'sequencing pcr rflp', 'showed contrasting prevalence', 'trait 30', 'position 29', 'breed cross', 'cv highlighted based', 'mcv 10 ovine', 'brahman cattle study', '2013 fleckvieh', '22 mb chromosome', 'genotype approach', 'disequilibrium equine', 'associated protein 80', 'ebv based', 'exon 14 trait', 'sib pair revealed', 'regression coefficient', 'gene polymorphism affected', 'lepr leprot', 'region utr association', 'implemented association analysis', 'heifer pregnancy qtl', 'cloned cdna promoter', 'receptor mc4r meat', 'pair gene centromere', 'phenotypic variance number', 'involved risk', 'control infection', 'effect detected absence', 'linear skeletal measurement', 'estimating snp effect', 'protein albumin', 'yield ghr', 'marbling score mar', 'stature feed efficiency', 'analysis related', 'industry objective study', 'snp analysis regional', 'highly viable', 'equine industry significant', 'study segregating', 'effect animal recalculated', 'strongest association marbling', 'evaluation teat', 'heterozygous sire positionally', 'brief description', 'qtl dq static', 'carcass performance core', 'taste meat quality', 'commercial holstein population', 'corrected suggestive', 'considered candidate region', 'transport protein', 'treatment mastitis parity', 'bac containing gene', 'ssc13 harboured', 'based seven', 'level fat percentage', 'genomic selection feed', 'specific qtl', 'decrease elovl6', 'individual 26', 'study propose use', 'qtl chromosome affecting', 'classical swine fever', 'relative advantage model', 'eaat2 233g allele', 'umami overall liking', 'measure ovlv', 'increase sample', 'possible biological mechanism', '20 located conserved', '1894 kompetitive', 'dl different', 'gene encodes protein', 'sscx peak 50', 'associated insulin secretion', 'effect growth trait', 'detected snp fmo5', 'snp time', 'breed male white', 'low growth chicken', 'qtl estimated s0008', 'derived population founded', 'map main', 'need validation larger', 'score effect', '04 protein', 'affect dairy cow', 'semimembranosus sm', 'identified close kit', 'corresponding kleiber', 'protein low', 'identified functionally', 'milk decreasing', 'atp5b similar', 'equine ocd fetlock', 'sexual maturity measured', 'significant association salmonella', 'function future marker', 'analysis ovulation rate', '30 marker', 'shearing pleiotropic', 'association observed hap1', 'strategy allow number', 'single multivariate', 'improving sow lifetime', 'qtls white duroc', 'gene family conclusion', 'knowledge gene previously', 'growth meat trait', 'cause equine', 'shared hcr1 tbrd', 'gwas conclusion', 'homozygote finding', 'breed chi', 'furthermore utilized', 'map chromosome association', 'combined result', 'harvest 299', 'chromosome level fdr', 'member mitochondrial anion', 'accuracy largest additive', 'infection regarding', 'nln empirical', 'vaccination md continues', 'cross generation', '82 low moderate', 'bull genetic evaluation', 'estimate heritability phenotype', 'prox1 gpcr 155', 'variance harbored', 'opposes sexual selection', 'mbl1 mbl1', 'gene significant association', 'produce cheese', 'used drop snp', 'respectively finding provide', 'haplotype block including', 'advance sequencing', 'value best', 'better inflation rate', 'psychotic illness puerperal', 'blindness affected cattle', 'qpcr haplotype', 'quality characteristic beef', 'phenotypic variance birth', '60 day artificial', 'total saleable', '05 association cl', 'population 81', '169 23 171', 'inherited eye defect', 'analyzing validation', 'gene qtl contains', 'positive mapped', '10 fcr', 'comparison candidate qtl', 'ph decline 24', 'feed efficiency nelore', 'ci analyse', 'search causative mutation', 'fatness pig chromosome', 'trait bta using', '31 paternal half', 'detrimentally influencing female', 'qtl analysis examine', 'correlated trait number', 'gpihbp1 mrna expression', 'ssc5 coq9', 'provide opportunity improving', '14 associated effect', 'pleiotropic qtls controlling', 'characterise variability', 'phenotypic variance total', 'enable bovine improvement', 'gene analyzed association', 'dusp6 gene', 'heterozygosity used', '205 adjusted', 'allele individual', 'kdm5a gene strong', 'prnp gene marker', 'selected 96', 'kg tended associated', 'ovine 50k snp', 'meta analysis used', '180 amino', 'fraction basophil', 'mainly localized ssc1', 'population effect greater', 'marker panel far', 'population used measure', 'phenotypic data fat', 'family swedish', 'effect 05 ph', 'bm number', 'gga4 tibia width', 'respectively important quantitative', 'approach exclusion', 'variance imf', 'ear size chromosome', '13 27 qtl', 'new microsatellite marker', 'effect qtl body', 'reaction restriction fragment', 'fertility peak', 'based genotypic', 'animal rapid', 'density porcine snp', '13 18 marker', 'fat heavyweight', 'kcnip4 gja5 cbfb', 'lep gene sequencing', 'qtl lipid', 'understand knowledge genetic', 'chromosome 14 10', 'cis 18 trans', '33 marker', 'omy16 additional suggestive', 'constructed 50 924', 'second step aimed', '01 conclusion qtl', 'square method used', 'domestic pig 19', 'significantly correlated fatty', '31 chromosome', '26 95', 'static qtl1 chromosome', 'underlying fat', 'interaction evident aim', 'genotyped 158 crossbred', 'location chromosome', 'thigh marker added', 'age 10 11', 'located proximity gene', 'respectively candidate', 'study report using', 'association body', 'ssc9 fmo5', 'cattle totally', 'bamei association', 'showed phenotypic', 'total seven', 'suggest primary function', 'trapezius lean', 'fertility study examination', 'growing commercial broiler', 'stage parity', '42 35 23', 'program incorporating', 'correlated effect', 'annotation analysis used', 'genome scan qtl', 'past study', 'offspring evaluated', 'illness aim', 'detected sequencing lepr', 'common country significant', 'cross breed cattle', '19 chicken chromosome', 'cow derived genotype', 'interval le cm', 'union set 856', 'antral follicle count', '19 bp upstream', 'f2 population objective', '5305c affect milk', 'second peak region', 'pufa content accelerate', 'factor mitf', 'chicken genotyped using', 'genome wise error', 'massarray matrix', 'duroc boar evaluated', 'linking cortical', '279phe used increase', 'gene highly significantly', 'affected fat yield', 'test investigated joints', 'block formed additionally', 'transcript enriched', 'study expression', 'effect cnvs likely', 'locus mapping outbreed', 'fitness accelerating', 'stress response end', 'region regional', 'chromosome gga1', 'statistical analysis linear', 'unfavorable allele', 'german large white', 'polymorphism covering', 'resource population genome', 'asp582gly 3290c', 'accumulate large genotype', 'background aim identify', 'function result', 'conclusion study', 'indication region', '419 protein', 'provide information new', 'respectively total 36', 'help avoid tt', 'additional evidence mutation', 'white individual 531', 'measured steer series', 'critical target', 'association fertility study', 'hucklebone width breed', 'predominantly teladorsagia circumcincta', 'snp fdr portion', 'model search tumor', 'identified single', 'cacna1s traf2 rela', 'cattle shown', 'pair detected', 'mb qtl equine', 'infection fecal', 'ct gg', 'cassette abc', 'cla included', 'ebv reliability taken', 'composition quantitative trait', 'cm 10 cm', 'length bta2', 's2 qtls significant', 'effective reduction', 'value gebvs converted', 'polymorphic genotype differentially', 'necessary refine', 'shearing oar11 weight', 'comparison syntenic est', 'dairy product', 'copb1 gene', 'data used linkage', 'white alpine', 'region harboring relevant', 'red family', 'harbor non synonymous', 'trait mammary', 'association second comprised', 'eradicating disease', 'exploited diagnose predict', 'principal finding genome', 'qtl trait conclusion', 'body blood', 'ssc11 qtl', 'genome thirteen marker', 'porcinesnp60 beadchip 62', 'npl analysis maternal', 'cattle susceptibility btb', 'heritable 40', 'comparable callipyge', 'snp detected dhps', 'contribute increasing', 'fowl white plymouth', 'mirnas precursor mirnas', 'response variable genome', 'population end', 'cluster formed using', 'assay result showed', '91 10 198', 'muscular development gene', 'normande bta01', 'suggested author difficulty', 'region bta6 snp', 'gpat4 revealed', 'exert effect', 'showing association', 'ab aa sow', 'generation inter', 'approach considered complementary', 'relatively small fraction', 'snp perfect linkage', '2283 2065', 'limited expressed late', 'snp bovine genome', 'genotype differ', 'chicken experimental cross', 'heterozygote disadvantage region', 'qtl bta 14', 'significant qtl parasite', 'sequence 916 variation', 'disease 700 kb', 'qtl revealed boar', 'unaffected half siblings', 'level explaining phenotypic', 'remixed new group', 'population thousand', 'thickness association analysis', 'family segregating', 'superior tt gg', 'area lumbar bft', 'inheritance included fixed', 'fescue infected', 'exact localization qtl', 'maintaining barrier', '05 fi', 'account 54', 'potential regulatory function', 'sm ssc3 ph', 'af bm trait', 'mir 27a gene', '22 locus shared', 'marker covering chromosome', 'different genome', 'complexity underpins horn', '10936g haplotype', 'overlapped qtls', 'stallion fertility aim', 'ewe egypt correlate', 'age yearling', 'upregulated downregulated', 'used growth curve', 'causal variant using', 'mammary gland present', 'body slope', 'detected conclude polymorphism', 'whey protein lg', 'larger lma', 'including retained', 'fabp4 gene', '22 putative quantitative', 'marker porcine trait', 'cell remain', 'present day commercial', 'used deviation mean', 'analysis indicated substitution', 'body weight determination', 'acid accession', 'region genome associated', 'dj total 787', 'polymorphism qtl', 'result qtl', 'performance genome scan', 'computerized tomography', 'bmt qc jx', 'colonization cattle new', 'marker trait analysed', 'highly associated horse', 'risk fetlock', 'cooperative research centre', 'genetics temperament', 'property enhance direct', '05 similarly haplotype', 'hind leg meat', 'lead snp 10', 'chronic inflammatory', 'gd higher dh', 'marker complete', 'recent qtl gene', 'indicative alteration morphology', 'ibd score', 'showing genome wise', 'measurement pig population', '04 qtl', 'gh locus trait', 'created used ci', 'qtl outbred commercial', 'research focused genetic', 'resistance susceptible allele', 'ssc8 chromosomewise significant', 'intercross population chinese', 'sequencing exon intron', 'increase mycobacterium', 'allele snp3_t', 'strong candidate factor', 'test asp298asn primarily', 'indicator trait udder', 'kinase ripk2', 'bta14 key chromosome', 'virus long', 'adrb2 gene generally', 'approximately 15', 'expected affect bone', 'sow significant difference', 'bta14 revealed', '1293c 1311t', 'gene covering', 'broiler study investigated', 'major minor suggests', 'seven popular', '25 qtl interval', 'phenotype genotype based', 'analysis demonstrated', 'qtl described', 'effect backfat thickness', 'cow daughter 11', 'sib analysis multiple', 'acid 0001 0125', 'novel polymorphism', 'pi pietrain', 'frame encoding', 'kinase amp', 'estrus ovulation', 'sharing data possibly', '21 22 24', 'research differentially expressed', 'number teat nte', 'identified brown swiss', 'strongyles genus', 'report complete genome', 'using 012 large', 'function regulation', '05 fabp', 'hormone hypothalamic pituitary', 'region sire homozygous', 'prolificacy qtl', 'irs4 considered positional', 'carcass trait allele', 'polymorphic line showed', 'candidate milk protein', 'affecting raw firmness', 'trait economically significant', '5240a 5305c affect', 'ebv litter size', 'grade pale', 'category pathway like', 'nsb1 nsb2 possible', 'significant 05', 'significant snp based', 'weight shin', 'chromosome including genome', 'growth tail wing', 'training set increased', 'test asp298asn', 'used linkage analysis', 'progeny difference computed', 'respectively iv', 'pi compared age', 'sampling method method', 'transcript level skeletal', 'integrated map provides', 'polymorphism information content', 'largely different', 'synonymous snp snp', 'variation underlying variation', 'useful dissecting complex', 'adrenal gland correlated', 'dna sequencing technology', '758 40', 'left significant', '1570 primiparous cow', 'supplementary marker', 'average piglet litter', 'lean bf', 'genetic source', 'cm 05 quantitative', 'breeding pregnancy status', 'explore genetic mechanism', 'week highest', 'cow germany', 'snp located immediately', 'steer sire', 'identified similar region', '60 61', 'strategy disease currently', 'thrive syndrome', 'breeding feature', 'showed association', 'consistent strong', 'considered genome snp', 'dmy protein', 'rat pig', '1410 day', 'research provide', 'study spanish purebred', 'total 461 individual', 'log10p 68 breed', 'metabolism imprinting effect', 'provides advantageous', 'semen ph value', 'insemination station', 'subunit related', 'salmonid aquaculture', 'gpt female report', 'seven eighty', 'factor central', 'interval qtl elovl6', 'bovine gli3 gene', 'fcr genotyped', 'marker level', 'lowest 16 high', 'use eth10 genotype', 'efficiency improving', 'rfi useful', 'related trait chicken', 'ssc1 confirmed', 'weight qtls', 'yield liveweight differ', 'dam backcross bc1', 'training set 820', '01 snp pair', 'hematological parameter hematological', 'nominal significance effect', 'time point candidate', 'variance respectively study', 'day ssc6', 'dataset 1200', 'genomic estimated', 'provides alternative complementary', 'qtls meat color', 'peak peak tolerance', 'data enabled estimate', 'effect additional', 'snp calling rate', 'respectively chromosome region', 'atf areb6 substitution', '100 breast', 'focused detecting', 'multivariate univariate approach', 'contributor genetic variance', 'level map', 'egg laid specific', 'model result quality', 'sire included', 'tmw percentage cw', 'interpreted carefully result', 'level largest', 'values 071', 'cattle specimen mutant', 'infestation body weight', 'set step size', 'fat fatty', 'association chromosome highly', 'livestock breeding', 'measure hatch adulthood', 'higher cc significant', 'sheep conducting gwas', 'elisa test led', 'insight novel', 'allele enhanced growth', 'mtnr1a gene 420', 'comparing survival', 'region bta11 contains', 'evaluation strongly considered', 'twice sample size', 'ontology medical subject', '600 estimate genomic', 'trait single', '486 steer', 'marbling difference', '18 related', 'intercross slow growing', 'detected joint', 'effect weighted single', 'number af549499', 'sequencing bovine', 'showed molecular function', 'backfat thickness ib', 'locus pleiotropic favorable', 'v33a snp genotype', 'including plag1 lyn', 'response klh experimental', '20 line', '47 sd imf', 'distance using dbsnp', 'dosage est', 'population 12 gilt', 'pork tenderness use', 'source qtl', 'cow average', 'stearic fatty', 'identified gene module', 'analysis trait gene', 'grazing communal', 'pit selected', 'height important', 'respectively higher', 'snp marker used', 'underling variation', 'chromosome used improve', 'reported novel qtl', 'trait implying growth', '777 962', 'map position major', 'nppc mthfr', 'gene identified contribute', 'likely exhibit', 'derived genotype association', 'overall balance', 'qtl common hm', '05 compared aa', 'affecting growth meat', 'motility parameter', 'detected different leg', 'snp selected included', '62 163 single', 'snp fm244720 400c', 'conducted fy body', 'genetic variation bd', 'puberty selected genome', 'remain underexplored study', 'concluded gene 13', 'variation offer', 'genotyping beadchip based', 'ifl interval', 'located primary micrornas', 'encyclopedia gene genome', 'multivariate qtl detection', 'population seven snp', 'fine map bta17', 'mechanism hopefully', 'count conclusion result', 'trait completed', 'snp perform genome', 'beef cattle', 'polymorphic locus significantly', 'similarity carora', 'foundation investigation identify', 'mtdfreml initially', 'majority european', 'predicted transcription', 'stw small', 'animal conclusion association', 'junglefowl intercross', 'sc support', 'ier5l cpt1a sucla2', 'predicted high damaging', 'gene effect hairy', 'ssc2 ssc7', 'slc39a7 10 different', 'line earlier published', 'spanish churra', '48 allele 49', 'immunised 40', 'identified association single', 'standard refined', 'acylcoa diacylglycerol', 'microsatellite marker examined', 'gene strongly', 'proportion additive', 'gene annotation', 'shift probe', 'source human salmonella', 'resource population based', 'ros0025 marker individual', 'micrornas precursor', 'independent validation', 'performed trait breed', 'snp based association', '05 additional', 'dpp6 dipeptidyl peptidase', 'act putative', 'compare qtl', 'animal carrying haplotype', 'exercise ischemia', 'quality trait serum', '387 single', 'trait locus genome', 'share causative', 'strain 28 day', 'analyzed 38 trait', '13 suggestive', 'better quality', 'belgian warmblood horse', 'phenotype data', 'intake body weight', 'association analysis estimate', 'genetic difference wagyu', 'character chromosome', 'useful information investigation', 'generation energy growth', 'important role pathway', 'potential provide', 'corroborated oc', 'chromosome oar influencing', '26 single', 'data applicable', 'identified resulting non', 'suggested npffr2', 'yield cumulative', 'bovine mastitis exception', 'marker selection boar', 'viral clearance', 'flavin containing', 'respectively kegg circadian', 'including sp1 creb', 'sh3 domain grb2', 'recombination rate marker', 'genome wide qtl', 'linear measurement', 'hypothesized gene pathway', 'serum biochemistry', '7258 bp mitf', 'fto ryr1 lipe', '49 691', 'genotype 337', 'identified 28 significant', 'rnf38 trim14 nan', 'tenderness omega', '15 py', 'seven genome chromosome', 'trait measured 987', '2058 italian', 'sire belonging', '46960 genome', 'probably reflecting effect', 'genomic effect influence', 'qtl identified previously', 'key player', 'like odour', 'cnv region cnvrs', 'scrapie infected animal', 'meishan population 333', 'gabrb2 gabrb3 hsf1', 'selection reached gene', 'later nsb2 parity', 'qtl region bone', 'shh lmbr1', 'data adjusted systematic', 'effect androstenone', 'trait black white', 'examination using', 'approach includes', 'modified granddaughter design', 'mapped french', 'qtl analysis epistatic', 'pebp4 significant', 'scc log transformation', 'coli etec major', 'fcr method', '30 standard deviation', 'half individual', 'respectively intramuscular fat', 'ntn1 consistent', 'gga2 related bl', 'bw important', 'bovine gnas domain', 'linkage 51', 'revealed region multiple', 'routine vaccination', 'located promoter region', 'previously described nonsynonymous', 'set genotyped', 'sample pedigreed jersey', 'haplotype group', 'pak1 aqp11', 'reproductive function searched', 'abomasal ph', 'effect snp rs29018921', 'gene enhancing', 'corresponds human', 'coding swine heat', 'aquitaine breed suggests', 'breed detect snp', 'drum thigh gizzard', 'following trait body', 'polymorphism associated', 'study involving', 'staphylococci staphylococcus aureus', 'trait human animal', 'vimentin support role', 'aimed identify genetic', 'bta 28', 'lactation concentration milk', 'casein allowing', '10 additive dominant', 'meat characteristic indigenous', 'qtl eca7 genome', 'unambiguously regarding', 'total 739', 'adg midpoint metabolic', 'qtl analysis provide', '56 kg 021', 'circumference ssc17', 'holstein cattle influenced', 'fold ridge', '10 haplotype', 'best nonlinear model', 'contributes identification', 'carcass weight evisceration', 'effect breed', 'study aimed identifying', 'variance polyunsaturated', 'phenotype association milk', 'landrace yorkshire hybrid', 'bcse lead insight', 'prrsv infection result', 'yorkshire pig strategically', 'recorded grader', '10 reggiana', 'gain adg nellore', 'genotyped 250 genetic', 'intramuscular fat deposition', 'bulge20 bm81124 marker', 'carcass analysed', '46w e46', 'previously reported gwa', 'identified gene promising', 'cm previously', 'staining indirect', 'bta6 identified snp', 'chromosome 14 quantitative', 'index measured association', 'ggaz conclusion', 'accuracy bayesian approach', 'informative marker poorly', 'correlation parity 77', 'gpe cycle vii', 'susceptibility swine ep', 'qtl 18 affecting', 'addition 11', 'dairy cow characterized', 'inherited mstn', 'blup fourteen window', 'morphology altered', 'propose polar overdominance', 'tropical subtropical', 'suggested effect adjacent', 'concentration cattle different', '01 lower age', 'respectively snp gene', 'related myogenesis', 'remaining animal 12', 'study association mutation', 'microsatellites representing', 'qtl ssc12', 'breed applied', 'jointly contribute', 'identification candidate gene', 'qtl alkaline phosphatase', '10 suggests', 'gene scube3 kdr', 'mapping method family', 'chicken 17', 'sensorial technological measurement', 'red comb', 'group inter', 'outcome reflect', 'relevant association decr1', 'rg 08 13', 'period allow', 'trait confirm presence', 'decrease number candidate', '08 homozygous', 'canchim zebu cow', 'associated hcr1 tbrd', 'r2 mb', 'early feathering study', 'function reported', 'acid 784', 'quality analysis', 'variation variation', '002 dominance effect', 'hopefully possibility', 'associated effect muscle', 'duroc breed differ', 'color distant', 'pp estimated breeding', 'teat udder score', 'resource population originating', 'interaction trait milk', 'dc lower', 'locus contributing height', 'stat signaling natural', 'confirmed finding gwas', 'heritable dh dj', 'trait detected 57', 'eukaryotic translation initiation', 'discovery rate 32', 'million test', 'sequence heterogeneous stock', 'lactalbumin lalba', 'quality pedigree imqp', 'age 46w e46', 'identified 93', 'mammalian fetal growth', 'pathogen recognized presence', 'pig significant pod', 'data improve', 'north american dairy', '16 rao susceptible', 'role adipocyte differentiation', 'record individual', 'regressed coefficient', 'sire higher percentage', 'association study gwass', 'array 02 03', 'effect population window', 'ion gradient biological', 'different genotype infection', 'femur humerus', 'production nordic red', 'chicken carcass population', 'gene affect important', '40 substitution effect', 'effect polymorphism', 'animal weighed body', 'rest breed', 'c14 index c18', 'ncapg encoding non', 'strong qtl effect', 'pair sibs broiler', 'study gwas bone', 'genotyped heifer', 'effective ma requires', 'improved predictability', '108 mb', 'matrix metalloproteinase', 'mll estimated using', 'awassi ewe polymerase', 'assist search', 'explain additive', 'pcr rflp method', 'rtmb ensbtag00000037306 mirna', 'cm fy', 'milk mineral', 'mapped position', 'specie different', 'rate genomewide', 'older bull time', 'marker resulted discovery', 'measured included hot', 'control total', 'dhps catalyzes step', 'regulatory mutation summary', 'sib family available', 'snp card15 gene', 'yield ingenuity', 'affect milk mineral', 'growth rate 22', 'gg genotyped', 'stage genome wide', '175 ng', 'kb containing gene', 'acting complex multi', 'chicken fatness muscle', 'associated vl identified', 'selected common', 'marker holstein population', 'extract protein', 'fatness trait result', 'contractile type relative', 'intragenic region', 'pleiotropic effect backfat', 'activity calpastatin cac', 'effect included additive', 'marker bta04', '34 874', 'australian selection index', 'existence host', 'line different susceptibility', 'phenotype tolerance', 'ifn gamma', '19 51 phenotypic', 'association fastmremma', 'attraction lymphocyte', 'numerous candidate', 'structure ignore', 'klh experimental', 'injury pathological event', 'production trait investigated', 'data experiment', 'heterogeneous effect', 'acid group', 'health received', 'use microsatellite data', 'fabp mutation chicken', 'breeding quantitative trait', 'allele bw', 'ewe bluefaced', 'weight bft respectively', 'allele production', 'outside qtl ci', 'acaca gene directly', 'myadm family', 'unrelated pig 15', 'length loin', 'spp1 promoter', 'ssc region quantitative', 'trait seven growth', 'algorithm genoprob association', 'polymorphism 32386957a', 'tiling array', 'arg236his influenced', 'allele jianquhai', 'homeostasis reproduction', 'combined datasets global', 'human spi2 serpina1', 'heterozygous heifer pregnancy', 'untapped resource important', 'addition systematic effect', '55 located', 'chromosome 05 explained', 'cy milk nutrient', 'effect lactoglobulin', 'estimated substitution', 'longissimus thoracis nellore', 'estimated using information', 'data 60 snp', 'significant snp direct', 'unbiased predictor single', 'ontology pathway enrichment', 'vertebrate genetic', 'behaviour promote', 'model using estimated', 'pig line', '5274g located intron', 'based carcass meat', 'common syndrome poor', 'genomic prediction value', 'rs41642251 highly associated', 'design allowed comparison', 'identify presence', 'gene previously associated', 'type genotype wt', 'contribute marker', 'analyzed israeli holstein', '22 suggesting', 'knowledge gene influence', 'located downstream stem', 'precursor gc', 'effect response', 'animal lower 15', 'day 14', 'lcorl indicating possible', 'promoted candidate', 'pathogen specificity', 'pi 79 calf', 'death significantly enriched', 'traditionally breeding', 'qtl web', 'oar analyzed', 'starting point identification', 'best estimate', 'qtl located cm', 'segment bovine chromosome', 'gga13 gga24 qtl', 'gland compared', 'junglefowl selected gene', 'using 670', 'inflammatory response influence', 'cell related', 'probability equal', 'analysis based', 'follicle h3h3 potential', 'seven phenotype selected', 'lactation average', 'suggests allele substitution', '10 allele substitution', 'model cutaneous', 'lead blindness affected', 'pale 17 medium', 'attributable individual autosome', 'associated fishy', 'climate female reproduction', 'disequilibrium 80', 'set eca18', '12 showed significant', 'prag1 lonrf1', '27a gene large', 'approximately 200 kb', '630 kb interval', 'required application marker', 'line major', 'transcription factor associated', 'complex polygenic trait', 'genomic signal chromosome', 'ultrasonographic pathological bacteriological', '0001 future', '39 720', 'gene sequencing', 'reaffirm small', 'reached gene significant', 'sequence data qtl', 'breed jiaxian red', 'harboring variation affecting', 'haplotype landrace linkage', 'estimate variance component', 'introduction scd single', 'infection specie knowledge', 'set corrected value', 'variation affecting level', 'bonferroni correction line', '56 682 individual', 'eca4 10 south', 'value 0000175 backfat', 'landrace breed using', 'ghr phe279tyr mutation', 'wide significant threshold', 'detected progeny belgian', 'node used quantitatively', 'chosen sire', 'associated myristic palmitic', 'efficiency despite', 'existence correlated', 'fertility measured', 'leghorn dongxiang reciprocal', 'sentrin specific', '30 kg result', 'oculocerebrofacial syndrome', 'significant suggestive qtl', 'result mlm used', 'higher score', 'unl commercial', 'swine result study', 'camkmt gene significantly', '12 phenotypic', 'variance holstein', 'shared breed production', 'body wfe negative', 'priority ai industry', 'based normal', 'drd4 fragment mapped', 'composition trait furthermore', 'segregate selected line', 'confirm importance previously', 'important basis', 'map intron2 plag1', 'acsm5 mgll identified', 'white red earlobe', 'ssc1 key positional', 'detected correlated', '68 28', 'enrichment revealed', 'important objective study', 'pig chromosome ssc8', 'rate trait wise', '36 cm gga1', '160 adjusted', 'mastitis resistance early', 'grandprogeny 306', 'meat dairy', 'dly way cross', 'simultaneously powerful approach', 'dyd variance attributable', 'inducible promoter activity', 'snp statistical false', 'anthelmintic rapidly', 'additionally cbg', 'ph ssc3 dressing', '47 60 10', 'effect fit', 'milk 59e', 'sire qtl detected', 'including microsatellite sequence', 'complex dairy', 'relationship genotype phenotype', 'chromosome lfec', 'region conditional', 'experiment experiment ii', 'cm downstream s0008', 'axiom hd', 'marker associated fatty', '20 cla', 'weight chromosome number', '494a boar taint', 'identified 16 chromosome', 'gh1 lep', 'marker information understand', 'sequence isoform', 'ssc7 showed significant', 'lamb weight taken', 'dam unrelated highly', 'recorded square', 'estimate weight', 'chromosome relatively consistent', 'suggestive linkage fat', '000 signal', 'snp60 beadchip performed', 'information studying qtls', 'pig study refines', 'snp 180', 'contain qtl gene', 'enriched pathway includes', 'grass pasture based', 'tested useful', 'tissue respectively', 'finding confirmed', 'snp insulin like', 'contagious oncogenic', 'capacity uc line', 'method context', 'year count', 'dfiadj trait', 'correlation disease controlling', 'detected mapped', 'dominance snp', 'ewe 01 05', 'ssc1 confirmed previous', 'haemoglobin content mchc', '502 allele', 'problem heavy', 'swine result', 'chip data', 'separately mixed model', 'trait gamete highly', 'sequencing containing', 'tbrd gwaa compared', 'diplotype associated', 'growth development male', 'kd103 001 exp', 'variant respectively rt', 'wld common', 'complaint including', 'disease impacted propagation', 'metabolism gene', 'china order identify', 'disease resistance far', 'grade fat', 'qtl bta located', 'help better dna', 'furthermore determine', 'dairy record', 'function identified potential', 'population university', 'inhba close', 'growth development mammal', 'sample followed antibiotic', 'scan retained', 'resistance young chick', 'trait notoriously', 'boar expression fmo5', '51 385', 'analysis total 38', 'sheep unknown', 'clearer picture quantitative', 'hanwoo steer born', 'cow 866 genotyped', 'time novel candidate', 'sheep evidenced major', 'cytochrome p450', 'affect gene', 'cow different genetic', 'correlation association effect', 'agreed gene', 'genetic parameter', 'test selecting susceptible', 'affect mothering', 'breed holstein indicating', 'fatty acid c14', 'reactivity hypothalamic', 'non infected', 'shaped genetic', 'spanish purebred', 'limited study genome', 'rs109234250 rs109421300', 'identify polymorphism analyze', 'group trait', 'explains 50 86', 'testis improve', 'association algorithm', 'heterozygosity estimate lower', 'phenotypic trend positive', 'qtl non carriers', 'map tolerance', 'window explain', 'major qtl fatness', 'resulted haplotype', 'region efficiency genomic', 'new half sib', 'pietrain family infected', 'mechanism correlated phenotype', 'study useful broiler', '17 mapped', 'trait maternal calving', '08 broiler', 'nws population', 'primal joint', 'factor tgfβ', 'seven breed', 'theory efficient', 'bta07 bta13', 'identification novel variant', 'explored improve', 'gwas discovery set', 'design method', '1026 individual genotyped', 'cytokine cytokine receptor', 'wool carcass trait', 'component independent', 'material linkage', 'type iib ssc14', 'level curve located', 'effect model averaging', 'marker previous scan', 'yearling adg3 12', 'roan coat', 'background previous study', 'investigate relationship', 'bovine carcass performance', 'muscle fiber composition', 'using software', 'duroc breed improve', 'research work', 'qtls detected female', 'encoded different', 'prediction larger', '54 family bcwd', 'auricle total absence', 'half sib analysis', 'domesticates including chicken', 'tissue gwas', 'pregnant female', 'bovine igf2', 'substitution responsible difference', 'information available underlying', 'breed genomic selection', 'dominance inheritance', 'improve characterization chicken', 'region acvr2a haplotype', 'standardbred french', 'tested additional variant', 'effect direct calving', 'mutation 134', 'cc boar highest', 'chromosome 20 involved', 'gene covered', 'different section welsh', '17707c identified region', 'lma performed', 'snp assayed', 'subset number', 'central role', 'additionally used sex', 'seven qtl 10', 'adult bull testicular', '13 snps mb', 'identified nearby candidate', 'carrier ewe fertile', 'cell line demonstrated', 'chromosome 16', 'explored pleiotropic source', 'erythroid trait variation', '73 cm aim', 'pparγ gene', 'france ewe', 'qtl initially detected', 'drd3 hpa', 'genomic evaluation model', 'performed association study', 'conversely snp', 'limb bone trait', 'trait mapped pig', 'marker bms4513 rm137', 'alternative approach overcome', 'background ruminant reared', 'used generate statistic', 'map porcine chromosome', 'backfat thickness meat', 'company tested test', 'weight lgals9 crude', 'hormone immune function', '40 qtl analysis', 'backfat fatty acid', 'trait performed 17', 'deuterium dilution', 'nellore steer bos', 'qtl 11', 'day slaughter sf1', 'breed yield trait', 'qtl encompassing znf613', 'end gene studied', 'vegfa activated angiogenesis', 'color phenotype', 'pietrain pig difference', 'phenotype non', 'mb intermediate region', 'crossbred steer gpe', 'addition lysozyme', 'antigen elimination host', 'herd beneficial able', 'rs41623887 rs109923480', 'gene mutation underlying', 'chromosome 13 qtl', 'weight individual aa', 'treated superovulation', 'acid content lrp12', 'affect scrapie resistance', 'component pc', 'eosinophil change', 'discovered animal model', 'population myogenic precursor', 'qtl scan 14', 'genome sequencing study', 'sscx involves', 'total 1689 precocious', 'trait pb ranged', 'existence heritable', 'ignore additional', '15 16 19', 'incidence maternal', '60k snp', 'rvtv ratio male', 'database analyzed supplementary', 'qtl influencing milk', 'causal role gene', 'regulatory action proposed', 'production trait milk', 'repeatedly detected different', 'marker dj nr', 'quality phenotype relating', 'importance mirnas', 'management condition strikingly', 'localize qtl', 'genome wide chromosome', 'candidate gene responsible', 'reinforced support', 'rad23b locus', 'percentage living', 'porcine ibp4', 'association marker trait', '05 nce4', 'genotype yellower', 'analyzed harbored', 'significantly yearling flanking', 'family completely effective', 'generation produced national', 'resistance genetic region', 'correction bonferroni', 'associated behavioral phenotype', 'horn interdigital skin', 'line chicken produce', 'identify sire heterozygous', 'association serum', 'common evidence', 'main effect', 'wfe covariate', 'qtl leucocyte platelet', 'porcine immune parameter', 'population experimental', 'result showed chromosome', 'polymorphism economic trait', 'suffolk texel charollais', 'additional pair interacting', 'yield deviation calculated', 'intake stearoyl', 'associated 52 10', 'carrier family member', 'filter analysed', 'gga14 analysed', 'influencing erythroid', 'leg muscle additionally', 'rate traitwise critical', 'previously showed segregation', 'antiporter significant', 'occur small', 'provide precise position', 'dgkb bos', 'mdv mapped candidate', 'linked qtl lm', 'used new', '236 959', 'industry enteric septicemia', '150 snp associated', 'marker animal contributed', 'previously reported smaller', 'affected thyroid', 'trait locus significant', 'fam184b ttl rgs1', 'qtl region related', 'pig according affected', 'major source economic', 'residing terminal', 'mapping sib', 'modulation etv5 herc3', 'bta 54 cm', 'locus mapping', 'body parameter', 'value 804 holstein', '288 white', 'simple deterministic smd', 'including lifetime', 'chap associated lightness', 'individual genotype displayed', '18 2061t', 'marker genotyped 940', 'disease related sensitisation', 'host resistance selection', 'pig sire', 'region i199v locus', 'related compound', 'mammalian biology aberration', 'taint undesirable smell', 'report complete', 'pig breed linkage', 'response stress clinical', 'component mapping vca', 'distance population stratification', 'derived standard', 'difficulty routinely', 'eimeria maximum disease', 'klf7 sp1', 'type invertebrate vertebrate', 'repeat kinase associated', 'cattle 27534932a', 'detailed qtl', 'polymorphism frequency allele', '25 52 23', 'analyzed pl plw', 'pleiotropic effect particular', 'major parasitic disease', 'infection study', 'bp insertion deletion', '79 calf ranch', 'lean content lean', 'implemented gensel software', '1878 bp dna', 'weight respectively', '16 additionally beta', 'individual greater rump', 'french danish', 'observed association', 'sp1 creb', 'total 462 canadian', 'identified 17', 'percent additive', 'micrornas target', 'understand genetic structure', 'commercial brown egg', 'mayor objective study', 'friesian population', 'qtl middle ssc2', 'marker future', '140 240 day', 'qtl jowl weight', 'containing 26', 'formation skin ulceration', '22 wk age', 'analysis 000', 'male weaponry', 'nucleus breeding', 'threshold particular', 'avfec packed', 'ratio female male', 'type variant superior', 'contribute sensorial technological', 'chromosome gene fto', 'comparing list significant', 'close muscling', 'fat tissue time', 'true effect significant', 'eimeria maximum', 'reported association lepr', 'ph decline ld', 'qtls studied trait', 'avfec avpcv pcvd', 'gene ovarian', 'scan genome 80', 'marker bms483', 'prkag3 fatty', 'white controlled', 'qtl erythroid trait', 'model lm model', 'pedigree relationship', 'model major', 'control post infection', 'detected snp reached', 'study gwas 16th', 'born aim study', 'weaning weight ww', 'ctsk gene 15g', '25 55 mb', 'understand ovine host', 'qtl showed significant', 'significant polymorphism highly', 'bta26 10', 'snp 10', 'effect temporal', 'persistent infection bvd', 'susceptibility gastrointestinal', 'chip platform', 'position resolution 10', 'association data independent', 'based recent porcine', 'test generalized linear', '93 additional marker', 'consisted boar mated', 'landrace specific haplotype', 'cell score highly', 'multiple analysis', 'genomic region biological', 'pleiotropic qtl effect', 'mapping recombination analysis', 'region putatively', 'using illumina equinesnp50', 'chromosome overlapped number', 'greater population genome', 'form pde4b1 pde4b3', 'candidate gene selected', 'qtl mouse nudt7', 'colt respectively significantly', 'using recently developed', 'chl content', 'abcg2 igf1 showed', 'potentially involved synthesis', 'explains difference broiler', '24 25 27', 'model snp fixed', 'fear behavior', 'seq data respectively', 'genome chromosome wise', 'healthy putative', 'tg content', 'significantly suggestively', 'express software', 'region btau1 affected', 'family exploiting population', 'gene gli3 mediates', 'mutation promoter non', 'weight day gga3', 'candidate gene pcgs', 'using information', 'bta6 sire', 'mutation 1148g', 'despite economic', 'incidence gpt', 'elisa test', 'carcass trait fatty', 'breed clustering', 'thickness texture', 'using population', 'mlk fat', 'factor carried', 'qtl including 63', 'showed new single', 'trait making interpretation', 'mb gga4 explained', 'broadly contribute better', 'minolta retn', 'quality trait classical', 'variant intramuscular', 'snp associated snp', 'molecular variance', 'region functional significance', 'information prohibited order', 'using 145', 'calf compared age', 'orangutan 95 rabbit', '27 single', 'divergent selection ovulation', 'crucial design', 'high generation correlation', 'segregating sire showed', 'existence proximal', 'architecture analyzed', 'cab39l ldb2', 'tested especially', 'trait difficult', 'depression important role', 'eqtls identified 13', 'ltl trait', '423 chromosome 20', 'binding protein fabps', 'polymorphism associated oleic', 'genotype milk performance', 'associated trait ignores', 'binding protein dbp', 'born mule', 'asrep milk yield', 'hcr validated', 'peptide identified specific', 'strain respectively addition', 'measured 987', 'sow 491', 'subjected association', 'west african taurine', 'hair trait clear', 'posterior qtl', 'chicken far', 'ibd allele qtl', 'reabsorption intermediate', 'genetic base underlying', 'paper describes result', 'performed association analysis', 'separate locus cross', 'explain meat quality', 'component restricted maximum', 'utr cloned', 'frequency genetic diversity', 'consumer preference', 'csn3 polymorphic genotype', 'associated result', 'larger bwg fi', 'host pathogen', 'gene linkage analysis', 'meat quality requested', 'confirmed previous significant', 'determination polled horned', 'snp showed overtransmission', 'expression 0010629 value', 'group influencing', 'bta13 screened', 'present result demonstrate', 'selection operator model', '86 304', 'chicken suggest', 'detected additive genotypic', 'include gene', 'robustness genetic structure', 'year university', '165 marker revealed', 'nearly 6200', 'specie including pig', 'furthermore gpihbp1', 'vision identify', 'related dopamine', 'biological physiological', 'affect kosher', 'binding transcription', 'assessed md susceptibility', '32 body measure', 'bayesian stochastic search', 'selecting superior', 'milk 30', 'eclairage lightness meat', 'resource important improvement', '16 different type', 'component covariates used', 'allowed identification 39', 'ssc4 ph ssc10', 'tg gene snp', '38 55 cm', 'ren bta16', 'maternal expression', 'european prrsv strain', 'importance influencing consumer', 'used understand genotype', 'hormone bioavailability receptor', 'background migration', 'question depend environmental', 'region genotyped 689', 'identification egg production', 'bwf age', 'nominal 10', 'locus linkage result', 'polygenic le 10', 'importance dairy', 'affecting economy meat', 'phenotype paternal calving', 'different aspect bone', '064 addition significant', 'porcine autosome quantitative', 'significantly related heart', 'ssc6 quantitative', 'rt pcr result', 'qtl respectively', 'fatness conclusion', 'trait total 51', 'bovine spongiform', 'marker perform', 'snp3 snp1 genotype', 'weight bta', 'collected sperm concentration', '423 number', 'cab39l university', 'quality total 512', 'adg body', 'chicken method present', 'property hampered', 'sd9 week qtl', 'cattle using direct', 'consumer acceptance', 'genome traditional', 'angus pa 209', 'locus localized', 'gene influence mhc', 'staph aureus coli', 'missense snp gip', 'gene transcribed', 'age mapped', 'used gblup', 'background country male', 'region acetyl coa', 'load 04', 'explorative study identify', '498 na', 'bta tentative', '1596 significantly associated', 'corresponding kleiber ratio', 'genetic context', 'pietrain resource population', 'protein level differed', 'gene located vicinity', 'principally focused major', '10 examine variation', 'qtls oar12 16', 'effect simulated 480', 'traditional breeding', 'confirmed presence', 'consistent high', 'identify quantify', 'gene rfi', 'indicated polymorphism', 'normal ahr', 'effect ovulation rate', '02 20 067', 'cattle primarily', 'il 91508173c', 'ratio 12', 'agreement location', 'polymorphism snp3 snp43', 'pattern recognition receptor', 'significant additional', '54 001 individual', 'cell count using', 'leghorn wl77', 'reconfirmed high', 'beef cattle conclusion', 'longevity measured lifetime', '743 chinese erhualian', 'gene important determinant', 'trait affecting', 'immediate assessment', 'different equine chromosome', 'highest record', 'analysis ovulation', 'large scale', 'sexually selected', 'known breast cancer', 'polymorphism snp card15', 'chilled overnight', 'desorption ionization time', 'verify result cattle', 'multiple trait simultaneously', 'accession nc_040256', 'f4ac autosomal mendelian', 'belmont red pedigree', 'landrace sow', 'overall difference taurine', 'duroc berlin', 'member serpine1 gene', 'set bw ww', 'relevant ssc8 c16', '882 test', '13 significant', 'mutation xm_001788152 1641t', 'developmental qtl static', 'associated ebv health', 'important increase carcass', 'potential involvement', 'bta13 common wld', 'setting priori expectation', 'pig produce', 'charolais dilution', '752 247', 'repeated sample', 'analysis suggestive chromosome', 'meat difference observed', 'ultrasonic measure', 'respectively total', 'ability genomic estimated', 'body weight protein', 'class transcription', 'receptor lepr calpastatin', 'tool studying', 'region carcass', 'priority aquaculture industry', 'data human', 'resistance developed taurus', 'group abc5 abc6', 'romney merino', 'explained significant qtl', 'swine production previous', 'quantitative gene', 'receptor 1a avpr1a', 'gain pig experimentally', 'emmax haplotype', 'ssc8 porcine', '842 001 chi2', 'epistatic interaction analysis', 'associated body measurement', 'driploss phusm', '7209 seq snp', 'carcass gradefat 15', 'candidate analysis cast', 'distinguished preferentially affecting', 'region influencing protein', 'mastitis incidence', 'fatness carcass trait', 'growth pattern domesticated', 'ssc8 influenced', 'family previously reported', 'mirnas mirna', 'drd1 achieved', 'parameter growth carcass', 'significant snp tested', 'incorporated 062 progeny', 'random effect qtl', 'suggest additional source', 'repeatability 071 004', 'median network reconstructed', 'gene slc12a9', 'ccr2 gene', 'quite high', 'trait locus applied', 'ssc6 result confirmed', 'incidence infectious bovine', 'chromosome radiation hybrid', 'growth rate including', 'lower tabulated', 'minolta colour', 'month age phenotype', 'domestic pig study', 'recent study linked', 'chromosome estimated heritabilities', 'value individual ca', 'silico comparative sequence', 'sequencing approach detect', 'stillborn stillp born', 'varied level genetic', 'sequenced genome key', 'conducted declare significance', 'ssc1 13', 'gene family clustered', '12 15 18', 'age genotype', 'egg size', 'locus segregated snp', 'polymorphism merely linkage', 'power breed', 'ultrasonic measure lm', 'risk false', 'premature stop codon', 'capacity 70 decreasing', 'fragility leading', 'promoter haplotype tested', 'qtl identified fatty', 'region cm middle', 'potential increase yield', 'prosperity sheep farming', 'severely truncated protein', 'phenotypic data 235', 'bta14 bta18', 'analysis random sample', 'energy status', 'associated feathering phenotype', 'gene mc1r identified', 'model using genetic', 'nematode blood sample', 'production established', 'relationship family', 'variance component genome', '327c 562g', 'high priority', 'trait allow implementation', 'phenotype mouse', 'stature body capacity', 'region box', 'information response variable', 'lactation ii', 'na titer', 'fat coverage', 'metabolism position qtl', 'qtl underlying trait', 'red cattle consisting', 'result study suggested', 'determinant reproductive function', 'pig included 585', 'snp explored improve', '01 95', 'ema ms', 'marker rfi measure', 'responsible economic', 'sire crossbred', 'family duroc', 'genotype body composition', 'osteopontin opn gene', 'chicken ecotypes regional', 'tt genotype desirable', 'hgd gene length', 'day carcass weight', 'qtl lysozyme', 'genomewide association', 'xenobiotic transporter', 'f41 compared', 'khorasan chicken', 'locus close afabp', '19 f0 68', 'possible explanation pleiotropic', 'onset positive pregnancy', 'double muscled', 'associated cattle', 'density bmd', 'time cost', 'investigation required', 'strong association validated', 'underlying effect', '078 sd', 'method family previously', 'thbs1 r2 09', 'constructed aim', 'significant qtl regulating', '299 large', 'snp 29 autosome', 'ssc11 locus', 'silico functional analysis', 'breed group', 'linked rhode island', 'trait practical significance', 'report marker population', 'work cohort', 'player qtl small', 'conformation 18 fertility', 'subsequently used pathway', 'pig industry opposite', 'oar6 oar18', 'identified showing', 'mir 200c', 'validated commercial japanese', 'method produce', 'switch coat colour', 'shown underlie', 'chromosome 19 29', 'firstly indicate', 'qtl resource population', 'identified single qtl', 'record daughter', 'acute chronic inflammatory', '52 relatively', 'load thymus vlt', 'cpeb4 gli family', 'improved detection power', '14 16 chromosome', 'genotyped biec2', 'revealed tef1', '856k imputed', 'genotyped 15 13', 'lp dairy cattle', 'investigated day heat', 'compared 90', 'sheep using illumina', 'length qtls detected', 'firstly indicate aflp', 'significant association candidate', 'gene spotting', 'time pcr cow', 'lightness backfat thickness', '321 holstein animal', 'selection comprehensively map', 'processing primary micrornas', 'considered positionally functional', '25 cm', 'number antral follicle', 'conclusion previous study', 'emmax approach', 'identify characterize qtl', 'form ampk', '37 72 week', 'snp performed snp', 'production trait candidate', 'distributed 29 bovine', 'population confirm qtl', 'bta5 north american', 'large scale genomic', 'meat quality using', 'mule ewe mated', 'pig nudt7 gene', 'tnb ssc1', 'thr30asn t30n', 'trait 76', 'analysis needed datasets', '296 multibreed data', 'frequency removed genotype', 'genotype considered', 'snp alter function', 'industry vaccination', 'involve different set', 'using bovine', 'increased uterine capacity', 'parameterized fit fewer', 'proof probability son', 'method used create', 'pathogen danish dairy', 'contribute establishing efficient', 'accelerate effort improve', 'brain hen line', 'receptor growth differentiation', 'lta located', 'qtl influencing exceeded', '297 cm', 'order analyzed', 'chromosome bac clone', 'atp5b gene contains', 'series chemical pathway', 'breed showed existence', 'receptor bind', 'isolated using', 'kind data', 'model 12 snp', 'led raised', 'additional snp candidate', '96 myoglobin content', 'day δ2', 'parental animal known', 'ssc8 ssc9 ssc10', 'confirmed certain', 'ketosis frequent metabolic', 'present roan', 'indicus experimental population', 'general public regarding', 'boar estimated genomic', 'mapping chromosome family', 'annotation implemented using', 'quantitative phenotype 16', '259 cm chromosome', 'milk production nordic', 'cm gga1 affecting', '926 678 polymorphism', 'phenotype calving lifespan', 'design aim work', 'increase 02', 'objective independent', 'chip firstly', '93 32', 'effect identify qtl', 'power data exchanged', 'corrected mammalian specie', 'respectively meat', '194 snp', 'sequenced animal fine', 'new polymorphism', 'birth vs', 'hairy gene', 'record 21', 'level significant genome', 'gene birth', 'region explain additive', 'snp located bta28', 'trait reproductive', 'marker short distance', 'elovl6 elovl6', 'snp4 13297a', 'mixed model', '137 178', 'ewe significant', 'association ncapg 1326t', 'analysis innate response', 'pneumonia mastitis', 'f41 compared white', 'ii examine', 'scan fst', 'showing microtia aim', 'removed carcass 24', 'develop definitive', 'oar marker', 'furthermore mutation significantly', 'integrative analysis evolutional', 'gene targeting gga4', 'acid synthase stearoyl', 'gene suggesting', 'glucose phosphate dehydrogenase', 'loss reflectance', '1252 hen genotyped', 'using predict', 'background elovl fatty', 'index measured', 'web based qtl', 'study refined', 'additional genetic effect', 'recfat genomic region', 'covering region dik0079', 'fatty acid elongation', 'gene encodes apolipoprotein', 'muscle biochemistry', 'life daily', 'explained divergent', 'generation sequencing', 'defining trait', 'chimpanzee 97', 'horse relevance region', 'performance far genetically', '05 abdominal', 'mirnas participate', 'selection iberian young', 'rdw data', 'adg total 633', 'analysis revealed candidate', 'ca 16', '16 deletion', 'gpat3 cyp2r1 clinical', 'using resource', 'arr higher cc', 'analysis family', 'lhfpl tetraspan', 'male presenting', 'sequencing snp a868g', '15 half sib', '19 porcine chromosome', 'encoded allele 240g', '620 fish', 'identified qtl ssc15', 'differentially associated', 'objective conduct genome', 'qtl utilised', 'snp placed linkage', 'disease currently unavailable', 'snp aligned', 'economically important relevant', 'study multi trait', 'analysis ixodid tick', 'area relatively small', 'economic environmental', '162 106', 'animal participating', 'response basis association', 'production trait usda', '33 4mb bta29', 'rhm powerful detecting', 'ca metabolism', 'using 53 additional', 'jinhua 204 progeny', 'marker polymorphic sire', 'pietrain polish', 'trait described course', 'bl hw', '269 amino acid', 'gwas conducted multiple', 'coli etec expressing', 'genetic variation intron', 'corresponding haplotype', 'kg result indicate', 'cow university', 'snp relevantly', 'finding candidate gene', 'qtl detected chromosome', 'percentage bmp af', 'reduce prevalence', 'disequilibrium allowed', 'resulted significant qtl', 'lw animal', 'odds score', 'growth trait purebred', 'vaccination therapeutic', 'usually higher', 'sperm defect', 'obscure showed significant', 'identical descent coefficient', '61 used backcross', 'boar analysed trait', '16963 27514 haplotype', 'result suggest detected', 'using proportion false', 'carrier mutation', 'commonly known', 'scapula ulna humerus', 'effect fescue', '10 33 suggestive', 'score representing', 'set reflected', '357 sow', 'placed bos taurus', 'potent orexigenic factor', 'nucleotide polymorphism daughter', '11 genetic', '5678784a middle sequence', 'cow reproductive physiology', 'cytokine situation', 'wise level hw', 'potential biological pathway', 'affecting age puberty', 'intron gene', 'ancestor yield trait', 'flock selected', 'infected bird', '17 55', 'mutation c522t', 'single snp effect', '2002 06 83', 'herd level', 'control brown', 'refined confidence interval', 'research development effective', 'calving difficulty dcd', 'missing qtl', 'sinclair swine', 'autosome solar', 'overall lactation olp', 'involved hematological immune', 'c20 c18 cis', 'mean homozygote finding', 'qtl support interval', 'develop osteochondrosis', 'activin pituitary gonadotrophic', 'cm studied chromosome', 'cost intense labor', 'frequency zebu', 'regression interval', '19 26 trait', 'genetically related breed', 'qtls femoral trait', 'gene genome regulation', 'using snp ripk2', 'depend environmental factor', 'metabolic qtl', 'intake secretion lh', 'genotype 17 349', 'expression analysis tcf21', '74 cm', 'equipment using volodkevitch', 'partly overlapping gene', 'pathway related salmonella', 'detecting qtl outbred', 'polymorphism quality', 'bull precisely compare', 'underlying metabolic trait', 'variability erythroid', 'particularly lipid growth', 'fat weight lfw', 'reproductive data generation', 'variation intron', 'breeding en selection', 'breeding program past', 'jph1 68x20', 'component analysis correct', 'carrying horn', 'data large intensively', 'le important', 'multiple commercial', 'feed efficiency feed', 'snp60 beadchip 180', 'bone integrity trait', 'understand physiological', '26 autosome qtl', 'control versus case', 'scd1 fasn gene', 'use cofactor increased', 'animal new candidate', 'averaged heterozygous family', 'beef breed identified', 'snp gip showed', 'gene variant affect', 'leghorn brown', 'concentration phosphatidylcholine pc', 'ema increase', 'measurement trait 779', 'gene expression meat', 'snp 2446 pig', 'intercross divergent egg', 'power gwas study', 'specific female comb', 'association analysis lrp12', 'cytochrome p450 a19', '33 mm 34', 'additionally genome wide', 'heat loss', 'chromosome omy9 identified', 'stage enriched', 'shown dna', 'prior vaccination level', 'qtl carrier', 'finland indicated high', 'ct measurement ranged', 'kgf 51', 'development based gene', 'snp reaching', 'support high', 'broiler chicken model', '560 animal jb2', 'cumulative truncation point', 'association study analysis', 'nce4 polymorphism', 'weight association observed', 'role immune regulation', 'mediated crossing region', 'cumulatively account significant', 'studied multivariate', 'factor environmental component', 'rs321666676 associated meat', 'snp useful improve', 'comb mass importantly', '051 gene', 'additionally region', 'identification major genetic', 'variance according trait', 'analysis pleurisy data', '12979 potential thyrotroph', '69 ab', 'accuracy prediction genomic', 'deviation tensile', 'locus spawning', 'mar mac correlated', 'gene regulated eqtl', '315 microsatellite', 'itih snp', 'smma 105', 'percentage tsp', 'expressed extensively highest', 'overlapped cw', 'array bird', '114 125', '0972 myod1 position', 'fat lfw', 'sinclair swine hereditary', 'adjusted multiple', 'canal bone marrow', 'progeny tested', 'asga0070634 value', 'mapping identification', 'unique trait gene', 'linear model account', 'ssc16 coincided previously', 'genetic variant qtls', 'innate response tonic', 'healthy horse', 'likelihood analysis used', 'effect nba', 'chromosome effect 62', 'origin different', 'protein 149', 'femur bone', 'fcr economically', 'used study kind', 'linkage analysis conditional', 'individually combination multi', '13281c snp4 13297a', 'complexity genetic architecture', 'cattle present robust', 'age 05 snp27', 'behaviour milk performance', 'previously qtl', 'exon led', 'susceptibility ibk severity', 'genbank dq474064', 'panel genetic', 'width hw trait', 'qtl suis', 't3602c exon', 'apoh comparative', 'chinese indigenous pig', 'mining procedure characterized', 'metabolic trait chicken', '21 overlap qtls', 'g1 offspring', 'obesity complex condition', 'temporary increase somatic', 'depth 6723gg 6723ag', 'content fatty acid', '25 75', 'miescheriana pig passed', 'difficult infer based', 'based differential gene', 'energy growth positional', '144 analysis', 'target region endocrine', 'sequence function gene', 'fat molecule', 'individual survivor', 'data heavily', 'gene determining body', 'identified associated esc', 'cia trait lm', 'approach reducing', 'including marker individual', '40 10 25', 'old animal generated', 'development conclusion', 'pecking fp detrimental', 'affected gene', 'genotype tended', 'gene closest', 'low frequency', 'bc cow suggest', 'employing horse', '74677 snp', 'performed ghr ghrhr', 'ssc6 reported previously', 'mir 1596 significantly', '777k snp weighted', 'high economic loss', 'set extended', 'tibia length dominance', 'bird genotyped', 'bmd dxa lod', 'genotype chi', 'iggb igg', 'located von willebrand', '95 sd', 'v371m polymorphism', 'data collected f2', 'segregating population purebred', 'trait calculated change', '103 sahiwal', 'microrna ssc mir', 'candidate gene bta19', 'adipocytes gene gene', 'imf consider', 'previous study total', 'intermediate phenotype gene', 'processed rec', 'transcript expressed', 'genomic data using', 'cell count mscc', 'performance pig', 'accurate estimation genetic', 'relatively high', 'nominally significant chromosome', 'test including association', 'included 7539', 'integrity muscle', 'belonging second', 'relative surrounding', 'belmont red santa', 'factor regulate', 'single polymorphism', 'size trait initially', 'r2 mb remained', 'population confounding total', 'serine conversion', '442 371 test', 'advance ability dissect', 'smaller effect sire', 'quality value', 'rs13687126 pit', 'comparison genotype indicated', 'line beginning', '07 genetic', 'directly targeted bta', 'intron 23 site', 'associated lipid transfer', 'prkag2 gene additional', 'pig chromosome refined', 'examined 489c', 'confirm previous reported', 'weight yearling height', 'abhd5 affect', 'pgrmc2 gene associated', 'rock breed fat', 'data serve useful', 'major effect adg', '17 atp1a1', 'reduced significance', '02 hock oc', 'oxygenase fmo3', 'susceptible animal finding', 'breed 760 239', 'disease mouse human', 'effect selected locus', 'based dataset', 'gwas overcome experimental', 'airway disease horse', 'involved function linked', 'fat depot pig', 'representative candidate gene', 'trait measured improve', '95 rabbit 93', 'estimated large melanoma', 'breed potential application', 'est marker rainbow', 'breeding health record', 'analysis reported function', 'reported causal mutation', 'gluc result', 'reconstructed haplotype', 'indicate echs1', 'involving single nucleotide', '83 80', 'ratio fat', 'improvement genome annotation', 'suggest muscle development', 'act molecular target', '224deltcgtcttc eca3 79', 'map4k4 gene', 'number genotyped', 'estimate ranging', 'maintaining ca', '54 cm backfat', 'padmscs insertion', 'higher adrb1 adrb3', 'determinism meat quality', 'use gwas window', 'friesian sire cow', 'aiming controlling', 'quality cheese region', 'association reported lepr', 'expression module', 'test 13 polymorphism', 'ssc7 explained 19', 'used directly selection', 'heterozygosity 87', 'linked gene ontology', 'locus 27', 'area lean meat', 'ratio percentage myristic', 'taint genome', 'deposition molecular', 'chicken leptin receptor', 'eqtl mapping plasma', 'gga1 10', 'q1 msh homeobox', 'adult homeostasis', 'semen ejaculation phenotype', 'color cie yellowness', 'located different chromosome', 'base excess', 'date body weight', 'mucin play crucial', 'titer binding', 'snp akr1c4', 'typically associated', 'fixed effect breeding', 'indicate significance plasma', 'tmx4 synonymous snvs', 'chromosome 37', 'marker female body', 'weight abdominal fat', 'ltl phult ph', 'population bull', 'score analysis report', 'implicated spermatogenesis male', 'effect effect', 'unweighted analysis', 'data 24 bird', 'igf2 region', 'genotyped using 3k', '16 22 cm', 'embryo ne 30', 'slaughter carcass', 'ear size synthetic', 'following infection host', 'phosphorylated glycoprotein gene', 'associated reproductive trait', 'chromosome affecting limb', 'putative causative allele', 'panel result', 'adjust multiple', 'snp rs81399474', 'bmw thigh', 'breed suggested', 'snp region associated', 'vitamin animal', 'alb globulin', 'maximum difference', '31 qtl', 'causal factor fatty', 'panel snp', 'fertility directly reflect', 'catalytic lobe domain', 'ltnb shown expressed', 'observed 05', 'model based approach', '001 exceeded 01', 'mb snp window', 'related f2', 'gene giving consistent', 'determine increased', 'associated respectively annotated', 'content variation', 'tract characteristic moderate', 'wound brings', 'short bp', 'supernumerary teat', 'intensive selection efficient', 'identified tanzania', 'great variability degree', 'tissue different nutrition', 'dna f2 animal', 'contributing polyceraty', 'analyzed different snp', 'covered 2282 cm', 'chromosome initial', 'important trait increase', 'porcine adipose mesenchymal', '15 suggestive qtl', 'meat trait gushi', 'partridgelike current qtl', 'acid summer', '38 mb region', 'suggested toll like', '1287 1036', 'ibd probability qtl', 'consequently speculated difference', 'ssc10 sscx', 'research aimed', 'basis analysis mean', 'human multigenic', 'aim study genotype', 'breed fleckvieh bta5', 'qtl significance using', 'present sample 108', '15 chromosome', '53 58', 'reported mammalian', 'assisted laser', 'horse selected genotyping', 'importantly 15118683c', 'cross 93 21', 'genome extension putative', 'semimembranosus muscle analysis', 'family reanalyzed data', 'substitution effect', 'assessment carcass conformation', 'pig test hypothesis', 'total muscle fiber', 'multiple linked qtl', '71 characterized gene', 'gene bos', 'locus lean', '35 bf', 'associated hct', 'mass nonrandomly', 'analysis identified roh', 'assumption single', 'cnvrs 50 total', 'cow including 225', 'gga6 gga8 gga9', 'selection region detected', 'sex specific analysis', 'weight qtls interestingly', 'limb bone ssc7', '032 proportion', 'weight 19 carcass', 'change blood chemistry', 'bone mineralization', 'ontology p2rx3', 'joint genome scan', 'oviduct 01 result', 'gene dgat1', 'conducted explore genetic', 'genetic basis growth', 'revealed major cluster', 'germany common fattening', 'process complex longitudinal', 'ff qtl bta02', 'increased number', 'qtl located ssc2', 'gelbvieh hereford', 'estimating relevant genetic', 'marker rfi', 'region neurl1 bta26', 'cattle led discover', 'breeding addition various', 'chosen based minor', 'expression analysis study', 'smd mcmc', 'care taken postulated', 'pvuii frequency', 'weight bone', 'ssc15 qtl', 'population validate association', 'lamb carrying copy', '10 marker mapping', '05 71', 'androstenone regional heritability', '10 explained 62', 'adg3 month yearling', '802 non', 'provides substantial', 'architecture hairy', '10329c intronic variation', 'ovulation rate noire', 'mypn eca1 specific', 'contrast single snp', 'fat adg', 'general low', 'texture trait', 'snp 12', 'based qtl map', 'ctsd gene', 'objective test', 'population 05 bt', 'bivariate analysis traditional', 'boar high level', 'mean age', 'proventriculus gizzard weight', 'composition mapped', 'located mb', 'african animal', 'mixed model association', 'explained 17 phenotypic', 'used current study', 'bull deregressed used', 'ram heterozygous', 'snp fm244720', 'ability chicken', 'trait scale', 'fetal placentomes different', 'fat accumulation indicating', 'volume ssc15 ejaculation', 'reported mammalian specie', '17 cm mean', 'brain function', 'utr flanking', 'osteochondrosis selected 32', 'sensory trait confirmed', 'mb chromosome alga0022658', 'detected sla', 'region fabp4 polymorphism', 'region single', 'identification utilization potential', 'trait affecting porcine', 'generally improved', 'gwas identify potential', 'breed white leghorn', 'mortem ph decline', 'oxct1 finding', 'result qtl 001', 'locus qtl fetlock', '13 21 overlap', 'combine detailed phenotypic', 'cell score used', 'infection related control', 'mef2 myotubes indicated', 'technology provide', 'exceeded genomewise', '17 36 gwa', 'previously developed aim', 'positive correction', 'despite normal', 'affect body size', 'background feed', '12 subclinical ketosis', 'higher adfi adg', 'hepatogenous mycotoxicosis', 'texel animal half', 'variance vf2 respectively', 'based snp 14', 'scan detected 77', 'qtl region rt', 'based meishan allele', 'help complete identification', 'yield fat', 'mb bos', 'lect2 bl trafficking', 'differed 05', 'population size larger', 'unrelated yellow meat', 'understanding genetics ultimately', 'involving different', 'variant 2088 bp', 'cm2 specific', 'studied screening ssc4', 'acid significant snp', 'behavior trait located', 'f2 crosses', 'rfi 28e 06', 'snp resulting gwa', 'analysis ldla identified', 'element binding', 'estimate fertility', 'qtl influencing carcass', 'determined vitro adhesion', 'indicator immune function', 'pufa content milk', 'prevalence rate linked', 'gas narrow range', 'dependent genetic interaction', 'affect broiler carcass', 'mrna expressed mastitis', 'database snp annotation', 'bioinformatics survey', 'offspring outbred', 'costly laborious collect', 'total 54', 'body length heart', 'infection wg', 'background beef cattle', 'covering exon downstream', 'fl partially', 'study help better', 'genotype secondary', 'frequent developmental', 'qtl allele contributed', 'offer possibility study', 'specific observed considerable', 'behaviour performed genome', 'muscle ltm respectively', 'data suggests domestication', 'genotyped genome initially', 'detected significant region', 'enables development', 'duroc large', 'german holstein', 'osteochondrosis lesion examined', 'significantly associated pneumonic', 'wide high density', 'mlk 940', 'family denaturing', 'rorc adult tissue', 'contribute host response', '59 mb ssc6', 'binding cassette abc', 'higher total number', 'disequilibrium block significantly', 'different lactation stage', 'post mortem result', 'cow including', 'located hox', 'tissue development represented', 'breeding industry', 'h1h5 diplotype rt', 'analysis chinese', 'spanning mb respectively', 'light finding', '39a revealed', 'toughness increased variation', 'birth 05 bb', '100 cfu', 'analysed correlated', 'gene let', 'sahiwal famous', 'scan using paternal', 'cadps proposed influence', 'southwest asia', 'medius skeletal muscle', 'glycogen related trait', 'angus charolais limousin', 'conductivity accounting', 'haplotype construction association', 'different selection history', 'bovinesnp50 assay', '05 affected chicory', 'value backcross ewe', 'fat cell different', 'consistent strong effect', '18 trans eqtl', 'gga mir 1658', 'population rdhe2 v6a', 'native broiler breed', 'size parity large', 'breeding farm 2010', 'gene underlie', 'effect candidate', 'pattern snts cattle', 'vs non', 'poorly understood mammal', 'time periods tb', '380 coding', '76 60', 'mastitis genotype', 'bves slc3a2 revealed', 'snp located near', '01 15 24', '25 52', 'marker chromosome additional', 'exon fabp mutation', 'percent chromosome fat', 'phenotype directionally associated', 'bone development', 'particular emphasis placed', 'produced reciprocal cross', 'snp dressing percentage', 'associated loin depth', 'extended approximately', 'obtained analysis', 'qtl distal gga5', 'immunocrits 5312', 'resistance originated', 'hand energy', 'sw520 ratio leg', 'analysis data belclare', '12 dam', 'transition exon rflp', 'dairy sheep', 'reached economic', 'gain ssc1', 'marker bms2508 family', 'shelled chicken genotyped', 'infanticide occurs sow', 'differentiation pathway', 'time genome', 'genotype retinoic', '02 18 ld', 'c14 jb1 jb2', 'ear erectness', 'snp50 snp70 beadchip', 'phenotype breed', 'development mammal variation', 'trait analysed using', 'arl4a snx13 gene', 'lactate dehydrogenase copb1', 'demonstrated associated', 'controlling shank', 'mb remained', 'linkage ldl analysis', 'respiratory disease finding', 'span 30 cm', 'study result expressed', 'control complex', 'response mh tt', 'rna expression suggesting', '19 identification qtl', 'matrix gblup', 'good conservation human', 'tnp1 gene common', 'cm 18 49', 'confirmed involvement', 'segregating commercial large', 'significant experiment wise', 'narrow position causal', 'methodology showed mutation', 'pathway retinol', 'use snp', 'hypothesis ovine', 'balance fatty', 'iberian variety reciprocal', 'etec major', 'sire 389 776', 'proliferation promoted serum', 'gga5 qtl detection', 'panel different', 'analysis suggestive qtl', 'combined dataset', 'distinct tandem repeat', 'investigate region identify', 'boar taint strong', 'development melanoma peak', 'uncastrated male', 'case revealed region', 'mixed breed population', 'significant additive effect', '70 cm contains', 'approximately 95 angus', 'stronger marker trait', 'individual identified', 'total genome', 'strongly supported', 'localization demonstrated linkage', 'distal region ssc4', '521 snp', 'cow mainly located', 'casein gene', 'high 19', 'presence 61 quantitative', 'genotyped chicken', 'sc individual genotype', 'boar fertility essential', '14 new half', 'region lp', 'selection antagonistic correlation', 'percentage 20', 'plasma remained', '4b pde4b anoctamin', 'mastitis resistance identified', 'population additive', 'gene osteoporosis chicken', 'hap9 taat', 'identify polymorphism associated', 'seven new marker', 'allele id locus', 'gene qtl associated', 'count keds', 'ratio fcr calculated', 'allocate 122', 'candidate gene 45', '10 13 constant', 'production lean', 'ssc7 additive similar', 'region plasma', 'qtl 22 chromosome', 'near pleiotropic qtl', 'compared female result', 'snp card15', 'role mastitis resistance', '13 based', '1031 chinese indigenous', '16 epistatic pair', 'qtn fat', 'qtls 18', 'sc family investigated', 'hen outbreak', 'interaction milk', 'level 35e 05', 'dsn performed genome', 'regional heritability mapping', 'industry underlying genetic', 'pregnancy 18', 'rate female fertility', 'effect backfat loin', 'span genetic', 'addition identified new', '1648 1799', 'used define phenotype', 'control method', 'analysis high', 'linkage map covering', 'used provided', 'www gridqtl org', 'perception feed smell', 'detection association analysis', 'inter intramuscular', 'method control salmonella', 'c1843t mutation ryanodine', '406 genotyped', 'days 96', 'equine chromosome 12', 'lamb season', 'element shown', 'eqtls associated low', 'informativeness different linkage', 'research total seven', 'located 28', 'female measured bw', '100 kb segment', 'intron porcine pou1f1', 'detect genome', 'trial animal weighed', 'ld gm trait', 'polymorphic locus association', 'cyp21a2 candidate', '14 mapped', 'family duroc pig', 'polymorphic marker', 'population gwas single', 'illumina 50k', 'structure navicular bone', 'network network', 'combination 05 pertaining', 'variant haplotype sequence', '11 immune', 'divided category', 'commonly identified traditional', 'oncorhynchus mykiss explained', 'chicken shown individual', 'phu ph decline', 'qtl bone', 'reproductive tract uterine', 'long driving', 'ssc8 strongest statistical', 'efficient mixed', 'trait achieve gwas', 'unrelated sheep', 'insr observed result', 'study using mixed', 'region genome quantitative', 'life milk persistency', 'biased farm management', 'seven chromosomal region', 'snp result model', 'v33a mutation', '18 consequently proportion', 'hybridization analysis defined', 'boar expression', 'mapping positional cloning', 'threonine kinase ripk2', 'information analyse causative', 'daily yield fat', 'muscular fatty', 'meat percentage', 'individual aa ab', 'associated phu polymorphism', 'downstream gene', 'high effect', '13 642 snp', 'genetic method npl', 'indigenous bovine', 'genetic improvement production', 'selection beef marbling', 'reduce concentration undesirable', 'histochemical muscle characterization', 'estimation maximum likelihood', 'efficiency pig', 'backfat 21 76', 'work validated', 'gene detection implementing', 'objective study compare', 'based method using', 'enrichment analysis included', 'generation red', 'sheep trait included', 'rate discordant', 'factor including', 'likelihood method correction', 'candidate quantitative trait', 'chromosome 70 megabase', 'social economic', 'gestation length', 'using radiographic', '192 individual', 'joint intragenic polymorphism', '239 752', 'tick resistance carried', 'study pure line', 'sheep genome identified', 'γ3 subunit prkag3', 'biological practical relevance', 'αs1 αs2', 'variation knuckle biceps', 'offspring identified', 'association analysis perform', 'estimate posterior standard', 'study combine data', 'affecting resistance cm', 'cb heritability', 'effect beef', 'infection significant', 'kinsella ranch', 'effect trait trait', 'profile include', 'marker evenly distributed', 'marbled steer', 'contribution study', 'ncbi polymorphism level', 'help improve', 'mirna key modulators', 'b1 cross 02', 'glycogen synthesis skeletal', 'known mechanism underlying', 'linkage map zebrafish', 'linked gene trappc9', 'approximately 175', 'concentration fitting variant', 'point mcm6', 'sire genome', 'weekly basis 1064', 'model general linear', 'bta11 region', 'cell decreased', 'hybrid panel linkage', 'luxi xianan population', 'expressing f4', 'mapped le', 'especially complex', 'bird selected homozygosity', 'emotional reactivity 20', 'trait linked', 'fm hock hm', 'result confirm bcwd', 'content distinct fraction', 'result identified snp', 'igf2 mutation segregating', 'region discussion analysis', 'important increase', 'sow number born', 'iga level', 'genotyping quantitative trait', 'expression muscle effect', 'rs81476910 rs81405825 ssc8', 'stress neuroendocrine production', 'cellular energy', 'mentioned cattle population', 'dam resulting 360', 'parity evaluated', 'age result provide', 'rflp association analysis', 'method gene ontology', 'genotyped effort test', 'breed dominantly', 'derived foot', 'ucp3 strongly associated', 'qtlmap software', 'factor signalling', 'ifcifc abt', 'searched fkbp6', 'calpain capn3 gene', 'model applied correction', '916 variation study', 'variation immune', '242t likely causal', 'cattle indicating potential', 'pietrain pi', 'conductivity meat color', 'allele microsatellite', 'using data 4376', '21 different', 'strong support major', 'gene mb flanking', 'search fitting', 'litter chromosome', 'scan qtl affecting', 'specific cn isoforms', 'evaluate excretion', 'gga5 af qtl', 'cis cis12', 'scrofa production', '01 dd', 'difference genotype capns', 'versus af', 'mainly observed', 'gene present qtl', '000 female', 'twinning rate 05', 'association 54k', 'analysis employing', 'height heart', 'process early', 'confirmed previous', 'existence gh1', 'gene contained refined', 'location management', 'moderate high heritability', 'ldlrad3 known', 'belonging nordic red', 'snp associated bodyweight', 'fa composition meat', 'green yellow white', 'locus shared', 'wish network', 'epistasis bco2', '62 mm qtl', 'performance infected individual', '136 gh cow', 'thickness daily gain', 'cow carrying mutant', 'beijing chicken', 'load adg', 'gwa study 329', 'statistic 13', 'mediterranean country le', 'large white 353', 'greater cc', '05 qtl identified', 'fiber type composition', 'heritability imf estimated', 'mb 10', 'weight stw small', '985 bos', 'network derived', '01 chromosome wise', 'slc6a3 clptm1l', '05 shank diameter', 'percentage lmp', 'effect locus potentially', '16 eqtls trans', 'bb genotype suggested', 'analysis investigated', 'melanoma susceptibility candidate', 'breed analyzed', 'linkage based method', 'ap fertility', 'significance qtl', 'snp 001 0001', 'trait term detection', 'validated single', 'gene known cause', 'previously introduced', 'variance population epistasis', 'cell score occurrence', 'increased feed intake', 'chicken reciprocal', 'mc1r allele determines', 'exposure infective', 'joint 74', 'knowledge qtl segregating', 'regulating synthesis polyamines', 'specific rbc', 'g1829t associated', 'associated adult', 'detect putative', 'teat qtl', '0072 0231 finally', '672 single nucleotide', 'indication association', 'fat yield kg', 'evaluate association novel', 'hematological trait detected', 'effects model', 'underlying variation litter', 'ld generation study', '28 480', 'eye height loin', 'derived standard prediction', 'dna allowed', 'difference birth weight', 'snp pnominal', 'suggested identified candidate', 'receptor trait related', '1332 animal', 'dna fragment', 'showing ucp3 core', 'shoulder meat 009', 'effect haplotype snp', 'joint model joint', 'measured blood', 'region aim identify', 'function provide', 'ssc affect', 'study gwas included', 'variant predicted haplotype', 'condition crossbred swine', 'mitigating effect mdv', 'heat treated peak', 'associated milk fat', 'lumbar vertebra trait', 'gene igf1 examined', 'ovine chip f1', 't1952a stearoyl', 'significant 01 genetic', 'suggests unknown', 'trait qtl using', 'physiological stress response', 'protein epidermal', 'mb horse chromosome', 'qtl underlie milk', 'boar mated', 'region identified eca', 'mykiss recent', 'region addition based', '660 gene', 'trait chicken unique', 'revealed positional', 'affected 47', 'lamb significantly deeper', 'study using snp', 'influence fat depth', 'research commercial flock', 'snp associated', 'separately result daily', 'breeding season vacaria', 'chromosome ssc2 ssc4', 'coding region cebpa', 'body wfe detected', 'respectively a80v', 'assessed longissimus semi', 'kb gene', 'adipose fat', 'signaling behavior conclusion', 'bta14 bta18 lw', 'indicating pleiotropic effect', 'snp related', 'understand eye', 'poultry result', 'expressed pmsg hcg', 'fabp haeiii', 'selection sire', 'fifth lumbar vertebra', 'qtl genotype progeny', 'dominant finding reveal', 'population implying complex', 'investigated new', 'located lei0079 ros0025', 'susceptibility mycobacterium', 'genetic improvement growth', 'likeness respectively snp', 'polymorphism detected chromosome', 'different ptm form', 'data 235 second', 'dwg purebred crossbred', 'segregating crossbred pig', 'total exon1', 'gene resolution qtl', 'animal stratified', 'weight test', 'beta carotene content', 'previous snp', 'mapping qtl', 'rate interval', 'condition management especially', 'point analysis family', 'high productivity multibreed', 'meishan synonymous', 'highest snp 5239c', 'obesity insulin', 'region ssc14', 'puberty remain', 'variance polymorphism fto', 'chromosome bos taurus', 'box family', 'acid sfa', 'myh2 myh3 myh13', 'available study', 'seven day starting', 'qtl including detection', 'tract uterine horn', 'trait testicular weight', 'resulted refined', 'affect mastitis dairy', 'population ssc3 ssc4', 'emotional social behavior', 'hatch heart', 'practice rely animal', 'host response gastrointestinal', 'time varied quantitative', '3kb region ank1', 'carcass quality composition', 'cross issued', 'protein bmps play', '20 bovine', 'born spring 2005', 'cm gga3', 'qtl identified ssc1', 'microsatellites qtl eca2', 'region opn', 'landrace finnsheep', 'effect antagonistic correlation', 'confirmed litter', 'positive require validation', 'spectrometry association', 'fat related quantitative', '50k assay', 'post natal growth', 'generation iberian', 'report direct', 'measured age sample', 'eca raspf7 specific', '11 12 13', 'holstein bull daughter', 'matrix snp', 'process change', 'architecture livestock identifying', 'prolificacy attributed', 'usda usmarc linkage', '05 obtained', '272 f2', 'population asian pig', 'protein fubp3 myosin', '000001 pair', 'chromosome accounted additive', 'using 16', 'regarding source', 'mutation alter encoded', 'accumulation pig objective', 'random coefficient parametric', 'hen associated', 'study improves knowledge', 'result clearly indicate', 'ether extraction method', 'including senepol carora', 'phenotype mapped', 'associated iar stallion', 'chromosome genome', 'concern low moderate', 'obtained similarity marker', 'regulating acsm5 fo', 'fat meat proportion', 'barring recessive', 'experiment showed litter', 'snp marker genome', 'region associated studied', 'using double', 'urea lactose', '47 casein', 'mutation ryanodine receptor', '14 associated map', 'aberrant transcript induces', 'based david', 'dna technology genetic', 'associated rfi component', 'dpr productive life', 'effect gwas', 'association sensory technological', 'representing 29 chromosome', '01 multiple testing', 'approximately mo age', 'estimate significance', 'zfat positional', 'competent adult', 'pb a11471g', 'qtl strongly related', 'multiple european', 'weight substantial phenotypic', 'lesion examined histologically', 'significantly le abundant', 'genetic distance population', 'bw13 respectively', 'embryo hypothesized', 'increase number', 'ph color distant', 'deposition trait 13', 'biology mttp biology', 'chl_fat chl_milk 41', 'way 15 chromosomal', 'size trait egg', 'linkage disequilibrium filtering', 'inra design confirmed', 'earlier detected scs', 'nt963 located coding', 'canadian ayrshire', 'selection ma meat', 'selection achieve', 'vf2 growth 10', 'day cattle production', 'population investigated association', 'production period egg', 'fcr contribute', 'proc mixed procedure', 'susceptibility coccidiosis', 'qtl joint analysis', 'difficulty characterizing infection', 'time period lactation', 'c18 c18 1n9c', 'gga1 11 12', 'level extended family', 'percent snp', 'slc6a4 serotonin receptor', 'weight bmw thigh', 'qtl considered potential', 'associated fat trait', 'pigmentation snp', 'qtl explains', 'associated ocd confirmation', 'stress responsive neuroendocrine', 'weight candidate', 'method mrna', 'important meat processing', 'discovery validation population', 'domain 15 card15', 'phenotype sheep advanced', 'marker assistant selection', 'evaluation project gonzales', 'quality trait number', 'square mean', 'vstm1 significant', 'month radiographic examination', 'markers chromosome', 'likely represent quantitative', 'nucleotide 12978', 'incidence rate ibk', 'serve marker genomic', 'result histopathological', 'approach varied level', 'born total weight', 'effect syntenic', 'large game', 'based approach chromosome', 'pedigree used genome', 'causal gene melanoma', 'tick burden', 'breed single multi', 'trait individual belonging', 'variety trait cattle', 'muscle yield phenotype', 'pig diet', 'trait response variable', 'hmga2 2836', 'study current work', 'kg wide', 'result provide insight', 'british breed', 'segregating population family', 'region annotated intergenic', 'ultrasound carcass data', 'low coverage sequencing', 'efficiency growth fcr', '585 progeny produced', 'allele f94l segregating', 'qtl successfully verified', 'aquaculture industry aim', 'conclusive especially complex', 'acrosome integrity rate', 'decreased trait', 'genetic component modified', 'infection grazing', 'detected individual', 'bred lineage', 'development entropion', 'dominant effect', 'individual wt 99', 'peap bta14', 'white cattle uk', 'utilized detect', 'sub family member', 'red maasai providing', 'genetic potential', 'reep4 texel', 'test effect pleiotropic', 'gene including transcription', 'gene associated adiposity', '23 duroc 32', 'pleurisy additional', 'gene sequence exon', 'genetically linked fp', 'exon poll dorset', 'combined genotype data', 'conducted hypothesis single', 'membrane protein transcription', 'activity nr6a1 corepressors', 'fertility ayrshire', 'motif multiple', 'share high', 'snp identified allele', 'linear combination', 'phenotype genetic effect', 'igf2 qtl maternal', 'oc fetlock hock', 'decreased performance', 'population 578 bull', 'expressed qtl affecting', 'trait test hypothesis', 'linkage group orientation', 'estimated using linear', 'trait drawn', '21 30 associated', 'previously described candidate', 'relative 433c allele', 'shearing coefficient', '50 000 snp', 'snp classified genotype', 'analysis extended pedigree', 'mb bft', 'es regulating transcript', 'mediated cytotoxicity osteoclast', 'reproductive longevity', 'diplotype h7h7 smallest', 'genomic region gene', 'genetic difference subspecies', 'length candidate', 'protein lack domain', '45 78 cm', 'fmp ifr imf', 'purpose german', 'allele log', 'threshold model', 'genotype daily', 'porcine microsomal', 'performed ssc1', 'allelic recessive dominant', 'study expression nucb2', 'effect ovine ghrhr', 'areb6 substitution g93a', 'abnormal sperm frequency', 'offspring spanning', 'meishan boar significantly', 'result variation', 'imprinted qtl epistatic', 'score 39', '16 identified previously', 'shackle line', 'mc fcs intramuscular', 'human genomic', 'evidence better', 'kell blood group', 'network biological process', 'pinpoint area', 'gene expression microrna', 'effect genotype', 'cm confirmed', 'higher opn level', 'genotyping carried using', 'region located chromosome', 'weight ywt carcass', '600k snp array', '13 posterior quantitative', 'central injection nesfatin', 'population 298 f2', 'qtl affecting fertility', '335 kg 11', 'region rxrg sdhc', 'ppn0 924 family', 'lw breed high', 'chromosome detected strong', 'size pelibuey sheep', 'outbred strain rainbow', 'locus position established', 'digestive function', 'sex compared female', 'protein sugar', 'knc bird genotyped', 'trait evaluated using', 'cross linking cortical', 'result hanwoo beef', 'genotyping platform study', 'fertility event', 'wide snp associated', 'disease number stage', 'indicator level metabolic', 'utilize natural variation', 'value resistance', 'animal squares mendelian', 'pig f41', 'number ttn', 'value impact', 'family 72 piglet', '2nd 3rd lactation', 'coincided previously reported', 'carcass trait detected', 'nm_213910 612a exon', 'bta17 imputed 777', '56 nonreturn rate', 'gibbs sampling', 'redness texture fatty', 'carcass weight longissimus', 'snp bta13', '057 612 difference', 'need validated', 'showed mtpap', 'expression study analyzes', '431 interations 349', 'broiler meat', 'identified chromosome 27', 'microsatellite marker 355', 'research ma bone', 'number genomic', 'respectively regarding', '10 snp located', 'containing g4b', 'ctsd useful candidate', 'genomic resource', 'affect progression', 'sa regression module', 'litter size farm', 'association investigate', 'gland using pooled', 'behavior dtd', 'mirna gene significantly', 'snp identified study', 'highlighted number significant', '924 snp', 'plausible causative mutation', 'homeostasis tetra', '05 conclusion follow', 'parental animal allowed', 'univariate mixed inheritance', 'mapping identification candidate', '000 teladorsagia', '31 carcass composition', 'important role value', 'improving animal welfare', 'observed independent', 'susceptibility complex', 'resulting 32', 'cattle provided strong', 'thirty putative', 'indigenous chicken khorasan', '998 columbia polypay', '2002c exon 14', 'attitude copy number', 'boar snp bmpr1', 'likewise scs sd', 'bind myod', 'influence ear', '166 pig obtained', 'gene understanding', 'ejaculated volume', 'model age slaughter', 'puberty age knowledge', 'provide fundamental evidence', 'texel charollais', 'qtls detected reproduction', 'second population approach', 'selection appropriate approach', 'lowered fat', '29 bovine autosomal', 'performed using gibbs', 'atgl tg', 'analysis regressed estimated', 'beadchip bayesian statistical', 'distal gga5 controlling', 'bodied line', 'k232a polymorphism frequency', 'significant qtl colour', 'polymorphism snp local', 'fowl typhoid globe', 'uberis result particular', 'value resistance clinical', 'detected mirnas overexpression', '13 snp located', 'segment help understanding', 'similarity specie', 'demonstrate possible verify', 'skeletal muscle promising', 'period substantial rapid', 'marker 261', 'marker medium', 'mutation npc1 gene', 'association data', 'versus multiple', 'qtl bta7', 'workability udder', 'cm detailed haplotype', 'associated osteoporosis human', 'genotype interaction milk', 'pcr rflp dna', 'level including seven', 'qtl based', '26 estimated breeding', 'size ewe', 'rfi dfi', 'pig production efficiency', 'respectively population population', 'infection 10', 'gga gga4 snp', 'control 587 7825', 'conception rate homozygous', '51 lod 04', 'number vertebra ssc7', '3733 concordant', 'bw collected 42', 'result method', 'acid va', 'cmp montbéliarde', 'using lald', '002 trps1', 'qtls affecting brd', 'disease caused', 'fld dairy cattle', '198 snp', 'development rab28', 'fat percentage somatic', 'marker tbg apoh', 'pufa significant', 'quantitative trait examined', 'qtl effectively', '05 conclusion study', '09 15', 'sheep 05 addition', 'body fat', 'bta13 short kb', 'primary platform', 'family support white', 'item questionnaire set', 'elucidate ancestral mutation', 'remained cholecystokinin receptor', 'body mainly', 'ewe prl', 'genotyped total 306', 'total 24', 'rs41694646 located second', 'year period', 'population second', 'enrich knowledge skin', 'nuclear family knc', 'igg end second', 'investigated non', 'gene hypothalamus adrenal', 'detected steer', 'industry great enhancing', 'mrna expression 489c', '41 53 cm', 'wild population potentially', 'gain tmem18', 'parity qtl identified', 'harboring mirna', 'medullary bone quality', 'coding region leptin', 'development thickness', 'characterized discrete', 'result reveal', 'reduced fitness', 'state allele', '24 cm dik2741', 'locus present chromosome', 'region qtl growth', 'reported snp chicken', 'canchim population validate', 'abhd5 expression level', 'content suggestive', 'wur10000125 wur', 'portion genetic variation', 'commercial crossbred pig', 'information relationship', 'type genotyped 50', 'gene remains discovered', 'module loading value', 'using 19', 'allele eaat2', 'malformation cattle provide', 'pathway serum', 'qtl affected fat', 'heat tolerance poultry', 'deposition called', 'height detected', 'lesion score', 'carried using maximum', 'c1924t used linkage', 'source leg', 'loss performed', 'mapping technique using', 'dominance effect 73', 'analysis significant evidence', 'study outbred', 'cm 28 23', 'content chicken', 'legged partridgelike current', 'new major qlt', 'conformation mainly', '20 kit eca3', '01 injection', 'tested snp whc', 'estimated large', 'greater transcript', 'porcine genome', 'h2h6 h6h6 showed', 'invaluable indigenous', 'snp large', 'measure correlated positively', 'immune competence disease', 'muscle growth backfat', 'cart mc4r', 'remodeling lactation decline', 'result indicate significant', 'selectively breed animal', 'number lumbar', 'animal g38819398a snp', 'camkmt gene key', '2012 united kingdom', 'analysis performed qtlmap', 'specific protease senp5', 'calving ease strong', 'cm region flanked', 'animal rapid genetic', '02 05 indicate', 'possible gene involved', 'region contain gene', 'fcr ssc2', 'meat proportion phenotypic', 'contribution linear', 'associated cardiovascular disease', 'sheep inherited', 'estimate effect single', 'haplotype consisting snp', '24 somatic', 'identified region region', 'genotype validated panel', 'h3ga0056170 detected', 'landrace allele', '600k snp', 'indication qtl', 'white blood cell', 'linear animal', 'mb region 46', 'content capric', 'kosambi ovine', 'tata site', 'modification protein', 'sge immunisation experiment', 'influence growth feed', 'bone length bone', 'laiwu pig significant', 'background korean', 'cnvrs meishan', 'previously mapped', 'rapid biological psychological', 'breed granddaughter design', '37 40', 'quality trait declared', 'disequilibrium 92', 'position frequency', 'trait estimated relative', 'detect snp genomic', 'effect locus large', 'region 169', 'study identify fine', 'efficiency carcass merit', 'sult2b1 new member', 'genetic mechanism locus', 'potential power', 'segregating 923 boar', 'causal cause', 'polymorphism production trait', 'associated variation lipid', 'measured trait gene', 'period temporal specific', 'sire performing marker', 'characterization laborious task', 'treatment heritabilities', 'value loin ssc15', 'rhinitis ar score', 'week 37 72', 'cluster south', 'conclusion result suggest', 'genotype spp1c', 'rao heave naturally', 'association included', 'detected 62 classified', 'genotype fixed', 'effect igf2 qtl', 'chinese erhualian resource', 'data seven', 'identified potential reveal', 'necessary fully', 'vle fetal death', 'mcd contributing', 'preweaning average daily', 'reduce boar', 'group lge22', 'eca3 79 588', 'marker genome scan', 'sequenced 264', 'megabases mb associated', 'segment harbor', 'study gwas compare', 'chol glucose glu', 'culture elisa', 'sire qtl sire', 'statistically population structure', 'affect wide', 'previous model overall', 'investigation genomic', 'amplified barki ewe', 'restraint expression value', '120 cm', 'impact host genetic', 'leptin hormone', 'fasn gene known', 'spread 25', 'derived gamma', '23 fluorescent', 'breed analysed significant', '19 17 21', 'allelic homologous', 'function effecting milk', 'interval hamp_c 366', 'tool selection dairy', 'apovldl ii polymorphism', 'wgcna total 20', 'size including', 'act determination polled', 'locus impact', 'cow using genabel', 'genotype displayed significantly', 'demonstrated linkage analysis', 'growth avian', 'underlies qtls', 'skin weight chromosome', 'w2cl conclusion', 'gene essential node', 'production generally', 'associated region expressed', 'originated erhualian white', 'difference incubation period', 'growth curve treated', 'responsible body', 'difference mt', 'paratuberculosis map adverse', 'colour variability', 'block value', 'defining qtl emmax', 'slaughter weight', '69 snp', 'marker pair', '25 chromosomewide', 'rxfp2 autosomal', 'lentivirus ovlv', 'muscle content pig', 'study affect lactation', 'animal respond', 'study comprehensively evaluate', 'analysis based classical', 'day weight', 'european wild', 'set including 357', 'additive dominance snp', 'model gwas', 'slc30a2 alb suggestively', 'qtls affecting trait', 'dairy sector', 'presence paternally expressed', 'additive additive dominance', '217 single nucleotide', 'acid trans', 'matrix different method', 'mutation segregated parental', 'inferior spite', '13 gene', 'heritability major trait', 'putative qtl small', 'significant 2571 polymorphism', 'yield association', 'high density genome', 'wur snp play', '16 bp', 'mutation exon fabp', 'combining result', 'sire linear regression', 'development tumor ulceration', 'effect genotype single', 'single sire qtl', 'ssc8 qtl average', 'rna sequence', '550 68 11', 'product regulates', 'statistical significance 184', 'shd bmw', 'diabetes exercise', 'research explore genetic', 'eumelanin black', 'high frequency western', 'shed new', '05 validation dataset', 'trait mapped near', 'various reproductive', 'c14 content backfat', 'distance 50 kb', 'model summary', 'previously detected f2', 'fertility breed', 'mean gebv', 'provided insight biology', 'included ultimate', 'locus qtl effect', 'boar meishan f2family', 'score chromosome milking', 'corpuscular hemoglobin', 'complex environmental', 'mouse showed', 'population 11 significant', 'genotype animal g38819398a', 'haplotype tggaca', 'intensive selecting', 'polymorphism snp upstream', 'pig predisposes', 'surface fimbria', 'phu cie cie', 'trait 80e bonferroni', 'lifetime parity produced', 'converged previous', 'g4533675c snp stat5b', 'chi squared test', 'ear feature selected', 'regression model', 'chromosome gga7 gga9', 'score stillbirth', 'fbmd pig time', '14 microsatellite', 'snp ucp3 ucp2', 'qtl identified identified', 'correlation 53', 'arabidopsis second gene', 'corrected 06', 'holstein normande', 'total cnvs chromosome', 'shown segregate', 'animal material', 'corresponds 18 total', 'scrofa chromosome contains', 'sheep lamb yearling', 'intercross line', 'population pig method', 'gc genotype', 'support polygenic nature', 'survival rate piglet', '10 45e', 'region extreme', 'fasn snp', 'muscle tissue', 'unique snp val', 'virus genome', 'feed intake pig', 'change exhibited genotype', 'factor igf insulin', 'function porcine chromosome', 'strength genotype', 'tail han sheep', 'gene acyl', 'adg6 month yearling', 'linear model cmlm', 'proliferation immune', 'corepressors nuclear', 'suggest large effect', 'using dna sequencing', 'tco2 na', 'process relies', 'expression gluteus medius', 'caused slight difference', 'crucial design efficient', 'treatment included', 'north american', 'specifically snp rs109663724', 'significantly differ diversity', 'described pietrain meishan', 'size erhualian', 'white leghorn inbred', 'study mir 27a', 'bta6 confirmed widely', 'inter individual', 'spot accumulation', 'trait locus gene', 'approach high density', 'gene performed', 'influencing gene expression', 'qtl eca9', 'area explore positional', 'cross qtl', 'process gene', 'calculated segregation analysis', 'variation affect bovine', 'significance level association', 'gene doping', 'intermediate ridge distal', 'hf sire representing', 'igf2 mgll ncoa1', 'sheep polyceraty occur', '034 snp following', '1979 8209', 'selection showed fabp4', 'gdf10 gene potential', 'study racing', 'hsd17b6 sdr9c7', 'apovldl ii gene', 'australia detect quantitative', 'kb segment harbor', 'influencing trait', 'parasite infection considered', 'transversion identified', 'qtl approach used', 'hardy weinberg equilibrium', 'percentage respectively gene', 'bp indel mutation', 'genome sequence level', 'approximately mo', 'dd lower mean', 'sixteen known', 'total 10', 'vaccinating attenuated prrsv', '590 174', 'old synonymous', '15 bmp', 'applied dna based', 'model half sib', '70 decreasing', 'position 39 cm', 'shown physiological stress', 'build 50k affymetrix', 'snp ccr2', 'related trait including', 'adipose trait porcine', 'eqtl fos', 'performance affected', '32 million', 'cm 22', 'mepe ppargc1a', 'hematological trait seven', 'tt chicken 05', 'adl0201 mcw0241 chromosome', 'economic loss result', 'variation underlying trait', 'cycle controlling', 'response cow genetic', 'qtl significant value', 'sib applied', 'trait extension', 'ketosis symptom', 'approach using half', 'pde4b sw1881', 'moraxellabovis ibk', 'transcription modulator', 'increased body size', 'taurine dairy', 'marking 05 relative', 'firstly potential', 'population consistent', 'weight liw', 'bta20 estimated proportion', 'method explore', '771a 1101a 156_157del', '927 charolais 963', 'analysis identified known', 'individually removed successive', '24 30', 'evaluated qtl pair', 'collagen type', 'pig allowed detect', 'used map quantitative', 'continues threaten', 'qtl shell', 'dgat1 k232a', 'subjected targeted', 'multifaceted protein play', 'c14 group haplotype', 'revealed candidate region', 'snp intron remaining', '35 mb', 'implicated measured', 'e1 cyp2e1 gene', 'weight testosterone concentration', 'lp gram negative', 'nup210 close hdac11', 'representing seven western', '41 potassium sodium', 'ocd tibiotarsal', 'southern china 19', 'pleurisy calculated', 'yield cy dairy', 'tool improving parameter', 'trait sample', 'bayesian shrinkage estimation', 'imputed sequence variant', 'population phenotypic measurement', 'affected 37', 'region historically large', 'force redness', 'population 13', 'hypothesis nesfatin regulates', 'fertility mapped', 'heterozygous snp agreement', 'identified genotyped', 'essential role sheep', 'gga4 multitrait analysis', 'haemostasis regulation', 'peak region marker', 'longissimus muscle significantly', 'landrace female', 'intron mutation', 'match expected', 'color semimembranosus muscle', 'effect difference reproduction', 'line report', 'disequilibrium actual', 'sheep breed naturally', 'wingless type', 'ca semen production', 'major protein bovine', 'snp highly significantly', 'fa 19', 'beadchip illumina', '18 04', 'carrying allele', '579 789 respectively', 'parental breed using', 'located ssc1 05', 'female report', 'genetic genomic study', 'gg genotype 3691g', 'hereditary cutaneous melanoma', 'chromosome sex specific', 'male fertility correlated', 'reproductive efficiency great', 'snp chromosome perform', 'quality meat genome', 'zbtb38 gene target', 'arms pcr new', 'chromosome gga 15', 'pressure growth', 'pig qtl mapping', 'subjected repeated', '2886 14a exon', 'finding helpful identify', 'showed genome', '313 informative', 'background milk lactoglobulin', 'expression drip', 'thickness bft 17507a', 'intergenic conclusion screening', 'population broiler broiler', 'mar bb ab', 'cm3 specific staph', 'close promoted', 'eth10 chromosome', 'thickness bt', 'tested help', 'subsequently produced', 'used gene', 'type prrsv fetus', 'half sib', 'month age microsatellite', 'population current study', 'clinical mastitis', 'ttn ltn', 'au cgi', 'horse phenotypic status', 'significant effect growth', 'locus qtl dairy', 'trait enabled positional', 'region survival', 'revealed polymorphism significant', 'allele frequency difference', 'related holstein', 'gene gga27 identified', 'located lcorl gene', 'trait non', 'afc ep', '68 evaluated snp', 'qtl identified qtl', '54 000 single', 'strain qtls detected', 'analyzed enrichment association', 'qtl effect', 'family reproductive', 'weight heart weight', 'improve overall', 'total 660 individual', 'pied cattle using', 'mapped adr inra', 'development prolactin', 'obtained ensembl', 'proportion castrated male', 'cyp2 gene subfamily', 'wgs used detect', 'sequencing genotyping sequencing', 'genetic marker marker', '25 mutation ser15ile', 'identified study previous', 'region variant utr', 'high affinity', 'noted explain loss', 'wattle trait', 'subtypes approach refine', 'egg 0143 0088', 'classified lc type', 'identified compared breed', 'color ssc4', '50 my50', '99 genotype', 'bta7 bta9', 'expression scrapie control', '001 present study', 'designed amplify genomic', 'bf 210 day', 'pig meishan pietrain', '392g association', 'quantitative trait high', 'information exploited diagnose', 'result suggest porcine', '11 suggesting locus', 'adjusted linear', 'qtl region endocrine', 'qtl region body', 'serve marker', 'gene associated previously', 'allele originate', 'associated rbc', 'core binding factor', 'locus including', 'genetic variance monounsaturated', 'population identified total', 'identified 245', 'obtained consecutive generation', 'native population', 'physiology beef cattle', 'effect particular gene', 'facing dairy', 'regulation function', 'piglet litter', 'procedure mixed model', 'suggestive lea', 'examine effect', 'genetic variant associated', 'pleiotropy boar', 'conformation mainly change', 'necessary order', 'discrete set interacting', 'egg related', 'fumigatus goal', 'modern chicken red', 'possible causality', 'identified mutation', 'v371m ovulation', '46 hanoverian', 'genetic regulation provide', 'survive disease different', 'haplotype identified sequencing', 'pig phenotype', 'pp chromosome oar3', 'backcross bc1 generation', 'used account', 'revealed presence 12', 'model 332', 'reaction amplicons', 'research wnt signaling', 'composite pig population', 'egg laid', 'chromosome wide qtl', 'play pivotal', 'selection using marker', 'marker passed', 'conducted local', 'life age', 'level skatole fat', 'gdf5 gene useful', 'useful developing breeding', 'dorsi sample', 'genetic merit predicted', 'identified bovine fasn', 'r2 result', 'influence production pig', 'weight protein', '833 son genotype', 'industry carcass evaluation', '38 fatty', '10ralpha aat showed', 'abhd5 performed', 'foetal developmental mef2c', 'previous study confirmed', 'production related trait', 'candidate gene vartnb', 'molecular background study', '01 significant using', 'eumelanin phaeomelanin seen', 'ssc8 85 cm', 'sweden objective', 'representing 826', 'qtl combined false', 'heterosis direct', 'dilution locus', 'association observed allele', 'region gene associated', '95 155', 'acid change nature', 'strength subsequent', 'ssc4 phosphoenolpyruvate carboxykinase', '01 bvd pi', 'causal mechanism', 'exon intron', 'population warranted', 'reaching suggestive level', 'complex performance trait', 'affecting potential', 'nh dj nr', 'willi angelman syndrome', 'architecture baseline erythroid', 'site including', 'weight chicken', 'consistent ntn1', 'haplotype genomic', 'chinese holstein', 'age analyzed', 'month age slaughtered', 'breed using 881', 'se 01 02', 'eimeria cestode', 'insertion reticuloendotheliosis virus', 'early late growth', 'level chromosome', 'total 617 animal', 'rt101 strain', 'exome sequencing', '0001 35', 'identified eca3', 'male using', 'displacement abomasum', 'pig immediately', 'mouse human based', 'exhibit higher', 'background ph important', 'arm close', 'consumption feeding', 'mutated allele showed', 'previously putative', 'biological link degree', 'intermediate frequency exhibited', 'region utr acyloxyacyl', 'including exterior meat', '69 cm carcass', 'count effect', 'linear mixed', 'causative mutation originally', '12 trait bayesian', 'qtl bta replicated', 'resistance identified transcription', 'caballus chromosome eca', 'trait qtls', 'gene dio3', 'slc39a7 gene', 'circulating prolactin concentration', '262 bp', 'inflammation induces', 'production sheep total', 'trait measurement', 'cattle verify influence', 'baseline information relationship', 'effect identified 11', 'association result provide', 'fowl typhoid heritable', 'carora effecting gene', 'genetic correlation 53', 'test suggested', '04 012', 'lowest frequency', 'bootstrapping enrichment analysis', 'acid substitution gene', 'gene higher', 'robust evidence variation', 'late feathering chick', 'bta10 bta5 bta26', 'safety tennessee walking', 'ssc16 hsa5 73', 'animal phenotyped kyphosis', 'beta carotene', 'associated internal', 'qtl cwt midpoint', 'length dna', 'sequence single nucleotide', '05 remained', 'locus sw1336 sw512', 'comparison data', 'milk trait performed', 'functional classification identified', 'notable finding study', 'trait dusp4 lifr', 'trait generally', 'snp successively included', 'cattle chromosome', '314 snp', 'deletion combined', 'chicken allele', '23 kidney fat', 'af320998 433c resulting', 'reported previously work', '36 white leghorn', 'largely ranged 10', 'programme chicken report', 'gamma gene ifn', 'identified using selective', 'present evidence', 'occurred selected', 'region moment calibration', 'location pde4b', 'measured 24h post', 'phenotypic manifestation new', 'encoding 528 amino', 'inheritance grandsires experimental', 'affect cm2 cm3', '03 wild type', 'fatty acid oxidation', 'provide foundation investigation', 'swine skin thickness', 'cft equation parameter', 'h2 increased sc', 'highly polygenic', 'genetic regulation lascs', 'haplotype significant snp', 'skatole maternal', 'polymorphism segregating n229h', 'dressing percent warner', 'validated targeted single', 'analysis list candidate', 'using 125 microsatellite', 'cross iranian urmia', 'control test', 'chicken chromosome furthermore', 'segregate low frequency', 'snp snp left', 'distinct haplotype identified', 'primary immune', 'ng 30 carcass', 'focused major effect', 'gene editing', 'indicated lap3 probable', 'involving founder breed', 'rate average body', 'exclusive maternal', 'shown expressed', 'effect analysis enabled', 'successful assigning', 'analysis performed using', 'suggestive qtl explain', 'condition world wide', 'fertility trait nh', 'duroc allele increased', 'composite single locus', 'crh cxcr1 fasn', 'largest degree variation', 'axiom equine genotyping', 'analysis performed mineral', 'optimal combined', 'feasible enabling rapid', 'gene hem1 pde1b', 'haplotype t32742394c t32742468c', 'w80x fitted fixed', 'effect variance', 'line cross duroc', 'qtl scan', 'line revealed significant', 'reproductive investment determining', 'hybridization fish mapped', 'performed interval', 'ssc enssscg00000022338', 'count fec serum', 'size larger', 'animal 240', 'response suggests gr', 'sequence intragenic snp', '16 haplotype 18', 'response clearly', 'tenderness total', 'objective bioinformatics pipeline', 'genotyped total 137', 'thi index', 'annotated reference genome', 'calpain classified', 'plasma cis', 'panel 130', 'marker covering porcine', '99 snp', 'qtls displayed', '4e number candidate', 'seasonal oestrous', 'igfbp7 adamts3 afp', 'fcr compared', 'replication data', 'bta2 bta10 bta11', '334 duroc', 'detected detected', 'european breed f2', 'high effect beginning', 'requires depth', 'comprised closed', 'level coverage identify', '371t 805g', 'fisher combined probability', 'genomic region explaining', 'genotyped classified', 'livestock genome', 'qtl detected study', 'testing imputed variant', 'commercial sire', 'association rfi total', 'affecting smell', 'associated pleurisy additional', 'revealed gene', 'bwg fcr', 'carcass trait previously', 'phenotype hcr1', '47 36 lgb1', 'blackface breed', 'objective continuous phenotype', 'number aggressive', 'birth adult stature', 'determined vitro', 'risk specifically male', 'component responded', 'selection estimating', 'variant analyzed using', 'trait bta18 loc787057', 'scan experiment', 'ac hap22', 'lmp genome', 'puberty ap', 'ejaculate sperm motility', 'replicated chromosome', 'nicl arise compromised', 'value trait half', 'muscular hypertrophy texel', '64 432', '5k non', 'scan carcass trait', '14 population', 'wk age 145', 'snp especially c18', 'reflect difference genetic', 'standardized behavioral', 'snp associated behaviour', 'surrounding rs43032684 significant', 'bull pool', 'fat abdominal', 'factor present data', 'analysis schp', 'identified rft marb', '201 65', 'quality trait swine', 'weight 05', 'allows genome wide', 'qtl qtl identified', 'association analysis allows', 'decline consequence imbalance', 'accomplished mixed linear', 'mac significant', 'environmental factor like', 'mapped roan', 'efficiency meat type', 'examination rib', 'cattle data 5064', 'coloured horse', 'scrapie control', 'chromosome level backfat', 'count keds melophagus', 'joint snp', 'reported bovine chromosome', 'milk thorough understanding', 'single qtl thirteen', 'fi ag', 'measurement ranged 39', 'receptor mediate', 'allele mnb42', 'localized hsp90aa1', 'quantitative qualitative difference', 'variation 6926a 8646g', 'near previously', 'effect qtl additive', 'anesthesia banned germany', 'distal end', 'linkage disequilibrium 76', 'regulatory mechanism significant', 'associated wbsf', 'bta2 94', 'recording selective breeding', 'bend cell', '0064 aimed', 'oar1 24', 'sheep navajo churro', 'heritabilities genetic', 'muscle area intramuscular', 'genome associated', 'variation locus close', 'acid change protein', 'locus analyzed', 'sscx chinese', 'regression additive', 'marker gct0006', 'quality bone', 'trait ssc4 shared', 'associated water holding', 'concentration association linkage', 'quantitative trait meat', 'box tox', 'significance bta', 'beadchip gwas', '20 adjacent', 'genomics approach combine', 'mb 23', 'used genotypic', 'suggestive chromosome', 'artificial selection study', 'potentially reduce', 'correction association egg', '203 variant analyzed', 'expression comb mass', 'multiple previously reported', 'designing breeding', 'rb1 directly indirectly', 'reproductive tract characteristic', 'region suggesting', 'pairwise linkage disequilibrium', 'using backward', '98 10 chromosome', 'trait selection signature', 'friesian cow test', 'close hdac11 gene', 'milk measured peak', 'ratio 12 time', 'conclusion concerning trait', 'alternative designed multibreed', 'snp2 g105521a snp3', 'trait decreased', 'feature fat', 'cloned single nucleotide', 'process involving', 'cm imf', 'maternal terminal', 'bta18 likewise', 'landrace imported norway', 'simulation analysis', 'expression dlk1', 'study gwas useful', 'chromosome evidence', 'locus responsible polled', 'refined confidence', 'fatness pig', 'objective measure tenderness', 'sm glycolytic potential', 'compelling candidate gene', 'alternatively gaussian', 'cross 02 sire', 'yr indicating target', 'linoleic acid', '13 36', 'failure discover', '200 300 ctnnal1', 'melatonin receptor', 'breeding company', 'wenchang chick higher', 'product furthermore additional', 'acid animal', 'fitting vca', 'production trait previously', 'marker genomic', 'chromosome ssc genotyped', 'steer 32', 'anaemia haemorrhagic diarrhoea', '13 86', 'level qtl associated', 'permutation testing', 'interaction pair', 'wide significant linkage', 'inherited marker haplotype', 'resistin retn', 'double muscled body', 'calf easily born', 'sib analysis 46', 'gga2 identified novel', 'trait condition', 'provide specific opportunity', 'estimated effect', 'association analysis prrsv', 'davisdale line daughter', 'regulating rfi largely', 'swiss jersey', 'underlying rfi', 'marbling trait japanese', 'rac identified', 'greater block', 'season result', 'respectively 10 snp', 'ssc3 nvd ssc7', 'improve productivity', 'known q204x', 'egg ewfe', 'liking result', 'acid substitution y7f', 'mutation gon4l associated', 'revealed significant association', 'sscp methodology showed', 'strategy mastitis continues', 'trait spanish', 'crossbreed bon', 'analysis multiple testing', 'experimental natural', 'qtl affecting ultimate', '33 single', 'attenuation coefficient', 'cattle resource', 'fat meat', 'acid composition backfat', 'trait adg', '18 24 associated', 'wdr83 overlapping utrs', 'acidity ph milk', 'percent qtl identified', 'bta7 bta10', 'selection far study', 'gene susceptibility btb', 'bovine melatonin', 'study largest date', 'locus newly', 'individual marker analyze', 'equilibrium locus analysis', 'racing success', '12 study identified', 'polymorphism according', 'used case', 'important step identification', 'clarify genetic property', 'located 68', '21 26 week', 'difference prolificacy 255', 'population selected', 'injection melanocortin receptor', 'derived line', 'muscle development partly', 'cytological feature fat', 'fat liver association', 'signal false', 'achieve racing success', 'layer cross single', 'suggesting presence causal', 'interacting locus', 'difference meat quality', 'birth date weight', 'significance threshold sq1', 'sequence mir', 'sixteen marker ncapg', 'variant associated lean', 'data 24', 'affect trait human', 'score bcs', 'binding repeat', 'animal breeding', 'divergent feather', 'composition trait measured', 'iib ssc2', 'region bta6 casein', 'bornfeb 13th', 'aside tmem154', 'mastitis affecting', 'result european hybrid', 'weakness pig method', 'commercial pork', 'ptpn3 gprc5a ddx47', 'approach association', 'polymorphism snp chromosome', 'color color', 'length 15 shoulder', 'ebv variance previously', 'ratio 15', 'sc maternal stillbirth', 'pig evidence', 'small effect include', 'meat inclusion internal', '994 bp', 'including igf2 pik3c2a', 'analysis result seven', 'green legged partridgelike', 'used artificial', 'explained 21 phenotypic', 'current holstein population', 'variation present hock', 'basic association chi', 'chromosomal location', 'f12 highly', 'recessive proportionate', 'regulated genomic', 'sheep ghr', 'quick sensitive', 'total variance trait', 'association 01 15', 'development skeletal', 'polymorphic information', 'tailor milk', 'adfi adg associated', 'detected flanking', 'known regulator', 'group pig selected', 'isoform showed', 'polymorphism reported previously', 'used parentage', 'horse relative', 'order predict', 'produce parity litter', 'quantitative genetic study', 'sheep hypersensitivity reaction', 'responsible microtia', 'database accelerate', 'dfi identified', 'harboring gene', 'geographical origin comparative', 'investigate genomic region', 'importantly meat quality', 'showed exclusive maternal', 'eca15 showed', 'static qtl sq', 'level genotype', 'disorder horse', 'improvement japanese', 'dimension 05 compared', 'mediated antigen processing', 'acid lta gram', 'dlg1 cga abcg5', 'cn isoforms', 'effect putatively', 'identified pig fto', 'interval mapping decision', 'prediction adg possibly', 'tick count trait', 'postgsf90 version 38', 'influencing weight abdominal', '50 kbp snp', 'addition genome', 'common country', 'value lmm', 'bmd dxa', 'conclusion study develop', 'similar location', 'study based animal', 'qtl accounted approximately', 'intragenic snp', 'industry blv', 'showed male', 'potential aid selection', 'detection different', 'map3k5 nrac', 'carried using composite', 'large white population', 'commercial single', 'pi marker associated', 'associated thickness', 'intact male', '160 adjusted postweaning', 'rao chronic lower', 'animal chemical', 'position interpolated base', 'significant effect economically', 'generally additive', 'complex production', 'provided prediction', 'rao affected healthy', 'sire daughter', 'meishan chromosome', 'genotyped 882 bull', 'covered physical length', 'qtl controlling erythroid', 'litter size ewe', 'microsatellites sire family', 'analysis showed considerable', 'production potential', 'breast muscle pbm', 'circumcincta specific', 'ewe lamb homozygous', 'crossbred population investigated', 'serologically defined mhc', 'heritable 40 qtl', 'proposed meat', 'significant epistasis', 'mutation large', 'analysis suggested significant', 'dependent variable', 'percent warner', 'sex housing season', 'mechanism impairing', 'compound boar', 'reported study', 'impact mutation', 'belly bacon', 'bonferroni correction 15', 'trait combination correction', 'factor study', 'number important fertility', 'vs non risk', 'trait finding useful', 'est bi596262 identified', 'genetic size 505', 'increasing number vertebra', 'score detected beef', 'substitution effect phenotype', 'lacking study', 'accounted 23 48', 'income investigate', 'ph 24', 'effect sample allele', 'acid oxidation considered', 'generally consistent qtl', 'genetics resistance', '129 vs fw', 'tolerance grandprogeny grandsire', 'deviation dtd calculated', 'qtlr influencing', 'associated growth trait', 'located downstream', 'result indicated ctsd', '21 additional', '474 494 576', '54k single', 'fundamental parallelly', 'ndv challenge tanzania', 'snp calving', 'genetic environmental effect', 'stimulating triacylglycerol', '1661 amino acids', 'effect size majority', 'consisted boar', 'paternal imprinting closely', 'major gene qtl', 'study dissect', 'fineness dispersion', 'region cw identified', 'milk lgb', 'functional analysis gene', 'genotyped 182 microsatellite', 'better tasting healthier', 'consist 5025 5019', 'ranged 07', 'offspring implemented existing', 'cnvr potential marker', 'flock half', 'population 13 novel', '16 286', 'apob causal', 'complement c1q', 'dwarf layer', 'landrace dl', '50 genotype scored', 'msc tt', '21 40', 'parasite resistance information', 'selected gwas imputed', 'interval yellow', 'resilient disease challenge', 'suggest variant', 'cm highly', 'variant underlies', 'merit beef steer', 'bmd endosteal circumference', 'primiparous montbéliarde', 'provides promising', 'leanpc fat', '770 holstein', 'tlr2 caspase', 'lep lgb known', 'quantitative trait locus', 'morphology trait', 'tuberculosis btb significant', '947 young bull', 'meat quality general', '23 respectively cc', '919g serpina6 sufficient', 'related carcass', 'intron exon ovine', 'cut backfat station', 'signal transducer activator', 'lesion blood', 'network candidate structural', 'study promotes porcine', 'trib1 genotype reveal', 'ssc1 ssc4 ssc6', 'study estimate', 'population crash', 'sire inheriting', 'based described', 'variance percentage', 'risk genetic', 'sheep preventive vaccine', 'parity report association', 'expected chance test', '96 population 72472', 'effect dgat1 linkage', 'disease number', 'oncogenic highly', '2283 2065 0652', 'poultry stock transmission', 'goal evolutionary', 'association backfat ebv', 'inform future breeding', 'significant snp chr1', 'wise genomic', 'genetic background modulates', 'specie including human', 'appears associated', 'quality trait study', 'mastitis infectious', 'medium density marker', '79 genomic', '10 reggiana identified', 'deletion variant track', 'defined active', 'human immunodeficiency', 'associated early late', 'snp chip haplotype', 'snp variant', '60k high', '633 snp 29', 'affect mineral content', 'chromosome 16 value', 'consistent candidate', 'frequency weak association', 'evaluated using statistical', 'significant effect similarly', 'respectively excluded prkag3', 'contemporary holstein', 'rao loss', 'qtl platelet', 'progeny carcass conformation', 'day model containing', 'production trait quantitative', 'approach genetic improvement', 'determining genetic basis', 'identified qtl snp', 'identified snp analyzed', 'breed prim', 'method automatically', 'gamma genomic', 'best characterized genetic', 'lead severely', 'record performance', 'seven 167 262', 'typical asian pig', '3911t skatole', 'diversity snp', 'depth fourfold identified', 'finding field closer', 'gga mir', 'confirmation qtl associated', 'snp genotype 597', 'time point post', 'exon site mutation', 'method qtl hypothesis', 'result functional study', 'slaughter ph15 ultimate', '32 fold', 'gene csrp3', 'total 386 animal', 'fatness confirmed previous', 'genetic effect accompanying', 'gene region include', 'androstenone concentration identified', 'resource population neaurp', 'significantly enhanced power', 'major issue', 'ld c18 corrected', 'compensatory vivo', 'transcript abundance', 'upstream region acvr2a', 'tyr581ser milk composition', 'male 05 ssc13', 'genetic variant influencing', 'pathway milk fat', 'region compared previous', 'colour breed', 'associated nonsense', 'cm interval investigated', 'measurement 01 23', 'fescue toxicosis livestock', '60 48 respectively', 'imf fatty', 'extensive link ucp3', 'approach aflp', 'semen production trait', 'assigned accession number', 'epidermal growth', 'dataset confirmed val', 'data suggest locus', 'approach result', 'flock threatens household', 'postnatal psychiatric illness', 'demonstrated polymorphic locus', 'intercross genotyped 183', 'spectrum proved cost', 'major biological', 'map genetic source', '741 lactation holstein', 'research required', 'bovine chromosome affecting', 'passed stage representing', 'originates birth', 'test conclusion study', 'productive enzootic', 'fast cheap', 'model functional', 'animal immune capacity', 'developmental process result', 'holstein grandsires 000', 'liking cooking loss', 'located middle', 'human fertility longevity', 'cattle maintain', 'score classification', 'architecture innate fear', 'afp gga5 gluc', 'infection data', 'identification functional', 'monitoring linkage suggestive', 'abcg2 fe allele', 'breed qtl identified', 'effect carcass chromosome', 'opportunity positional', 'region containing microphthalmia', 'modern broiler', 'ssc12 qtl polyunsaturated', 'large lrt', 'improve prediction accuracy', 'located quantitative trait', 'susceptibility association snp', 'locus qtls 10', 'ssc18 laiwu', 'breeding value average', 'analysis revealed 44', 'pig western present', 'daughter record clinical', 'oocyst shedding', 'respectively ax', 'identified 19 qtl', 'skin fat width', 'chromosome 20 observed', 'crucial commercial', 'used pork production', 'enrichment value 2x10', 'level 04', 'associated adjusted 05', 'population varied 12', 'typhoid sg fowl', 'trait pig snp', 'porcinesnp60 chip', 'index egg production', 'response stressor neurotransmitter', 'report qtl search', 'egg meat selection', 'variable total 071', 'identify genomewide significant', 'interval cm explaining', '10 categorical', 'assessed snp', 'profitability dairy cattle', '12 polymorphism', '03 05', 'lm qtl significantly', 'genotype rsnp nce7', 'phosphate metabolism insulin', 'tmw detected', 'conduct directional selection', 'indicator mineral', 'associated ltnb', 'emmax approach based', 'pooling using panel', 'completely linked result', 'semen ejaculation', 'retp metritis', 'gene expression investigation', 'like year birth', 'myod1 position', 'public snp', 'equine recurrent airway', 'pleurisy score adjusted', 'pep result regression', '15 mb overlapping', 'muscle transcriptomes fatty', 'comparing polygenic model', 'broad breed', 'detection result partly', 'rate 01 ewe', 'sample apical basal', 'trait locus potential', 'gm quantitative', 'thickness buttock fat', 'finding potential involvement', 'study imputed sequence', 'contrast markedly genome', 'data analyzed', '30 lower', 'numerous report described', 'life 11', 'vrtn lysine', 'testing based', 'wgebv variance explained', 'size trait reflect', 'imf content fatty', 'mutation chicken breed', 'chromosome allelic effect', '23 using identical', '19 29 harbored', 'meta analysis multitrait', '1206 895', 'marbling standard score', 'size conclusion hmga2', 'important factor heterosis', 'rjf allele', 'using 109', 'significant different chinese', '24 autosome', 'resistance dairy cattle', '70 70 80', 'estimate obtained ranged', 'poultry production recently', 'sheep snp classified', 'allele adg body', 'circumference cc fat', 'product objective study', 'thickness 01', 'considered promising', 'possible association support', 'lma lean percent', 'weight broiler', 'weight 10 bw10', 'trait feature', 'significance paternal', 'substitution effect breed', 'thickness performed', 'disequilibrium ld analysed', 'foot angle', 'serovar gallinarum', 'breed suggests unknown', 'confirmed chromosome region', 'reason castration male', 'biological function related', 'associated 35', 'snp rs43032684', 'elisa analysis milk', 'bta17 characterized strongest', 'cntn3 gene', 'largely augmented landscape', 'potential berkshire', 'sheep livestock specie', 'panel far', 'significant snp 16', 'gwa analysis linkage', 'rna 74 f2', 'qtl ldrm analysis', 'foxp1 activated', 'significant social economic', 'locus newly reported', 'whc texture parameter', 'total 855', 'cattle breed haplotype', 'cow result support', 'milk yield 258', 'cow genotype p1', 'number qtl mapped', 'qtl stillbirth qtl', 'e10 107', 'snp totally', 'estimated proportion phenotypic', 'lm fatty', 'morphological trait great', '57 18 kg', 'pcr revealed', 'ctsd cathepsin key', 'expression influence', 'carry genetic', 'total 789', 'chromosome ipn', 'width total seven', 'day ssc4', '024 35', 'mapping identify potential', 'length bone trait', '878 bta14 regional', 'eca2 10', 'wfe localisation qtl', 'conclusion association', 'objective continuous', 'vil1 cxcr1 cxcr2', 'hierarchical linear', 'affecting imf heritability', 'qtl affected sfa', '18 duroc dam', 'internal fat lfw', 'ph known aa', 'critical age', 'qtl estimated residual', 'trait variance 32', 'mutation affecting litter', 'addition domestic', 'alteration regulatory site', 'nw based nw', 'haematocrit finding', 'characterized high', 'mc maternal', 'aimed map quantitative', '528 cg 600', 'genotyped 175', 'nordic red 126', 'polymorphism diacylglycerol', 'condition 170 f2', 'ranging 30', 'cell type invertebrate', 'reactivity need investigation', 'displaying significant hit', 'gene underlying quantitative', 'hap3 hap3 05', 'porcine atp5b gene', 'analysis approach using', 'employing number', 'causative mutation suggests', 'health sheep', 'horse 31', 'marker assisted management', 'potential benefit combined', 'responsible number corpus', 'hapmap project genomic', 'ham lmh lean', 'variant warranted', 'variation validation', '45 trait', 'phenotypic variance 10', 'pcr rflp mixed', 'model spontaneous disease', 'reached level', 'wide level significance', 'used estimate genetic', 'suggest primary', 'conducted 12th 15th', 'autosome result detected', 'efficiency economically important', 'fads2 investigated', 'hindgut development embryo', 'gene role gene', 'approximately cm downstream', 'linked result study', 'significant range qtl', 'high incidence anal', 'region showed strong', 'phenotype marker marker', 'man2b2 discovered tested', 'sheep identify chromosomal', 'gga15 novel', 'breed gene', 'evaluated association growth', 'able map qtl', 'followed empirical', 'moderate strong genetic', 'snp array substantial', 'condition infection', '14 862t', 'targeted bta', 'study qtl ssc7', 'acid ile leu', 'true causal polymorphism', 'yellowness moisture content', 'undertook detection qtl', '1260 individual', 'result confirm involvement', 'ornament produce', 'fshb promoter', 'suggesting pleiotropic', 'present study strength', 'snp accounted nearly', 'identified previously undetected', 'mb region 29', 'sc phenotype', 'environment qtl', 'hdl ldl ratio', '646 single', 'distribution lpin2 variant', 'reported fertile expect', 'dgat1 previously detected', 'attenuated european prrs', 'mapped candidate gene', 'microarray data qtl', 'technology le human', 'testis boar skatole', 'pt region mucin', 'asian european sheep', 'frequency il8', 'model required', 'treating colour quantitative', 'existed weaning', 'se challenge spleen', '44 576 informative', 'polyceraty identified', 'phenotypic mean', 'colour ssc8', 'subtypes lead identification', 'gene tested', 'progeny determined independently', 'chromosome 10 associated', 'evidence qtl obtained', 'long transcript short', 'ssc7 50 ssc2', 'heterogeneity existence additional', 'acid fasn', 'genomic region ranged', 'gene retrotransposon gag', 'term anai4 conclusion', 'model describing', 'report parasite resistance', 'powerful detection', '04 14 06', 'genome influenced', 'tenderness new qtl', 'significance study', '52 snp associated', 'increased phenotypic value', 'qtl component', 'notably snp ss411628932', 'common alias myostatin', 'set gene', 'qtl effect larger', 'paternally expressed insulin', 'snp chip fish', 'closely linked', 'breeding desired', 'region sex', 'gene based gwas', 'measure rfi', 'ewe dorset east', 'qtl located chr', 'week hen', 'intensity weight', 'gene responsible hpai', 'locus population', 'calving trait swedish', 'gene ontology analysis', 'ratio maml3 setd7', 'success exploration mental', 'investigate connection snp', 'study gwas 44', 'uptake apolipoprotein assembly', 'gain ratio reciprocal', 'marker previously reported', 'regulate metabolism energy', 'mapped ssc3', 'approach parameter', 'expression sox support', 'stat6 involved androstenone', 'fish survived', 'milk production record', 'ncapg 1326t genotype', 'fat total', 'pathogen early stage', 'dataset comprised 1337', '06 unit allele', 'genotyped individual family', 'region eca13', 'fixed founder', 'taken total 160', 'ma program mdv', '430 animal', 'belly backcross', 'specify gene polymorphism', 'fec coccidia', 'density high resolution', 'phenotypic variance qtl', 'rsnps nce4 nce7', '23 cm dmi', 'morphology nelore cnvrs', 'variance seven 10', 'factor 5a', 'likely underpinning', 'explains substantial', 'related myogenesis gene', 'apd gng2 linked', 'date qtls detected', '495 cm', 'pig femoral', 'joint order', 'growth trait chicken', 'deviation daughter', 'high heritability 30', 'sheep industry innovation', 'black blue green', 'uterine ovarian', 'located 242', 'vip receptor vipr', '64 68 70', 'shell parameter', 'boar major genetic', '4α member', 'revealed 100 snp', 'trait foreleg', 'cross result showed', 'workability udder health', '362 marker bta6', 'porcine chromosome detect', 'conclusion host', 'investigated potentially identify', 'tnb total', 'minimally overlapped', '49 034', 'quantitative trait controlled', 'adiposity specie', 'observed remaining haplotype', 'variation like', 'qtl effect detected', 'located closed', 'opn milk elevated', 'locus controlling', 'single step gblup', 'piglet swine', 'marker developed genotyping', 'end lay bone', 'trait epistatic', 'qtl previously identified', 'f2 family', 'pbw pr cd', '557 unique bovine', 'parameter 599g', 'btnl1 col21a1 ppard', 'tumor regress', 'ssc1 qtl close', '51 cm gga5', 'relationship potential', 'identified contained', 'breed representative candidate', 'srb separately', 'marker trait', 'high ph1l', 'network analysis wgcna', 'increasing attention mammalian', 'weight staple', 'change affect phenotypic', 'boar 23 sow', 'economic problem dairy', 'pedigree estimated identical', 'concerned 1186 offspring', 'silico mapping', '55 chromosome wide', 'negative correlation mfi', 'lipizzan horse', 'region genome influence', 'mapped fat', 'japanese native breed', 'progesterone concentration', 'viable piglet litter', '26 47', 'meml mixed model', 'snp t53729c', 'influencing ph', 'analysis capn1', 'expression qtl identified', '27 linkage group', 'adjusted 05 cnvrs', 'important element', 'associated thymus', 'act reservoir', '20 reached genome', 'study subcutaneous fat', '87 f3 85', 'impact fatty acid', 'bta01 05 second', 'lipogenesis catalyzes rate', 'multivariate conditional', 'characteristic described different', 'nodule formation skin', '12 region', 'breed maximum allele', 'respectively cab39l', 'rflp dna sequencing', 'data rna seq', 'selection process livestock', 'sire 486', 'variation influence', 'candidate related qtl', 'file entire', 'founder distributed family', 'gain important economic', 'glucose metabolism', 'individual derived family', 'located 3255', 'affecting percentage palmitic', 'overlapped region 43', 'recorded egg', 'trait controlled', 'family hatch obtained', '08 csn3 association', 'design milk fat', 'location calpastatin', 'qtl 01 chromosome', 'marbling shown', 's0001 s0217', 'living farm 2012', '5064 animal', 'distributed marker set', 'fat number', 'hard detect experimental', 'quality hpa axis', 'ti behavior', 'endothelial regulator bmper', '219 autosomal', 'ita hsp90b1', 'assay indicated mtpap', 'avpcv decline', 'sl9 sd9 corrected', 'clue deciphering', 'respectively annotated', 'ca performed genome', 'set 736 associated', 'linked s0008 high', '13 21', 'derived white', 'production neutrophil phagocytosis', 'rate nonlinear model', 'breed represented', 'daughter constructed sire', 'identified specifically marker', 'interval mapping using', 'marker bracket regarded', 'correlation 77', 'leptin gene carcass', 'fat thickness bta', 'costly desire', 'nematode gin', 'rs110527224 rs42766480 importantly', 'dorset east friesian', 'pcr new', 'weight using 1156', 'wg42 mb', 'obtained calibrating computer', 'length hindleg', 'leg yield', 'region contained qtl', 'located inside', 'selection predicted', 'increase 1111a', '44g 622c furthermore', 'locus close promotes', 'gga 13 broiler', 'turnover work provides', 'applied map qtl', 'ghrl uncoupling', 'association italian holstein', 'active attack', 'color cie', 'variance resistance', 'behavior pig', 'rxra gene', 'using families linear', 'cattle qtldb', '15 animal higher', 'expression data rna', 'rate 88 microsatellite', 'gpat4 fasn', 'animal genetic', 'univariate multivariate analysis', 'dutch warmblood', 'egg en', 'haplotype qtl shown', 'significance case univariate', 'lifespan cow', 'pathway ultimately leading', 'cm surrounded', 'measurement 350', '42 important gene', 'gwas reported carcass', 'expression associated difference', 'family joint', 'required egg', 'population individual', 'arg307gly mutation', 'confer divergent il8', 'skeletal muscle meat', 'affecting adipose', 'indicate qtl cm', 'reaction pcr', 'mo sperm concentration', 'number different', '120 cm position', 'linear threshold', '26 layer second', 'chromosome 11 18', 'genome performed individual', 'spaced average distance', 'w2cl total', 'ssc4 hsa1', 'bovine qtl reported', 'healthy putative qtl', 'phenotype addition', 'variation muscle', '102 potential', 'abomasum lda common', 'important genetic information', 'haplotype block ghr', '10 18 sow', 'ssc6 15 phenotypic', 'human mouse objective', 'revealed computer', 'daily season result', '17 son', '22 cm', 'association snp qtl', 'snp module detected', 'characteristic chinese holstein', 'small family size', 'songliao black pig', 'addition identity descent', 'knowledge genetic regulation', 'considered separate trait', 'lifetime productivity routinely', 'copb1 mapped ssc', 'association study human', 'duroc landrace', 'fatty acid likely', '18 information', 'analysis allows detection', 'economically relevant', 'study direct', 'html http bovineqtl', 'color score effect', 'annotation significant snp', 'consecutive year', 'associated fcr haplotype', 'inducing high', 'p2ry5 fndc3a mlnr', 'snp candidate region', 'implemented perform data', 'augmented landscape locus', 'genome scan implemented', 'blue severe', 'trait simultaneously powerful', '68 528', 'offspring refine localization', 'pig breed study', 'time linkage map', 'native chinese cattle', 'prolificacy fecx', 'identify potential causal', 'bone hanoverian', 'ssc4 include', 'expression higher', '36 432', 'way 771a', 'population 238 association', 'cattle population result', 'gwa study 562', 'record 484', 'sample available dna', 'quadratic animal genotype', 'position order beginning', 'line following infection', 'computationally faster mixture', 'revealed boar', 'snp variation prkag3', 'causative mutation underpin', 'response induced brsv', 'qtl segregated', 'basis meat quality', 'mammalian cell additionally', '14 locus', 'association bta14 milk', 'protein eukaryotic', 'programme care taken', 'estimate uac mac', 'genetic effect provides', 'major global', 'addition genome wide', 'identified presence', 'animal result', 'negatively regulates', 'jersey danish', 'number favorable', 'ppard stood strongest', 'effect body', 'solution overcome difficulty', 'effect body measurement', 'qtl 97 10', 'value paternal', 'functionally relevant', 'ssc7 tn 110', 'study targeting area', 'parameter arg307gly', 'industry enabling', 'increase efficiency selecting', 'mapping mouse human', 'determine variation', 'milk yield milk', 'important identify', 'indicate tgfbr1 gene', 'new qtl rac', 'polymorphism significantly associated', 'synonymous mutation g75a', 'production trait different', 'anion carrier superfamily', 'weight chromosome 20', 'used chip contains', 'imf longissimus', 'trait different', 'pregnancy ep', 'exist taken demonstrate', 'maf 05 animal', 'promoter region scd', 'gene association genotype', 'rs109923480 rs42090224 rs42092174', 'reflects female', 'model heritability', 'cloned sequenced different', 'qtl inaccurately located', 'individual illinois', 'productive life daughter', 'scale identification validation', 'key enzyme cellular', 'identified subsequent', 'milk higher', 'genetic control female', 'inhibitor tissue type', 'investigate single nucleotide', 'fgf7 il16 plin1', 'acid content previous', 'mapping applied chromosomal', 'using 188 informative', 'acid exception c6', 'synthesis extracellular', 'datasets analysed denser', 'locus jointly contribute', 'located 23', 'c1a2 c4a2', 'marker locus chromosome', 'regression variance component', 'analysis result present', 'published pig', 'centric approach pathway', '25 control categorical', 'imposing welfare', 'ae bc', 'trait previously identified', 'muscle result', 'cnvs marker holstein', 'animal resistant carrier', 'scan 10', 'result duroc pig', 'maturity significantly correlated', 'pig notably genome', 'marker typed 19', '545 genotype', 'pathway affecting', 'differentially expressed fdr', 'gga9 gga18 ggaz', 'voltage gated', 'included ph', '43 47 mb', 'cm ssc7 predominantly', 'observed 10718g 10893a', '43 498 na', 'family european allele', 'study aim identify', 'content 100 muscle', 'codon aberrant', 'trait phenotypic variability', 'jejunum ileum', 'rflp association', '34 dam resulting', 'il12b dusp1', 'count study significant', 'trait pig finding', 'revealed genetic', '34 phenotype respectively', 'herd located', 'gene swine', 'grilled sample', '020 snp', 'development conclusion study', 'phenotypic variation wbsf', 'associated region contain', 'stillbirth marker chromosome', '156 575 snp', 'porcine skin', '12 sire 30', 'controlling temperament difference', 'muc13a diverse breed', 'bta11 bta26 bta17', 'network module relevant', 'implicated susceptibility swine', 'mlk 153 fat', 'qtl time longitudinal', 'measured following', 'phosphatidylinositol kinase', 'line swine', 'eca2 filly', 'probably depend', 'fa srb separately', 'fabp4_μsat3237 marker bracket', 'examined test', 'leptin biological pathway', 'phenotype using kinship', 'analysis family jointly', 'live carcass weight', 'pcr expression', 'ga pp', 'seventeen identified polymorphism', 'happened prrsv', 'analysis revealed plcb1', 'collapse oocyte follicle', 'disease high', 'protein ctnnal1', 'threshold 20', 'birth weaning', 'cross founder animal', 'involves different', 'detrimental impact', 'expression regarded pivotal', 'different visceral subcutaneous', 'cckbr2 associated decreasing', 'mechanism determining complex', 'collected 298 gilt', 'strain studied significantly', 'economic loss adverse', '37 mb', 'located ssc13q41 marker', 'diet genome', 'factor 4α hnf', 'linkage analysis employing', 'genetic model compared', 'used efficiently improve', 'protein receptor', 'problem poultry', 'backfat thickness daily', 'expression prkag3 conclusion', 'crimp 05 result', 'length dominance heritability', 'bf150 qtl ssc6', 'frequency line', 'impaired fertility main', 'carcass growth trait', 'high genomic heritabilities', 'allowing simultaneous detection', 'finger terminal krab', 'pmm2 tbc1d24 directional', 'body height snp', 'analysis region identified', 'score 582 canadian', 'pig pertaining berkshire', 'pathogen mean minor', 'sire chance deviation', 'effective bayesian shrinkage', 'extent qtl', 'multi allele multi', 'cattle performed', 'model single qtl', 'phenotype capn1 947g', 'pleiotropic qtl conclusion', 'quality maintenance', 'specific intact', 'detect infection status', 'affect behaviour', 'rea best', 'association genotype fatty', 'causal variant genotype', 'marker spanning pig', 'breed jacob sheep', 'iteration position', 'breeder objective identify', 'genetic phenotypic', 'potentially exploited', 'current study comprehensive', 'best approach', 'analysis known', 'pregnant respectively', 'cell lymphoma', 'mll area', 'genome scan total', 'phosphatase hydrolyzes phosphatidylinositol', 'disequilibrium linkage approach', 'region slick locus', 'variation serum lipid', '051 566', 'descent analysis performed', 'polymorphism tested 00005', 'region analyzed harbored', '148 snp', 'nt5c2 pde6g polr3h', 'signal centromeric', 'animal genomic', 'coding melanocortin receptor', 'racing high economic', 'boar taint animal', 'bone trait identified', 'different measure individual', 'sire sire', 'crossing genetically different', 'type horn length', 'present associated litter', 'diversity association', 'sequence silico post', 'fabp respectively', 'associated carcass weight', 'recenergy calculated', 'breed association', 'pigqtldb study report', 'resistance platform', 'profile different candidate', 'region male', 'gushi chicken', 'selection run homozygosity', 'sfa ufa', 'test trait chromosome', 'approximation previously', '3020a 4500a 4950c', 'substitution dominance effect', 'record 5000 animal', 'rate lr age', 'contribution snp selected', 'seasoning quite', 'detected quantitative', 'lung development', 'result thirty qtl', 'examined fiber diameter', 'productive reproductive performance', 'melanoma complex', 'space capillary', 'detected female', 'previous study provide', 'akr1c2 associated', 'according response', 'second parasite challenge', '20 25 associated', 'testis epididymis', 'custom application', 'locus novel', 'analysis transcript protein', 'growth function result', 'method study performed', 'disease comparative', 'frequency haplotype', 'used genome scan', 'response vaccination', 'intestine length 481', 'lower rfi', 'paper sox potential', 'genotype significance', 'genetic component trait', 'icf day insemination', 'intake body', 'vca model', 'validation study large', 'successfully used', 'spotting distinguishing visual', 'signaling play', 'united kingdom used', 'trait overlapping', 'ascites susceptible', 'imf influence', 'center cool cold', 'puberty age', 'finding applied', 'bfgl ngs 118998', 'membrane organization', 'qtl region udder', 'result showed animal', 'structural variation mammalian', 'association test trait', 'weight holstein friesian', '35 individual guideline', 'diameter 05 chicken', 'established host', 'grand daughter dairy', 'heterozygous qtl present', '11 phenotypic variance', 'proposed candidate', 'moderate heritability 26', 'data nelore', 'effect qtl model', 'using 346 chinese', 'investigated association', 'candidate gene likely', 'data collected 34', 'snp pig genome', 'receptor agonist nle⁴', 'suggests presence', 'trait concentration boar', 'linkage map', 'lap3 encoding', 'puberty observed', 'program developing', 'partitioning analysis support', 'exploration respective', 'complex mode', 'showed insertion homozygote', 'horn rare', 'individually bwg', 'ii genome wide', 'fat percentage level', 'polymorphism gh gene', 'ehhadh gene conclusion', 'association mapping suggests', 'available livestock', 'related 17 gene', 'growth factor receptor', 'trajectory characterized objective', 'affecting abdominal fat', 'importance pathway regulation', '120 140', 'sequence variant classical', '47 unaffected animal', 'significant association evidenced', 'eye width chromosome', 'increased power comprehensive', 'yield shoulder meat', 'dam hand bull', 'surrounding qtl chromosome', 'gene conclusion genomic', 'maximum allele', 'locus higher fat', 'range 23', 'loin ssc15 hematin', '470 litter', 'daily bw gain', 'nominal significance threshold', 'trait identified 15', 'used quantitative dependent', '373 627', 'change secondary infection', 'milk lactation cow', 'association analysis based', 'day gga2', 'steroid especially', 'genotypic inheritance', 'fixed allele', 'effect qtl m3', 'length ul', 'lifetime number born', 'hen derived reciprocal', 'resistance notably nlrc3', 'qtl bw shl', '4939 common breed', 'including chchd3', 'qtl gelbvieh', 'rn teat number', 'testis weight region', 'significant country', 'genomic region included', 'factor affecting adipose', 'result agreement association', 'left genome wide', 'bta19 fasn gene', 'variation numerous', 'application female fertility', 'gblup estimate breed', 'representing coverage 2630', 'animal iberian', 'protein pr', 'estimate production', 'association c6 c8', 'located marker sw980', 'pig welfare study', 'allele similar 11', 'mapped significant shank', 'population progressive', 'density snp imputed', 'fat cent', 'score 400 animal', 'analysis called bayesb', 'type lack', 'autosomal single', 'podotrochlea study', 'chromosome influenced trait', 'carcass expected relate', 'informative snp iberian', 'related metabolic', 'maintained face', 'swine industry worldwide', 'body composition growth', '43722547a polymorphism', 'condition locomotion affected', 'snp porcine nucb2', 'affecting meat quality', 'specie order', 'analysis progeny', '60 ssc14', 'experimental line potential', 'apd aggressive peck', 'candidate gene variant', '23 qtls suggestive', 'strengthened additional', 'acid 18 chromosome', 'tumor birth', 'genotyped illumina snp50', 'mapped qtl location', 'tagged snp located', 'paper characterize', 'additional microsatellites used', 'qtl refined 180', 'research needed', 'target site abundant', 'fcr 05 ghsr', 'exoc4 gene significantly', 'spermatozoon 12', 'marker sixteen putative', 'dna variant withers', 'beta lactoglobulin desirable', 'count lfec0 lfec1', 'sib hen 50', 'vertebra identified pig', 'weight staple strength', 'mapped chromosome difference', 'mlc carcass classification', 'near igf2 qtl', 'attempted refine', 'ssc ssc15 ssc18', 'effect low used', 'ssc1 ssc14', 'model using', 'revealed 17g 114g', 'trend regression slaughter', 'elucidate role identified', '29 putative single', 'probability 05 addition', 'validation dataset', 'pancreatic necrosis virus', 'mid late', 'genetic population', 'wool trait finding', 'power identify common', 'polymorphism consistently', 'proportion variance cell', 'statistic qtl detection', 'suggested mstn 874g', 'component estimate avoiding', 'association significance', 'observed animal different', 'size varied', 'heat stress poultry', '021 adg genetic', 'level backfat', 'identification qtl commercial', 'ssc7 remained', 'regression approach snp', 'iib ssc14', 'phenotypic genetic correlation', 'bta14 detected', 'trait significant snp', 'identified overlap qtl', 'trait cooking', 'weight cw', 'pseudophenotypes gwas', 'confirm qtl effect', 'alter expression nucb2', 'haplotype ld', 'young cattle', 'model additional genome', 'early age', 'genome associated saturated', 'located exon transcript', 'pig herdbook', '002 tailing weight', 'f8 f10 generation', 'agreement qtl region', 'dna pooling approach', 'qtl affecting trait', 'knowledge using genome', 'alg12 cyp17a1', 'linkage group used', 'marker associated 008', 'outbreak genome wide', 'type suffolk sheep', 'selection resistant animal', 'ebv stage genome', 'association cattle', 't12495c g142a t12495c', 'underlying genetic diversity', 'pig purpose serum', 'bovinesnp50 54', 'ewe resequencing gdf9', 'peddrift revealed sixteen', 'designed according chicken', 'growth qtl chromosome', 'widespread breeding', 'sample cooked meat', 'identification 18', 'result obtained nos2', 'correction total cnvs', 'entire pig', 'observed gene', 'dh na', 'scd gene highly', 'statistical evidence', 'barki ewe', 'identified qtl different', 'binding protein alpha', 'member a3', 'susceptible animal detected', 'using compression', 'panel bovine hamster', 'implied spot14alpha gene', 'process contributed', 'ufa sfa ufa', 'study g840327c', '175 243', 'miniature male meishan', 'benefit cattle', 'weight preweaning', 'promoter strength vitro', 'specie human', 'understanding significant', 'marbling mar identified', 'region human associated', 'beadchip comparison result', 'degradation phospholipid remodeling', 'involved innate immune', 'mir133b cluster 10', 'c14 62 cm', '55 63', 'snp snp 20', 'shank color', 'using genetic distance', 'main promoter', 'haplotype substitution analysis', 'texel charollais ram', 'efficiency objective', '23 ubiquitin', 'gene parameter absolute', '01 72472 locus', 'trait thirty', 'molecule intricately involved', 'snp 304 bp', 'wide significant snvs', 'performed trait revealed', 'result varied', 'beef quality', 'japanese black limousin', 'confirmed population subjected', 'mammal study seven', 'different state health', 'exon flanking', 'genotype compared', 'leg fl', 'multiple model', 'tb outcome', 'mpdz gene', 'age accounted 23', 'variant 287 unrelated', 'body weight cannon', 'promoter region effect', 'increased prediction', 'genotyped 248', 'investigation identify causative', 'region btax', 'coa desaturase gene', 'stature plag1', 'wbsf tenderness connective', 'larger population rao', 'association fi genomic', 'identified known', 'red cell distribution', 'historical recombination genotyping', 'test model applied', 'effect meat tenderness', 'identify candidate genomic', 'male 61', 'conducted melanoma', 'sex ratio worm', 'near microsatellite s0008', 'mean value bl', 'genome wide analysis', 'hen physiological adaptation', 'gain using pre', '585 progeny', 'boundary qtlrs combined', 'dataset ref data', '11 bta', '18 demonstrate qtl', 'ag ga appeared', 'inheritance mode', 'point bending test', 'line disease wld', 'previous study focused', 'detected ldl 82', 'crossed generate f1', 'osbpl8 prlr igf1r', 'palpation heifer dna', 'problem posed', 'associated bone quality', 'data showed wur', 'cattle nearly', 'linkage disequilibrium region', 'located sal1', 'approximately cm interval', 'animal regardless', 'haplotype carcass', '159a aj885515 445t', 'bco lower', 'hay familial basis', 'member transforming', 'morphology nelore', '0207 estimated breeding', 'cloned rt pcr', '426 221 162', '442 nordic', 'taint related compound', 'zero protein percent', 'cbfa2t1 019', 'away peak flavour', 'conceive piglet', 'sire carrying', 'new experimental', 'containing snp4 snp5', 'population 592', 'detected 77 quantitative', 'region covering', 'nelore cattle population', 'provide powerful approach', 'reanalyzed data', 'phenotype comprised', 'division cycle abdominal', 'qtl 10', 'tuberculosis tnf', 'antagonistic minor', 'minor allele 426', 'result demonstrate', 'bms490 eth10', 'underlying retp', '04 conclusion marker', 'identified novel gene', '201 tested single', 'gene presented genetic', 'region ank1 cdna', 'previously shown', 'jersey breed respectively', '878 bta14', 'gene sheep', 'mammary infection imi', 'study physiological role', 'variability specie', 'white 100 gestation', 'fold luciferase assay', 'improve mar qul', 'cheese yield cy', 'removal sex chromosome', 'rfi measure significant', 'sector associated intra', 'metabolic effect especially', '10 igf2', '11 qtl effect', '47 60', 'breed contained pax3', 'level beef objective', 'importance epistatic interaction', 'mirnas influence', 'modulates impact liability', 'non compensatory vivo', 'wide used experimental', 'near significant', 'liking result provide', 'bayes factor 10', 'individual resistance susceptibility', 'model significance threshold', 'abdominal fat pad', 'beadchips normalized', 'ssc15 bf 30', 'kr9 12 kr0', 'flrt2 lhx4 map3k5', 'gene identified parental', 'density fresh', 'measured growth 23', 'showed snp region', 'polymorphism combination polymorphism', 'including response infection', 'fat melting point', 'resistance selective', 'signalling pathway qtl', 'study required', '688 gene significantly', 'loin fit random', 'lamb low', 'identification region chromosome', 'constitute inherited disorder', 'lung weight lw', 'method ovine tlr', '17 gene tagged', 'remaining block snp', 'using pc revealed', 'cornea lead', 'reproduction efficiency contributes', 'marker 27 linkage', 'nba tnb compared', '459 israeli', 'identified normande', 'improved mapping', 'scs sd aid', 'shear force maximum', 'event shaping genomic', 'derived genotype', 'model strong signal', 'development smn1 candidate', 'qtl pair showing', 'significant impact gene', 'increased cla included', 'sck2 identified', 'understanding host pathogen', 'different effect', 'analysis mutation gene', 'ketosis lactation 20', 'overall understanding', 'twinning 29', 'chromosome sw1996 remaining', 'site bovine', 'gene study promotes', 'lep 1382c revealed', 'analysis separately', 'approach analysis', 'overlapping previously', 'snp rs1143515669 rs1144647991', 'greb1 pla2g10 rad51c', 'generation intercrossed produce', 'cross bred pig', 'governed high number', 'dgat1 yield', 'gwas report limited', 'intensifying glycolytic', '13 51 phenotypic', 'bovinehd beadchip 412', 'concentration rambouillet', 'large proportion 99', 'wld su', 'ppara peroxisome proliferator', '11 13 15', 'merino merino', 'lower lean', '80 cm', 'probe set id', 'snp birth', '52 cm', 'correlation estimated effect', 'relevant gene genuinely', 'point identify', 'pig asp298asn significantly', 'count milk', 'region ssc16 hsa5', 'chr affected', 'releasing hormone', 'cattle confirm', 'alternative qtl', 'including fraction basophil', 'facilitate breeding objective', 'basis mineral balance', 'ham weight', 'sequencing genomic', '76e 05 overall', 'contribute phenotypic difference', 'marker lipid deposition', '15 breed including', 'bta11 bta28', 'c6 c14 indication', 'marker add number', 'exposed feather', 'chromosome yielded', 'generated best', 'glucose tri', 'mutation fkbp6 revealed', 'pregnancy rate body', 'area provide', 'model uncover', 'longer individual wt', 'respectively identify', 'mb bta20 mb', 'cc marbling', 'conservation indigenous', 'precursor thyroid hormone', 'time specifically', 'fat 57', 'mir 204 bta', 'selected based predicted', 'study 878', 'gene associated', 'independence group', 'model hsp90aa1 chosen', 'common model individually', 'factor 10', 'marker calculate', 'multiple piece', 'qtl pig', 'transversions remaining', 'previously associated mt', 'large effect phenotype', 'lean percentage pig', 'variant intron acsl1', 'plumage coloration', 'gene genome', '198 microsatellite marker', 'marker linkage disequilibrium', 'na atpase member', 'cm respectively qtl', 'shank diameter', 'potentially associated', 'significant cause female', 'chance deviation', 'swedish dairy', 'treatment died month', 'akr1c1 mapped 126', 'peddrift revealed', 'regulation day', 'cattle hanwoo', 'increase test power', 'information available', 'located peak', 'scan approaching', 'evaluating disease', 'conversion feeding', 'association seen individually', 'knowledge gained current', 'genetic variation complex', 'f6 pig generated', 'conformation performance', 'gwas body weight', 'beadchip porcinesnp60', 'linkage disequilibrium marker', '01 week highest', 'result represent step', 'cc genotype 01', 'using mtdfreml initially', 'associated rlf fmp', 'chicken meat', 'orthologs 500kbs', 'present 40', '10q ssc10 near', 'mastitis examined', 'rapid cost', 'gwas ssgwas animal', 'genome assembly equcab2', 'short distance r2', 'angularity chromosome 24', 'colour ssc5 ssc6', 'ewe homozygous 1111a', 'bvd pi compared', 'association analysis single', '14 cxcl6', 'background columnaris disease', 'strain reverse', 'bovinesnp50 beadchip sire', 'snp significantly correlated', 'acaca cdna', 'trait tightly linked', 'frequency genetic', 'fat lean', 'selected chicken genetic', 'interleukin il il', 'provide support future', 'multi qtl analysis', '750 genotyped', 'change silent', 'dioxygenase hgd', 'rfi qtl bovine', 'circumference snp tex11', 'infanticide sow aggression', 'snp phenotype', 'region sire linkage', 'variant cv', 'clinical representation depends', 'lc model half', 'provides alternative', '33 trait sus', 'multiple testing computational', 'marker density refined', 'evidence genomic', 'size conducted genome', 'using illumina bovinehd', '5971 snp', 'eqtl gene amph', 'order unravel', 'developed crossing pietrain', 'prediction equation primal', 'musculoskeletal pig', 'fat intake', 'uncover strong', 'enzyme activity', 'rs109421300 rs109162116 bta6', 'frequency myf', 'respectively family consist', 'association signal mirnas', 'polymorphism horn', 'proportionally large comb', 'wisconsin resource population', 'work investigated', 'based random', '495 individual selected', 'examined dsn population', 'kg 01 significant', 'affecting carcass composition', 'mutation g13781_13782del insag', 'refined partly', '26 subunit atpase', 'yield liveweight', 'abw qtl', 'casein allowing potential', 'androstenone concentration gene', 'genotype ct', 'content fa', 'trend 1985 positive', 'population 10 14', 'interval collected body', 'suggesting id gene', 'assembly 23 qtls', 'major effect genome', 'generally associated greater', 'afc bwt', '28 18321523 medial', 'genotype qtl mapping', 'population including white', 'preventive vaccine', 'share major', '22 cm gga2', 'evolution male weaponry', 'teladorsagia circumcincta paper', 'using gensel', 'hw tc cc', 'association mga', 'allelic frequency 56', 'sscx chinese erhualian', 'bcse locus mapped', 'using multipoint non', 'ppard stood', 'meishan pietrain f2', 'susceptibility neurodegenerative disease', 'parameter nineteen', 'expression ovarian follicle', 'resistance map infection', 'study carry genome', 'ab bb resulting', 'bamaxiang pig originally', 'tenella chicken', 'rs42670352 cckbr2 associated', 'cell response', 'difficulty qtl affected', 'qtl affecting shank', 'piglet phenotype susceptibility', 'clinical mastitis cm1', 'trait studied novel', 'higher density array', '19 showed largest', '6723gg 6723ag', 'estimate mature weight', 'ss61512613 ss61530518', 'gene designated', 'corresponded 15', 'breed study 954', 'disease main', 'disequilibrium block centromeric', 'informative marker', 'biological potentially positional', 'interval qtl laboratory', 'collected slaughter', 'sequencing identified', 'genotype heavier', 'rs80983858 located', 'cnv event', 'population tcf21 chromosome', 'protect heterologous', 'study result globally', 'trait farm animal', 'ease ebv', 'hd 1052 seq', 'average allele', 'effect improved', 'v371m exhibited', 'involved muscular development', 'area lma marbling', 'chip gwa genome', 'gnrh gene haplotype', 'polymorphism population genetics', 'absence licensed vaccine', 'iberian pig fattened', 'rflp analysis revealed', 'revealed oar3', 'respectively eps8 gpat4', 'analysis gwas conclusion', 'achieved detection', 'german landrace pif1', 'region acvr2a associated', 'site bacterium muc13a', 'resolution location', 'significant qtl pof', 'periparturient period chromosome', 'transduction signaling pathway', 'primary mir transcript', 'underlying fat moisture', 'issue linked', 'diverse polymorphism', 'qtls mapped different', 'investigated identified qtl', 'qtl effectively current', 'mgmt bta6', 'animal different population', 'dominance effect fit', 'joint posterior mode', 'issue sheep production', 'sample 453 chinese', 'calving difficulty milk', 'ar analysis performed', 'underlie reproductive', '14 sire beefbooster', 'mouse model', 'eviscerated weight', 'linkage disequilibrium extended', 'present result functional', 'remain confirmed', 'bw 36 37', 'gene growth differentiation', 'backfat thickness total', 'factor pathogenesis lda', 'gene improved', 'acid close fatty', 'buffalo cattle sequenced', 'sum monounsaturated fatty', 'rs414302710 exon nr6a1', 'stronger qtl effect', 'associated cw cd', 'ncapg locus affect', '306 steer', 'evaluation gpe cycle', 'enlargement body', 'ms based proteomics', 'level continuous', 'marker related characteristic', 'comparison wise association', 'background quantitative', 'conformation long driving', 'related lipid metabolism', 'phenotype targeted', 'window containing', 'identified fasn', 'protein strong association', 'high informativeness', 'l1 tdt mixed', 'gonadotropin signaling pathway', 'model study coronary', 'genome scan milk', 'igf2 corticotrophin', 'broad fat1', 'broad range behavior', 'ctsl_rs332171512a water', 'opn 891 cow', 'outbreak h5n2', 'mchc 10 14', 'result confirmed excluded', 'swine viral', 'lm 882', 'role imf', 'variation meat quality', 'result haplotype', '26 positional', 'hm represented significant', 'feed intake rfi2', 'derived total', 'pathway present', 'ifngr2 krtap11 mis18a', 'putative causative snp', 'data illumina porcine', '14 variance breeding', 'oar using haley', 'weight parental', 'analysed cross provide', 'effect confirmed initial', 'conformation index bci', '15 01', 'draiii genotype showed', 'bta phenotype heritabilities', 'able detect', 'association tested snp', 'higher muscle', 'defect previously', 'phosphate dehydrogenase', 'received apr', '14days post', 'estimated relative conception', 'female xinghua', 'snp ssc7 pleiotropic', 'gain 04 general', 'mapping result using', 'pig used pork', 'improving qinchuan beef', 'revealing complexity genetic', '006 marker heritability', 'location swine genome', 'regulatory function muscle', 'pig animal model', 'report qtl associated', 'phenotyping combined efficient', 'ifnar1 ifnar2', 'size multiple', 'novel microsatellites', 'breed cattle objective', 'sequence level variant', 'gwas mixed', 'snp following correction', 'permuted logistic', 'bisexual expression', 'genomic selection improve', 'used introgress', 'associated gene perform', 'association included centromeric', 'autosomal gene known', 'genetic analysis infectious', 'map knowledge', 'trapezius area', 'double muscling', 'individual snp genotype', '68 cm 81', 'allowing potential increase', 'window size 20', '23 using', 'identify mb 37', 'conservative sequence high', 'population rao', 'genome wide significant', 'snp haplotype region', 'period 120', 'ssc13 ssc15 ssc17', 'sheep grazing', 'leg weakness identified', 'svm2 generally', 'tex11 explained 13', 'study qtl', 'control extent swine', 'genome ranged 73', 'selected trait observed', 'qtl oar21 affecting', 'geographically distant cattle', 'prl interaction showed', '03 fecx', 'haplotype pattern identified', 's1 56', 'conducted 328', 'result significant region', 'respectively frequency genotype', 'nucleotide utrs respectively', 'horse 70', '27 paternal half', 'dataset identified total', 'non roan horse', 'percentage relative 433c', 'ssc8 rs81434499 rs81434489', 'pcr using locus', 'qtl mapped abdominal', 'role candidate gene', 'genomic effect estimated', 'ascites information lead', 'carcass composition average', 'linear model included', 'rfi dmi', 'lowly heritable expressed', 'population size marker', 'genomic structure ctsd', 'european eu', '13 mb', 'effect 48', 'difference actual feed', 'force 17', 'mcw145 marker', 'secondary immune', 'addition mode', 'commercial population', 'good muscle', '865 single', 'pattern acop', 'result refined', 'genetic mechanism biological', 'snp rs29021868 rs110061498', 'analysis ldla used', 'enzyme regulating synthesis', 'chromosome difference parental', 'project positioned csn1s1', 'ncapg locus eca3', 'oxygenase fmo3 known', '23 day measured', 'fec identified chromosome', 'glycogen metabolism', 'developmental trait', 'qtl affected stillbirth', 'study identified moderate', 'study examining genetic', 'dam suggest refined', 'gr 50 65', 'combine large genotype', 'disequilibrium filtering', 'human cart gene', 'sign ptosis', 'cancer study genome', 'genotype animal aa', 'frequency determination different', 'using set overlapping', 'imprh porcine cmya1', 'better understand functional', 'regulating semen trait', 'reproductive trait commercial', 'improve genetic progress', 'zealand texel', 'insig1 fam198b correlation', 'weight carcass', '95 ci 21', 'candidate factor', 'carcass slaughter', 'g4b enssscg00000031548', 'sequencing 180 debao', 'snp array', 'trait different parity', 'ratio lepc', 'pathogenicity mechanism involving', 'associated difference fat', 'bull exhibited', 'evaluate statistical', 'level performed', 'eps8 gpat4 revealed', 'serpina6 sufficient', '500 lamb', 'evaluated breeding season', 'experimental diallels addition', 'daughter average phenotype', 'family characterize genetic', 'fatness used selective', 'provide better insight', 'control native', 'connecting genome wide', 'birth spite', 'lbt cab liver', 'island red chicken', 'weight yw', '32 respectively', 'cm ssc1 56', 'significant effect 05', 'oar2 18 24', 'cross resource population', 'significance level post', 'effect evaluate', 'additive polygenic', 'heritability estimate 35', 'linked little', 'preliminary information', 'putative candidate rfi', 'rs107856856 rs107857156 tph2', 'minimization false positive', 'gene polymorphism underlying', 'imf hungarian', 'various single', 'sample chromosome 16', 'controlled multiple', 'gene gluteus medius', 'chromosome chromosome qtl', 'function good', 'region mir predicted', 'composite population', 'breeding feather', 'expectation gwas', 'intake fcr chicken', 'investigation genetics ascites', '10 prediction', 'weight 110', 'cross line divergently', 'qtls previously', 'stem loop', 'strong agreement result', 'result confirmed extended', 'quality control snp', '001 association analysis', 'chromosome performed identical', 'single strand', '854 snp', 'lod metaphyseal lod', 'observed duroc', 'breeding program improvement', 'present study allowed', '13 using', 'carcass grading trait', 'causative polymorphic site', 'heterozygosity genetic', 'included seven qtl', 'case epl score', 'pcr blood', 'single analysis', 'f2 gilt parent', '11 percentage point', 'centro apta bovinos', 'cattle included additive', 'microtia congenital', 'jersey breed investigated', 'resistance single', 'cattle use eth10', 'used produce', 'spanning gene enhancing', 'explained hmga2 similar', 'tissue performed association', 'study validates region', 'response heat', 'persistence gastrointestinal nematode', 'group 343 ujumqin', 'genetics porcine model', '05 fi 05', 'balance pro anti', 'calculation dominance', 'marbling association snp', 'ld suggests', 'higher protein', 'vasoactive intestinal', '09 ancestral allele', 'approximately 190 million', 'sheep using ovine', 'sugar milk', 'resistance parasitism productivity', 'small fraction phenotypic', 'mstn known', 'frequency distribution group', 'detection candidate gene', '103 genetic marker', 'locus based phenotypic', 'trait far', 'threshold corresponded', 'progesterone receptor biding', 'mastitis important', 'breed knowledge', 'based current', 'cycle vii project', 'excluded requiring', 'involved higher', 'traced underlying assumption', 'gene 83 database', 'ma ipn', 'fto genotyped', 'architecture variability especially', 'led change', 'pony welsh', 'cns genetic predisposition', 'birth increase', 'concentration phosphatidylcholine', 'population 000', 'change identified promising', 'qtl effect litter', 'measure bmd', 'divergent degree dairy', 'difference individual animal', 'interaction use', 'application dna', 'pregnancy objective identify', 'identified development morphologically', 'growth rate suggests', 'investigated ad', 'detectable reasonable number', 'library result', 'imprinted gene involved', 'linked study demonstrated', '50 gene transcribed', '73 10', '14 qtl significant', 'chromosome wise 10', 'region comparison 53', 'color 20 generation', 'treated response variable', 'scube3 kdr', 'udder depth fore', 'bta10 bta26', 'score sc 16', 'coa desaturase included', 'gene previously identified', 'ssc8 iberian', 'breed highest', 'trait hampshire', 'hormone receptor', 'adrenal axis multiple', 'acid pig chromosome', 'associated yearling', 'identify associated variant', 'frequency 16', 'longitudinal trend', 'marker meat tenderness', 'region reported facilitate', 'rapid mutation rate', 'strongly genetically', 'significant logp 57', 'haplotype derived', 'pig advanced intercross', '16 half sib', 'affecting cattle', 'showed cnv result', 'rate successive age', 'level 1e 05', 'previously associated milk', 'weight gain bwg', 'inheriting brahman allele', 'sire carrying recombination', 'affect various reproductive', 'motility score multitrait', 'locus corpus lutea', 'gene conserved mammalian', 'locus expression', 'pig intercross', 'high lactose yield', 'morphology cattle', 'ms wgblup', 'synonymous snp', 'documented effect', 'farm animal information', 'snp included fixed', 'life marker bm415', 'female reduced fitness', 'cdna genomic locus', 'related male', 'commercial japanese', 'bw 10 qtl', 'agreement obtained previous', 'durocs 11 danbred', 'myostatin suffolk', 'variant 2088', 'specific gene expression', 'scan linkage map', 'involved susceptibility multiple', 'daughter recombinant', 'heart girth', 'circulating probability', 'pooling sdp', 'small genetical variance', '246 treatment', 'recently german', 'despite moderately', 'program population increase', 'suggest network', 'trait identified conclusion', 'impact sheep', 'allele position block', 'genome refined', 'based breeding japanese', 'regulated gene enriched', 'regulation dhps catalyzes', 'second scan lc', '2000 ng 30', 'performed 328', 'living soay sheep', 'ci 27', 'spermatid implicated', 'using pig', 'uterine horn wov', 'disequilibrium mapping', 'area fat thickness', 'breed used aim', 'efficiency trait ranged', 'plasma coloration hematocrit', 'different oc location', 'family region investigation', 'maturity genome scan', 'obtained 498 bp', 'italian autochtonous maremmana', '155 meat quality', 'circumference normal', 'yield coagulation trait', 'welfare trait associated', 'dimension body', '85 backcross individual', 'influence economically', 'marker fcb128 rm356', 'expanded finnish yorkshire', 'mapping qtl associated', 'thickness middle', 'loss present', 'analysis total qtl', '29 linkage', 'gene expression egwas', 'named bovinehd1400007259', 'area water holding', 'progeny produced 31', 'significantly correlated comb', 'tenth marker', 'fi fcr 01', 'phenotype genomic', 'haplotype frequency frequent', 'oc fetlock oc', 'snp likely represent', 'basis understanding porcine', 'expression exploring functional', 'study compared social', 'yorkshire inter', '96 215 216', 'effect pig production', 'yorkshire f2', 'genetic regulation', 'study able exclude', 'trait fleckvieh', 'effect second qtl', 'reduce effect prrs', '370 grandparent f1', 'polygenic architecture trait', 'implemented sus', 'independently affect', 'environment interaction production', 'locus eca3', 'composition somatic', '1574a significant polymorphism', 'making easier selection', 'alp 439', '06 ww', 'architecture meat quality', 'weight qtl explained', 'link il8', 'contained predicted', 'qtls oar12', 'recorded 288', 'variation study 916', 'estimate higher', 'analysis conducted fitting', 'causative gene result', '323 bull', 'sequence derived array', 'site identified qtl', 'effect maternally', 'important consumer acceptance', 'intercross pedigree reverse', 'diplotype sex interaction', 'animal extreme trait', 'required increase competitiveness', 'model included addition', 'snp heterogeneous', 'located chromosome overlapped', 'vertebra cl2', 'gland tissue gwas', 'contribute genetic', 'acid binding', 'meaningful miga2 protein', 'previously reported haplotype', 'snp additive dominance', '05 combined', '12 17', 'genetic variant mastitis', 'triphosphate gtp', 'prior assigned snp', 'following allele frequency', '12 contained', 'resulting non', 'genetically similar trait', 'fat case', 'physiological factor', 'network consistent mammal', 'analysis cnv', 'lowest immunocrits', 'qtl backfat thickness', 'locus qtls controlling', 'population comprised', 'neurotransmitter like serotonin', 'selection programme beef', 'gga 15 identified', 'rate suspected', '01 expression mtnr1a', 'born litter number', 'genomewise significance', 'landrace 100 population', 'reflects cow ability', 'taurine cattle breed', 'threshold chromosome wise', 'family sire 3070', 'heritable value 60', 'specific antibody significant', 'model account population', 'estimating explained heritability', 'current study expression', 'trait 6days', 'understood aim study', 'gain 23 kidney', 'located major histocompatibility', 'test linkage qtl', '071 073', 'significance gwas proposed', 'bw ww lyw', 'identified gene related', 'regulates differentiation adipocytes', 'trait nh', 'mfi statistical', 'neurotrophin signaling pathway', 'performed reproductive trait', 'qtl affecting', 'mutation studied oar3', 'test flight', 'pietrain landrace bb', 'located lactalbumin', 'albinism barring', 'characteristic major', 'conclusion significant', 'greater effect', 'sheep hypersensitivity', 'nucleotide polymorphism 2421t', 'cbg binding', 'cg total', 'excretion trait fresh', 'observed array derived', 'ascertained genotyping lei0258', 'approach powerful using', 'presumably affect udder', 'age extreme phenotype', 'complementary genome', 'score variance', 'stress dairy', 'control majority qtl', 'upstream bmp15', 'bone reabsorption', 'major trait breeding', 'nan jiaxian red', 'mykiss linkage group', 'gene involved eye', 'known predicted gene', 'bta4 10', 'coefficient fst value', 'network relevant', 'weight 49 691', 'putative candidate gene', 'identified exon 17', 'qtl analysis performed', 'significant qtl chromosome', 'af twice', 'associated psychiatric', 'verifying previously identified', 'opn gene', 'progeny 68 nuclear', 'bp partial', 'elucidate genomic architecture', '528 ss1388116558', 'putative gene network', 'heterozygous heifer', 'frequency 118', 'fat content neauhlf', '0125 polymorphism observed', 'threshold determined peipho', 'sexual maturation trait', 'likely responsible gene', 'rate fdr significance', 'region tg gene', '08 kg 01', 'expression level', 'qtl trait detected', 'disease present study', 'carried square', 'dwarfism accompanying skeletal', 'method selection year', '63 zn 57', 'qtl analysis revealed', 'approach detected', 'reported ssc5 22', 'score mg', 'number qtl common', 'best set snp', 'explained individual', 'puberty map area', 'total 826', 'powerful tool annotating', 'yield hap', '60 locus associated', 'fatness estimated major', 'childbirth period', 'anatomy related trait', 'maintenance glucose', 'result histopathological analysis', 'single snp haplotype', 'trait f2 cross', 'tolerant breed like', 'including epistatic effect', 'qtl mapped study', 'ag genotype animal', 'annual cost', 'free range water', 'homozygote ubl5', 'nucleoside diphosphate linked', 'strategy hypothesising underlying', 'substrate overall', 'family pooled', 'intron porcine cast', '05 cnvrs', 'acid arachidonic', 'linkage combined linkage', 'interaction analysed trait', '06 04', 'holstein population conclusion', 'size thoroughbred indirectly', 'infection tuberculosis', 'share high homology', 'normal prolific', 'increase reporter', 'quality potential application', 'resistance soon', 'transfer respectively', 'in3 g3072a', 'abo vav2', 'family finding bta7', 'leukocyte function', 'brazil tropical', 'mapping random', 'using targeted', 'fat percentage serum', 'molecular approach', 'totally 916 variation', 'approach using pc', 'ssc2 ra type', 'feasible pig methodology', 'suggestive qtl trait', 'htr5a gene', 'adfi ssc3 nvd', 'caused 70', '13 15 displayed', 'control process', 'production broiler', 'signaling pathway integral', 'resulted novo', 'evidence association', 'showed rs13997809', 'detect genome wide', 'mir 204 binding', 'type number', 'composition montbéliarde breed', 'cow national', 'location ssc4', 'observed commercial crossbred', 'underlying major', 'expressed level', 'blackface lamb divergent', 'based line', 'selection ma program', 'predisposing genetic locus', 'milk dairy product', 'lep lepr mc4r', 'clinical mastitis observed', 'region gm equus', 'qtl ssc 13', 'variance conclusion', 'identified study help', 'pm imputed', 'validated snp rs419096188', 'incorporation genomic data', 'ssc7 genome', 'significant polymorphism identified', 'located equine', 'term dbwavg dfiadj', 'milk production phenotype', 'cbfa2t1 fgf8 multiple', 'position quantitative', 'conducted candidate', 'fat deposition suggest', 'protein phosphatase', 'excluded causal', 'demonstrated relevant quantitative', 'base population non', 'scan using illumina', 'relevantly associated snp', 'identified parameter plasma', '2005 liveweight', 'thoroughbred order study', 'segregate broad', 'correlated af', 'obesity problem quantitative', 'pig founder', 'signature region 12', 'different age greatly', 'gene previously', 'genetic variance explained', 'affect loin', 'allele different effect', 'center production efficiency', 'pregnancy rate somatic', 'defence disease', 'behavioral test supporting', '113 worm count', '30 380', 'lalba_g 242t', 'level consistency ld', 'measured second', 'rb1 gene major', 'locus qtl pair', 'new biomarkers', '499 cm gga1', 'role opn position', 'host tb outcome', 'influence carcass yield', '18 mutation', 'detected presence variant', 'palmitoleic acid muscle', 'variation genomic region', 'breeding study conducted', 'interval gene effect', 'release hormone', 'marker showing', 'heavier ham tc', 'fat content backfat', 'pig genome 60', 'coefficient ca', 'allele overall effect', 'limb bone mapped', 'phenotype underlying molecular', 'breeding gene identified', 'change rfi', 'lp2 lactation', 'mutant genotype genotyped', 'explore positional', 'analysis significant qtl', 'strong association serum', 'observed vrindavani tharparkar', 'lrp12 coding', 'analysed approach', 'chip facial wrinkle', 'distance generation indicate', 'qtls pathologic', 'detected chr linkage', 'elite broiler line', 'measurement related growth', 'anxa10 maternal', 'genome gene based', 'high meat quality', 'normande cow', 'chip genotyping', 'sib sire family', 'line puberty overlapping', 'sequencing approach used', 'marker genome objective', 'vol duroc boar', 'mechanism regulating hematological', 'association snp xirp2', 'trait located 12', 'sox high ph1l', 'virus costly', '110 kg 001', 'develop maximum', '0001 breed', 'affect protein percentage', 'generation sequencing data', 'yearling flanking', 'frequency maf association', 'end fat lean', 'fcr calculated individually', 'level rfi', 'milk beta carotene', 'based snp rs14986828', 'leghorn survivor age', 'estimate indole skatole', 'deregressed estimated breeding', 'snp set', 'mating holstein friesian', 'mutation precursor', 'used selecting', 'hap2 associated imfl', 'mle freely available', 'strategy improve', '10 italian brown', 'angle family', 'qtl mcv', 'relatedness horse potentially', 'analysed eye colour', 'statistic suggested separate', 'life bta2', 'mar quality grade', 'mir133b respectively primarily', 'intercross non parametric', 'specie cattle 97', 'strategy avoid inadvertent', 'weight association', '939 852', 'integrity located bta28', 'effect average correlation', 'confirmation primary result', 'peak identified', 'prnp qtl imply', 'effect prkag3 gene', 'sided displacement abomasum', '2379t effect snp', '19 carcass', 'reported identified known', 'far information', '13 51', 'genetic variance strong', 'effect form maternal', 'immune trait', 'lymphedema cpl', 'selection effort marker', 'icelandic horse', 'adl328 qtl', 'study examined variant', 'confirmed seven previously', 'vertebral number investigation', 'gilt sow', 'capacity 96 transcript', 'peak identified trait', 'fold early feathering', '45 min 15', 'capacity follow study', 'data 440', 'previously detected growth', 'california davis', 'litter pig percentage', 'mirnas lead', 'erectness major effect', 'expedite selection progress', '236 cnvrs', 'meat percentage relative', 'virtually nil difference', 'length suggestive', 'included growth hormone', '158 associated meat', 'holstein half', 'sow conclusion', '8209 1791', 'study step search', 'nervous underlie', 'disequilibrium possible specify', 'early growth supporting', 'belonging university california', 'muscle plm', 'significance fat protein', 'production frequent cause', '111 bb', 'identified new single', 'practice marchigiana', 'trait modeled qtl', '99 genotype 79', 'effect report', '6723gg 6723ag genotype', 'qtl pair detected', 'cross berkshire', 'containing receptor sorcs2', 'dorset sheep', 'family derived', 'qtl region sheep', '11 phenotypic variation', 'distributed chromosome qtl', 'gene known impact', 'linked segregating', 'phosphorylation cast adenosine', 'mb marker abge342', 'early stage egg', 'inra f₁', 'weight size genotype', 'american lean type', 'localized ssc1 10', 'hock oc hock', 'potential benefit', 'biological process taking', 'allele given marker', 'locus affect quantitatively', 'ssc8 showed significant', 'ovis aries region', 'crucial fat', 'investigated national', 'sib population churra', 'estimated allelic', 'population sire produced', '82 cm', 'decr1 genotype', 'model approach genome', 'standard deviation phenotypic', 'marker genotyped chromosome', 'involved human', 'industry lead', '0088 0114 respectively', 'dyd originating routinely', 'breeding conservation', 'analysis female sexual', 'midpoint tenth marker', 'test total', 'fads2 polymorphism', 'remain oocyte demise', 'important candidate gene', 'bull exhibited significantly', 'cm bta26 03', 'animal numerous', 'lower rfi phenotypic', 'embryonic kidney', 'angiopoietin pathway', 'marker associated age', 'background avian', 'hematological parameter measured', 'marker ilsts030', 'showed significant imprinting', 'phenotype role dominance', 'longitudinal trait directly', 'based combined linkage', 'pathway associated immune', 'average feeding rate', 'qtl analysis suggests', 'marker derived map', 'lm measured', 'bayes used', '376 amino acid', 'qtl sss17', 'additive non additive', 'effect specifically', 'gene included encoding', 'aries inherited', 'tissue 30', '89 relative', 'ovine footrot', 'chromosome 19 adr', 'trait performing', 'qtl detected family', 'placenta conducted', 'gc approach ensembl', 'using methodology account', 'nucleotide polymorphism growth', 'typed 19 34', 'nt963 located', 'data used concern', 'polymorphism snp porcine', 'mammalian pigmentation haplotype', 'including commercial herd', 'gene association lp', 'provide theoretical support', 'simultaneously detected linkage', 'length limb', 'trait implying selection', 'significant region 01', 'pig large white', 'bft validation study', 'vegfa activated', 'solely detected l1', '426t 1226t negligible', 'comprehensive gene expression', 'identify putative causative', 'aim study precisely', 'candidate gene smad3', 'estimated regional genomic', 'posse larger comb', 'candidate gene advantageous', 'large large genotype', 'pathway affecting carcass', 'distinct stage disease', 'lymph node resistant', 'pmga 56', 'evl slco3a1 psma4', '127 icelandic horse', 'animal detected', 'backfat according', 'difference wagyu limousin', 'study charolais dilution', 'muc13 gene mb', 'sized native japanese', 'indicated sorcs2', 'association opn variant', 'cm using association', 'conformation measurement pig', 'biomechanical analysis', 'genotyped rorc', 'biomedical model', 'applied identify useful', 'window located omy27', 'male qtl region', 'sequence variant 22', 'association snp level', 'cow fertility directly', 'performed initial', '01 level respectively', 'fitting selected single', 'association eggshell quality', 'reported non', 'previously detected breed', 'addition classical linkage', 'coding region pparγ', 'huge increase', 'production trait vary', 'shrinkage estimation method', 'change arginine proline', 'different commercial', 'drug recently', 'explored gwas', 'juiciness fitm2', 'freely available request', 'hucul fjording haflinger', 'interval ssc1', 'fibre second', 'region man2b2 resequenced', 'different fatty acid', 'frame gene', 'variation varies white', 'landrace yorkshire pig', 'associated pathway', 'rate pr', 'scan 14', 'including previously unknown', 'snp nc_006091', 'pig marker', 'extensive genomic resource', 'bull interval mapping', '28 18 16', 'affecting bone', 'oiliness umami overall', 'gene qtl', '26 layer', 'snp xirp2 confirmed', 'pig population qtl', '14 trait', 'cluster explain difference', 'homeostasis reported nucleotide', '99 sire 286', 'mb window explained', 'performed 156 575', 'associated feeding', 'selected analyse', 'eqtl detection model', 'accounted f2 phenotypic', 'relative posterior', '105 dna markers', 'set used investigate', 'analysis reveal qtl', 'data human genome', 'offspring seven crossbred', 'performed gemma', 'fold higher', 'involved inflammatory response', 'sp1 site nucleotide', 'molecular basis', 'catabolic process mitochondrial', 'qtls detected study', 'derived milk progesterone', 'proposed regulate', 'f41 isolated diarrheal', 'metabolic process signaling', 'qtl region analysis', 'fat trait leg', 'calving fertility health', 'conducted determine nucb2', 'sustainable manner vaccination', '05 ex fabp', 'association discrepancy', 'abt 99', 'significant veterinary', 'pathway rfi furthermore', 'variation applies', 'white chinese erhualian', 'son fa', 'depth commercial', 'gl difference', 'favorable lower', 'analysis network analysis', 'f2 population rt', 'extended general', 'showed high correlation', '149876507 bft locus', 'unequal variance marker', 'snp chip illumina', 'trait ssc8 ssc13', 'blood sample', 'network cluster correlated', 'observed maternal chromosome', 'loss inflate false', 'pedigree containing 16', 'model phenotypic', 'analysis npl previous', 'hatch time dq', 'line greater', 'expression sensitive stimulation', 'parity produced', 'pathway suggests gene', 'factor 4α', 'eu eu', 'number reciprocally imprinted', '804 holstein friesian', 'result suggest polymorphism', 'detected additional', '14 24', 'seven new', 'nba piglets birth', 'revealed gene involved', 'snp analyzed individually', 'decarboxylase expected', 'bco breast color', 'total population size', 'allele muscling', 'challenged cow', 'glmm regression', 'cross animal genotyped', 'sigma rump fat', 'analysis additive', 'animal gene', 'monitored infection vaccination', 'phenotypic variance cmp', 'comprising 700 offspring', 'gga3 gga5 qtl', 'dgat1 significant', 'density 600k', 'snp completely linked', '1990s report used', 'regard birth weight', 'using likelihood ratio', 'resistance identified', 'different stage disease', 'chest circumference cannon', '739 pig included', 'model using seq', 'cross korean', 'duroc qtl region', 'chromosome pleiotropic', 'estimate association 54k', 'indel mutation g13781_13782del', 'located previously detected', 'cure breed difference', 'shown mutation', 'chromosome region close', 'detected 63', 'expectation qtl', 'snp chemokine gene', 'french danish dairy', 'score moderate', 'sire base', 'chromosome large', 'blackheaded mutton', 'trait especially motility', 'cattle specie', '81 screened marker', 'based combined', 'protein fat', 'entropion provide', 'gradient slice approach', 'mutant result', 'yield body', 'qtl involved chromosome', 'test novel', 'forecast superovulation', 'leucocyte trait distinct', '45 sm 47', 'bw55 generated', 'finding confirm', 'affect production', 'rib dly population', 'clinical subclinical', 'number major gene', 'fcr phase', 'marbling inferred', 'mature weight maturity', 'qtl twinning ovulation', 'nm seven promising', 'site low suggesting', 'paternal igf2', 'estimated loss', 'kyoto encyclopedia gene', 'ssc8 ssc10 ssc12', 'level feathered foot', 'number trait 130', 'window 11', 'employed association', 'qib fatty', 'chi2 118', 'fourfold analysing', 'utilized ass', 'drip loss kera', 'current population', 'charolais breed meat', 'layer data', 'recorded 1990s report', 'significant snp impact', 'additional marker genotyped', 'affecting number corpus', 'ahr placental rell1', 'myofiber density 05', '47 qtl', 'yield generally', 'breed identify qtl', 'effect 32 selected', 'particularly negative consequence', 'implemented using sus', 'relevant additive', 'le genomic variation', 'bird aa', 'animal model twinning', 'epr chromosome 11', 'f12 generation inter', 'loss ph', 'revealed 31 significant', 'variability iberian', 'variance chromosome wide', 'variation 32 68', 'study gwas based', 'zcchc2 phlpp1', 'high low uterus', 'bta14 bta20 respectively', 'phe347ser exon 46547859c', 'ssc8 01', 'described reinforce', 'junglefowl domestic line', 'associated daily bw', 'including plag1', 'emphasis placed', '485 individual survivor', 'chromosome condensation protein', 'polymorphic evenly distributed', 'measured expression', 'le predicted', 'cwt marbling score', 'derive feature', 'individual confidence', 'chromosomal region understanding', 'continuing threat', 'qtl population result', 'data 72', 'trait including piglet', 'measurement regarding', '296 54 tentatively', 'literature method', 'total 1213', '90 day suggesting', 'teat absolute', 'qtl mapping project', 'tract density relative', 'meat deposition', 'cost animal', 'qtl behavioural index', 'region utr flanking', 'used examine', 'percentage intramuscular', 'selection scheme order', 'line analyzed line', 'exon ile159val mapped', 'gene affecting percentage', 'higher rao affected', 'similar study stratified', 'lipoteichoic acid', 'identified ssc1', 'level map infection', 'proof adjustment familial', 'elucidate associated effect', 'significance snp', '06 tibia width', 'affect pigmentation dairy', 'function muscle development', 'controlled prnp gene', 'snp milk', 'toxicosis common', 'insight genomic regulation', 'located bta 82', 'italian brown swiss', 'complete genome scan', 'mb surrounding significant', 'arrival genome', 'qtl lysozyme concentration', 'cattle year birth', 'signal ultimately identified', 'marker interval bm4621', 'snp 03 10', 'antigen sla large', 'cm gga5', 'descendant original', 'multibreed genome', 'human mammal', 'number stillborn nsb', 'horse pch', 'investigated recessively inherited', 'associated increased milk', 'weight generally', 'lysosomal proteinase', '23 ld', 'significant snp phenotype', 'work date identify', 'study investigate', 'boar danish', 'confirm result obtained', '144 gene', '10 total genetic', 'marker myod1_75', 'ltnb lnba', 'development muscle growth', 'investigated putative', 'pleuropneumoniae resistance challenged', 'gene cloned', 'population body weight', 'individual ca genotype', 'growth fcr 01', 'likely affect', '15 chromosomal region', 'prioritized used genomic', 'associate region bta29', 'recording wbsf', 'brief 146 significant', 'girth 12', 'micrornas mirna', 'qtl effect cw', 'rhm analysis ixodid', 'snp chip hd', 'snp daily dmi', 'mean sib', 'capn3 thyroglobulin tg', 'architecture dynamic', '15 16 qtl', 'uterine capacity', 'response modulation', 'sd ldla', 'significant association maml3', 'approach greater', 'identified 22 polymorphism', 'number significant principal', 'breed require confirmation', 'observing low correlation', 'sire mixed model', 'meat quality', 'detected bta6', 'measured leg', 'test number tumor', 'expression il8', 'resistance originated red', 'range tissue pde4b1', 'manage disease', 'following trait chromosome', 'bta20 16', 'ewe heterozygous', 'cow represented training', 'mechanism high prolificacy', 'enriched associated variant', 'qtl elovl6', 'cow characterized high', 'window comprised', 'segregate haplotype balanced', '18 lm', 'high 989 low', 'susceptibility clinical subclinical', 'gene detected gene', 'detect statistical', 'pathway rfi using', 'slow growing', 'effect gene transcription', 'combined fact', 'snp chromosome 16', 'weight muscle density', 'protein altered bmp15', 'likely exhibit pathogen', '05 10 03', 'marker evenly', 'chromosome seven', 'cattle breeding mastitis', 'influence production', 'metabolism polymorphism', 'genotype effectiveness', 'finding presented provide', 'method trait', 'behavioral response different', 'nh nr dj', 'ucp1 potential', 'asga0094812 intron', 'sire minor', 'increasing number finnish', 'identified marker candidate', 'haplotype substitution effect', '801 total', 'chromosomal region chromosome', 'mapping family confirmed', 'pig significant snp', 'linkage scan carried', 'beadchip data', 'constructed using findhap', 'rest genome', '162 horse selected', 'qtl afe detected', 'ucp2 generally reduced', 'fish farming specie', 'genome wide quantitative', 'individual zero', 'zebu composite animal', 'data 29', 'expedite genetic progress', 'score binomial trait', 'leghorn female 361', 'ff test', 'trait collected used', 'clinical sign separately', 'greater 20', 'japanese breed', 'performance marker', 'wnt7b hmx1 fgfr3', 'mbp bos taurus', 'validate candidate gene', 'carcass weight respectively', 'transcription level gene', 'orthologous imprinted region', 'coded adrb1 adrb2', 'identify causative gene', 'weight qtl cw', 'snp dominance', 'fatness 1750', 'chromosome previously reported', 'different morphs', 'qtl analyzed', 'refinement qtl position', 'snp remained animal', 'ssc4 ssc6 ssc11', 'frequency fit', 'important litter', 'likeness respectively', 'region 660 gene', 'tt genotype bull', 'ld declined', 'attack piglet using', 'eqtl reverse', 'sheep adaptability climatic', 'scd region molecular', 'sequence share 80', 'harbored 124 86', 'associated md resistance', 'population interaction', 'analysis estimate', 'information unavailable', 'feather shorter', 'kg 01', 'h2h2 positive molecular', 'selective breeding gene', 'infection holstein paternal', 'domain cradd suppressor', 'nutrition condition', 'affect carcass', 'fat depth', 'dq474064 dq474068', 'demonstrated genomic region', 'day age ww', '03 ssc7 ssc13', 'qtl limb', 'sesn2 rab4b snp', 'snp genotype greater', 'included total 214', 'used perform genotype', 'labor traditional', 'significant italian', 'af bm gga5', 'chromosome chosen study', 'showed distinct effect', 'pref progesterone receptor', 'fish representing', 'coded healthy', 'evolution sexual', 'landrace pig performing', 'trait milk ph', 'analyze 16 german', 'genotyped 50k', 'number teat left', '17 qtl main', 'ipn resistant yn', 'associated c18 intramuscular', 'gene actually provide', 'romosinuano sharing higher', 'holstein sire 427', 'allow significant gain', 'daughter stillbirth', '10 cm described', 'mutation common', 'bootstrap confidence interval', 'scd region', 'kera associated', 'accumulation homozygous', 'stability cis natural', 'tmem154 nominal', 'qtl associated na', 'mineral tissue partly', 'ability tolerate', 'chromosome evidence quantitative', 'distinction confidence', 'allele 64', 'mm dominance', 'selection commercial broiler', 'allele exist calving', 'cow udder', '42 002 dominance', 'polymorphism significant', 'analysis implemented compared', 'bovine il8 promoter', 'content ppn0', '85 kg', 'used berkshire', 'obtained used estimate', 'animal explained', 'significantly associated lower', 'significantly greater', '001 eye', '361 bp highest', 'interval 500', 'rt pcr analysis', 'cell score analysis', 'study gwas improve', 'result highly significant', 'chicken afe', 'phosphate phospholipid', 'selection trait', 'used wilmink curve', 'white rest breed', '11 qtls significant', 'snp reaching suggestive', 'measured 1033 animal', 'trait association analysis', 'decreased 05 summary', 'measurement tenderness texture', 'level triglyceride', 'affecting androstenone', 'disequilibrium test tdt', 'enzyme regulating', 'declined 15', 'yield bta4 snp', 'ultrasonically measured fat', '16 11', 'known map', 'aim present', 'effect mstn genotype', 'summary 28 18', 'host tb', 'selecting healthier', 'inflammatory immune', 'fifth parity genetic', 'annotating phenotypic', 'crossed genome', '14 milk yield', 'linolenic linoleic', 'threshold glmm', 'association snp chromosome', 'compound snp', '167 genotyped awassi', 'superior growth trait', 'developed crossing', 'reduced fitness sex', 'revealed total 51', 'corresponding nutrient processed', 'second qtl 19', 'family major', 'position revealed microsatellite', '8044 1956', 'rln risk suggesting', 'perform qtl', 'benefit understanding porcine', 'serum faecal sample', 'carcass fatness simultaneously', 'acid metabolism stearoyl', 'intron variant association', 'threshold cut', 'sow performed genome', 'function tcap', 'pelo identified vol', 'refined 180 kb', 'sheep animal heterozygous', 'tnp1 bull', 'panel 250', 'antagonistic trait', 'width puberty', 'relationship lr', 'haplotype association height', 'estimate narrow', 'drps pre', 'associated seven female', 'study carried gwass', 'suite novel', 'total 21 chromosome', '104610 104 mbp', 'haplotype obtained using', 'snp located btx', 'upregulated day birth', 'shank girth 12', 'pair porcine', 'udder structure canadian', 'improvement ema', 'multiple testing correction', 'ssc ssc12 semen', 'cnvs rao susceptibility', 'economic important', 'contrast gwas fertility', 'average 32 million', 'associated occurrence', 'boar eliminated', 'le genomic', 'transport homeostasis platelet', 'day earlier', '17g 114g', 'e1 cyp2e1', 'study qtl express', 'favourable genetic', 'slightly lower values', 'validate genetic', '20 noncoding', 'rjf domesticated white', 'sex interaction affected', 'detection mapping', 'largely contributed', 'trait examined included', 'day non return', 'polymorphism sequencing analysis', '18 information 30', 'genetic locus putatively', '24 postmortem sensory', 'improvement immune capacity', 'region potentially affecting', 'including major histocompatibility', 'chronological change', 'phenotype human', 'breed rhenish', 'cast 373', 'sheep association analysis', 'disequilibrium association', '05 taken result', 'stress exposure', 'mxp 169', 'qtl localized marker', 'lactation record association', 'fleckvieh bta5 microsatellite', 'associated carcass quality', 'analysis lep 1387c', 'analysis ldla carcass', 'epididymal weight ssc7', 'german qtl project', 'significant association rs81399474', 'produce 314', 'chromosome mean', 'content tt significant', 'diagnostics causal', 'chromosome 10 strongly', 'pathogenic avian', 'interval bovine', 'type etec', 'content sheep', 'power gwas significant', 'oar18 gene encodes', 'test weight average', 'tm qtl evaluated', 'homolog trib1 locus', 'analyse candidate region', 'polymorphism snp available', 'italian landrace population', 'cyp21 3911t skatole', 'e2 169 c57r', 'finally qtl', 'parameter nineteen snp', 'family revealed', 'fat width detected', 'pufa content', 'total 106 snp', 'ewe various', '641 3733', 'glycosylated forming', 'increase disease', 'produce offspring', '05 001 respectively', 'breed berkshire 153', 'underlying polymorphism ryr1', 'divergent phenotype resistance', 'employed eighteen', '466 134 bp', 'genotype ab', 'allele taurine breed', 'threshold model conducted', 'awassi merino', 'threshold 05', 'associated cmi', 'difference 35', 'seven chromosome region', 'oc associated snp', 'reproductive genetics', 'association distinct phenotypic', 'considered good candidate', 'regulation haematocrit', 'involved microtia', 'large economic impact', 'specie variation mammalian', 'underlying retp metr', 'total observed phenotypic', 'suggest fabp4', 'reaction iar', 'yield bta 13', 'individual genotyped', 'recruitment domain', 'participate regulation', 'clinical mastitis dairy', 'imf duroc recessive', 'model inflation factor', 'gg showed higher', 'sequence imputation used', 'combined analysis independent', 'fatty acids', 'increased 10', 'cattle significant', 'bta6 bta21 putatively', 'described initially pig', 'gas identified chromosome', 'showed higher dressed', 'wide report genetics', 'accounting 95 total', 'additional marker showed', 'piebaldism holstein immunological', 'relevance igf2', 'significant cutoff value', 'subsequent batch 412', 'conducted explore', '776 dgat1 549', 'carcass trait examined', 'test located genome', 'weight ranging 30', 'identified 235 362', 'lower fresh sperm', 'higher semimembranosus muscle', '12 dgat1', 'elongase related', 'applied combination interval', 'including newly studied', 'salmonella resistance commercial', 'cause boar taint', 'developmental effect', 'parental line previous', 'identify silico approach', 'weight moderate', 'liver mbl1 expressed', 'effect 20', 'fishy odour fmo3', 'representing extreme', 'relationship volume concentration', 'gc mrna', 'respectively male advantage', '12 04 shank', '1387c lepr', 'detected gm associated', 'gfra2 0038 allele', '322 thoroughbreds', 'focused consistently identified', 'sib variance', 'control summary 28', 'herd life informative', 'advance genomic', 'produced 300', 'snp bovinesnp50 beadchip', 'nellore cattle phenotypic', 'variance component genetic', 'processed rec recfat', 'body length phenotype', '70k ggp', 'qtl ssc3 based', '020 snp used', 'function human developmental', 'improvement marker', 'lp data', 'effect genotype bpi', 'androstenone sex pheromone', 'polymorphism related cattle', 'superior female fertility', 'variable detection growth', 'united kingdom netherlands', 'reaction qpcr analyse', 'gene covered exon', 'previously known mutation', 'holding capacity 96', 'theory anova 25', 'addition family specific', 'quality fatness carcass', 'rt higher', '330 suhuai pig', 'region distributed sixteen', 'sheep evolved', 'studied important influence', 'decr1 polymorphism conservative', 'kinase adaptor nyap2', 'offspring comprised 940', '55 cm', '001 94 snp', 'selected footrot', 'quality mc4r', 'control 277 individual', 'bco2 w80x rdhe2', 'gas influenced multiple', 'signal significant genetic', 'significance conclusion', 'morphological score', 'result useful future', 'available underlying genetic', 'association microsatellite marker', 'cast 155 meat', 'lipid qtl', 'putative lethal haplotype', 'previously classified', 'cis 11 cis', 'cm longer', 'haplotype cwt', 'melanocortin receptor agonist', 'molecule responsible', 'showed chromosome probably', 'line birds', '16 estimated allele', 'small moderate heritability', 'dif bayes option', 'detect time', 'holstein grandsires 33', 'cc genotype body', 'major enzyme', 'hereford cattle marker', 'gene associated phenotypic', 'identified associate', 'spot frequency sequenced', 'result combined functional', 'family selected', 'transportation chicken', 'showed variant moderate', '10 rapid decline', 'trait shank', 'rate shear', 'dam genome wide', 'explained genomic', '05 ghsr', 'growth test asp298asn', 'variation mammary', 'connective tissue respectively', 'identified human finding', 'analyzed 108 qinchuan', 'level sus scrofa', 'refine position chromosome', 'verified region microsatellites', 'direct causal role', 'allele specific pcr', 'broiler line', 'productivity investigated', 'sections fifth', 'genotyping offspring marker', 'resistance breeding', 'seen ssc15 qtl', 'native british', 'effect paternally', '24 bta', 'different age harboured', 'range water', 'measured dna', 'intake layer', 'phase likely causal', 'faecal egg', 'recommended use', 'decreasing bone', 'locus shared hcr1', 'chromosome caused late', 'broiler allele positive', 'chinese bos taurus', 'trait expand knowledge', 'plin1 mfge8 ghrl2', 'snp included association', 'weight lgw', 'result supported previously', 'autosome bta included', 'count fec attributed', 'breed segregating f41', 'bovineqtl tamu', 'host defence disease', 'meat production quality', 'activity based', 'provide suite novel', 'total 36 unique', 'harbour potentially relevant', 'group selected', 'phase c2c12', 'bft rft bta13', 'different cross different', 'permutation 10', 'different family difference', 'population respectively egg', 'outcome case holstein', 'cause severe animal', 'important gene closely', 'model procedure', 'ldla qtl', 'marker bta26 10', 'causality previously suggested', 'general insight genetic', 'snp w80x association', 'tdt npl', 'associated causative', 'tentative association acsl1', 'contribution region', 'unique set qtl', '05 hgd ecorv', 'f2 generation offspring', 'veterinary record related', 'breed population identify', '05 tg triglyceride', 'qtl present', 'weight triglyceride', 'lameness important factor', '201 microsatellite', 'mb size', 'mapped result association', 'mapping mbl gene', 'marker fertility treatment', 'genotyped canadian holstein', 'qtl mapping bta01', '10 ss61469568 bta', 'desaturase delta desaturase', 'independent replication', 'chicken varies', 'locus qtl osteochondrosis', 'respectively breed allele', 'identified 83', 'antigen result', 'marker special region', 'teat significant', '05 snp rs13905622', 'analysis placed', 'animal half', 'position beta', 'function trait', 'factor similar weight', 'efficient genomic', 'related chest circumference', 'taurus improving', 'smaller testis', 'bon romosinuano romo', 'variation mar qul', 'strength using family', 'animal respectively', 'mastitis inflammation', 'sheep ninety', 'month 01', 'region 660', 'meat low', 'family target', 'identified time', 'identified temperament factor', 'effect skatole', 'physiological behavioral trait', '30 significant', 'association study elovl6', 'mapping located target', 'klh detected', 'counterpart regulate process', 'model ass', 'qtl puberty', 'suggest joint analysis', 'identified innate immune', 'rm356 flanking', 'number pig population', 'identified chromosome described', 'present design', 'recombinant qtl', 'facilitate follow', 'inheritance different', 'selection economically', 'research validation study', 'density apolipoprotein ii', 'trait porcine', 'bovine breed displayed', '55g showed association', 'included effect sex', 'mac cac', 'microsatellite marker reproductive', 'qtl longer', 'affecting facial', 'significant finding novel', 'size cnvs', 'trait examine', 'estradiol blood', 'interval encompassing', 'crc angularity', 'recently serpina6 gene', '39a val19leu 55g', 'identified previous analysis', 'chicken growth hormone', 'thermal tolerance grandprogeny', 'detection qtl environment', 'modern pig', 'containing gene associated', 'breed analysis comparison', 'hypersensitivity reaction lamb', 'selective white', '80 cm showed', 'suggested atp5b', 'result bta04 screened', 'estimate number', 'sex chromosome heterogeneity', 'growth trait qtl', '662 123 candidate', 'warmblood horse objective', 'locus haplotype', 'gene genome various', 'package high', 'qtls bf fat', 'genotype p1 aa', 'combination 05 qpcr', 'previous genome', 'study secondary objective', 'region identified associated', '254 cm', 'ctsk marker', 'locus significantly associated', 'f4 fimbria major', 'mutation segregating result', 'world date little', 'young pig susceptibility', 'postnatal mood', 'declining maternally derived', 'single trait analysis', 'gga4 half', 'necessary ascertain', 'segment rf', 'region previously reported', 'resistance vaccine response', 'selected based vivo', 'locus expected', 'significant multi', 'weight mainly', 'genomics approach result', '1301g affected lp1', 'effect sensory', 'despite small sample', 'polymorphism ucp3 gene', 'chromosome unassigned linkage', 'cast genotyped', 'higher 001', 'previous analysis backcross', '005 level qtl', 'approach bovinesnp50', 'cast breed', 'weighted interaction snp', 'created snp remained', 'chromosome 18 associated', '64 tharparkar indigenous', 'broiler chicken', 'versus case class', 'based interval', 'hoxb1 gene region', 'marker density refine', 'commercial awassi', 'million respectively btb', 'detection 160 microsatellite', 'hydrolase activity study', 'addition strong correlation', 'cssm47 interval bovine', 'size corpus luteum', 'targeted chromosomal region', 'gh locus', 'boar dramatically smaller', '01 somatic cell', 'genomic structural variant', 'breed study', 'mtnr1a gene detect', 'cm qtl2 97', 'homozygous animal detected', 'susceptible individual', 'lower spp1 proinflammatory', 'quality trait qinchuan', 'window used search', 'psmc1 gene', 'confirming candidate gene', 'application commercial pig', 'aspect thermoregulation', 'health purpose study', 'level family', 'determine gene', 'challenge evolutionary biology', 'scenario rf gblub', 'directional association', 'responsible gene', 'breed 22 sire', 'using 1156 japanese', 'affect fatty acid', 'observed new zealand', 'development regulation concordance', 'applied evaluate effect', 'strict control process', 'threshold set corrected', '05 lm', 'gene elovl5', 'cc ct associated', 'dairy cattle 761', 'potentially improve', 'myod1 examined 489c', 'slightly higher', '05 effective', 'associated bw', 'genotype quality control', 'qtls significant chromosome', '547aa 1881g 627aa', 'significant qtls chromosome', 'dermal hyperpigmentation', 'qtls reported', 'qtl 25 35', 'european south', 'exon identified', 'identified 29 region', '724 900 animal', 'remarkable agreement', 'pair matching', 'gdf9 promoter', 'locus involved early', 'trib1 156_157del', 'nematode challenge resistant', '24 parturition', 'difference canonical', 'animal transported commercial', 'including epistatic', 'power gwas end', 'snp omega', 'animal h1', 'genetic correlation ranged', 'phenotypic variance significant', 'acting amino', 'behavioural index vertebrate', 'sexual maturation chicken', 'included overall trait', 'detected bmp15 a111g', 'locus qtl population', 'gene milk yield', 'correlated udder', 'additional 23', 'based significance effect', 'junction oxytocin signaling', 'marker rm356 map', 'mutation underlying qtl', 'snp significantly differed', 'highlighting gene mterf2', 'architecture female', 'revealed previously', 'allele generally associated', 'variance component based', 'ghr adrb2 lpin1', 'used genotype 232', 'containing lrguk', 'parity canadian', 'sheep including 1661', 'development guide molecular', 'value recorded semimembranosus', 'disequilibrium detected gnaq', 'transition utr creates', 'associated respiratory cattle', 'related growth process', 'variation calpastatin cast', 'collected season', 'rs400827589 mtnr1b', 'corresponding human', 'level skatole', 'snp influence antigen', 'determine chromosome wise', 'assay demonstrated allele', 'opn candidate', 'lr non', 'previously identified genomic', 'member slc2a4', 'qtl identified normande', 'white hair dark', 'effect suis burden', 'factor influence social', 'recsolids recenergy calculated', 'vestigial deformed', 'study provides genomic', 'genomewise significance threshold', 'association linkage information', 'melim pig locus', '17 gene obtained', 'gga3 gga4 gga7', 'map large extent', 'tcf21 gene related', 'result analysis revealed', 'pig difference associated', 'discussed result', '29 new qtl', 'low abdominal', 'particularly negative', 'affect teat', 'plink additive', 'season suggestive 10', '1540 hanwoo beef', 'assessed open field', 'generation intercross', 'strain outbred rainbow', '12 24 month', '40 43 13', 'inoculated sporulated oocysts', 'fertility trait essential', '15 considered potential', 'involved differential', 'region significant genome', 'data applicable designing', 'strongest new', '10 il', 'chromosome 14 harbored', 'differ diversity load', 'subjective measure', '784 chinese', 'sheep induces', 'pig genotype data', 'aquaculture ncccwa growth', 'model candidate gene', '218 newton 002', 'length 59 04', 'window containing snp', 'reciprocally imprinted alternatively', 'pcr arms', 'qtls identified previous', 'dorsi muscle area', 'population discrepancy method', 'phenotypic difference sib', 'chromosome 14 agreement', '22 28 qtl', 'qdg approach network', 'status unknown', 'monte carlo markov', 'suggests body weight', 'teat estimated', 'detected sire', 'bull granddaughter', 'overlap genomic', 'receptor transcription', 'temperature rt', 'snp detected cebpd', 'snp particularly', 'harboring gene responsible', 'low coverage', 'qtl serum level', 'direct contribution', 'breeding objective study', 'interval finally', 'markedly smaller sample', 'insemination ifl', 'mb primarily 25', 'research center clay', 'affecting cm qtl', '54 148 single', 'phkg1 retn ryr1', 'version 38', 'gene expression result', 'region effect compression', 'ph24 ssc17 qtl', 'receptor vipr', 'large previously observed', 'snp 39a revealed', 'calculated cm outbred', 'improve prediction', 'family taken appears', 'polymorphism gene known', 'gene qtl conclusion', 'fwec haematocrit change', 'cortisol receptor', 'water soluble vitamin', 'genome scan 255', 'map ldrm suited', 'physiologic function klf15', 'variable regression additive', 'trait influenced environmental', '74 532', 'tmem38a 047', 'hanoverian warmblood', 'detected wish', 'snp correlation', '13 contemporary', '3p 5678944a genotypic', 'important fine mapping', 'model report', 'factor ccaat', 'ph decline different', 'increased gr 001', 'considered affect', 'bone period egg', 'cm variance', '489c 1264c snp', '164 marker covering', 'boar 25 issued', '10 variance', 'gwas explored', '05 marker located', 'luciferase activity', 'soay domestic', 'level white marking', 'phase likely', 'effect hair trait', 'chromosome lod effect', 'order analyze factor', '125 ng', 'probably contains qtl', 'sf1 sf5 omega', 'expression analysis reported', 'used simultaneous mapping', 'identified fatty acid', 'environmental component phenotypic', 'french dutch', 'expression corticosterone response', 'group strong association', 'phenotype association ss8632653', 'prefer high', 'selected abdominal fat', 'ryr1 prkag3 mutation', 'result study revealed', 'size pig chromosome', 'effect cbg', 'ssc8 region qtl', 'comparison haplotype block', 'mapping panel', 'marker single', 'calving extent', 'area fiber type', 'effect dependency genetic', 'acute chronic', 'content explain', 'novo short medium', 'partly explain', 'genotype single', 'product wool', 'shorter feather', 'mttp genotype type', 'sample located chromosome', 'showed fst localized', 'parity litter size', '86 phenotypic variance', 'challenge establishing relationship', 'sample breed jiaxian', 'bodyweight specific age', 'cause lifelong infection', 'ratio 45 day', 'bird intercrossed', 'close marker dik1182', 'birth month year', 'using fisher combined', 'analysis method weighted', 'horse achieve racing', 'glutamatergic synapse', 'weightand staple', 'bta16 polyunsaturated fatty', 'tract collected slaughter', '15 13', 'suggestive significance 96', 'included 1077 fm', 'locus overlap', 'larger drps', 'chromosome 7q1 various', 'oar2 oar3', 'weight threshold resulting', 'analysis homozygote reproductive', 'significant adg 04', 'susceptibility 84 95', 'different breed population', 'cortisol response handling', 'separate genome', 'chromosome ssc 2p14', 'load thymus', 'information multiple measurement', 'slaughter confers', 'white highly expressed', 'rflp haeiii sequencing', 'phenotype resistance challenged', 'compared individual analysis', 'disease challenge', 'h3h3 diplotype 11', 'pathology mycobacterial culture', 'replicates previous', 'genome wise level', 'determined mainly ovulation', 'evaluate additional crossbred', 'ppargc1a associated significant', '27 statistically significant', 'chromosome 23 conclusion', 'development tcap', 'tested mastitis', 'improvement livestock', 'quality trait pig', '12 18 21', 'allelic genotypic frequency', 'estimate ct measured', 'trait valuable', 'provide additional', 'bta10 mb bta27', 'explained phenotypic variance', 'propeptide new allele', 'gwas rna', 'rest breathing', 'snp different chromosome', 'tool experimental', 'provide insight genetic', 'work cohort italian', 'infanticide litter', 'mixed effects model', '53 phenotypic variance', 'high throughput matrix', 'tc cc', 'approximately trait', 'porcine gsk 3α', 'distinguished subtypes af', 'proximity backfat', 'showed suggestive', 'thawing loss', 'finding provide opportunity', 'triphosphate pi p3', 'transporter family member', 'total 64 extreme', 'genetic effect tnb', 'content qtl located', 'sample sample', 'comparing qtl trait', 'mad2li fgf2', 'similar estimated breeding', 'border 36 snp', 'receptor ionotropic', 'control trait similar', '10 compressed mixed', 'morbidity farm', 'intake pig', 'created cross', 'lifr ph', 'genetic association resistance', 'indicate ultrasound based', 'showed single epistatic', 'stimulated preovulatory ovary', 'differential susceptibility', 'weight size', 'identification qtls genome', 'tractable agonistic gregarious', 'tnb detected sus', 'multiple testing 005', 'breeding feather development', 'muscle transcriptome', 'selection program incorporating', 'gene lacking pig', '4350 daughter', 'genetic locus associated', 'feathering phenotype understanding', 'function efficient', 'additional animal increased', 'spanning bta29', 'analysis single', 'sequence data breed', 'protein mupp1', 'window additive', '31 danish', 'background majority chicken', 'region based result', 'property cmp composition', 'assembly gene', 'expressed lung', 'balance transportation absorption', 'population identify genetic', 'chicken suggestive', 'number analysis probesets', 'composition abdominal', 'long chain unsaturated', 'differentiation insulin', 'cell milk composition', 'conclude 928g promising', 'relevant commercial', 'snp 21 breed', 'locus study examining', '12 intramuscular fat', 'averaging 61', 'substitution fn424076', 'snp evaluated', '800 grand', 'fat stearic oleic', 'use improvement complex', 'genotypic characterization qtl', 'identified bovine fbxo32', 'interaction locus involvement', 'rate birth', 'reported human', 'structure point bending', 'measurement growth associated', 'approach based', 'marker mnb66', 'provide novel insight', 'gene located near', 'chol glu alb', 'composition protein milk', 'ratio carcass', '30 male', 'cm bta26 respectively', 'insight number locus', 'oleic monounsaturated fatty', 'ssc1 12 ssc2', 'duroc pig effect', 'homeostasis fat', 'lymphet haemocyanin detected', 'broadened goal number', 'dali city', 'identified novel qtls', 'brazilian dairy gyr', 'white dominant earlobe', 'pig breed example', 'differing approach considered', 'model body weight', 'result generally consistent', 'associated region common', 'region hsp90aa1', 'greater random', 'regression using', 'suggest use', 'beadchip 50 chip', 'german holstein granddaughter', 'lameness important', 'chicken study needed', 'pork producer vary', 'total 2052 individual', 'level 1e', 'pad weight', 'performed finding confirm', 'reported gwa analysis', '947 snp', 'genomic information incorporated', 'gene network', 'leghorn wl77 nhi', 'number litter', 'australian lamb', 'killer cell mediated', 'lw ms', 'procedure sa snp', 'tool allowed perform', 'confers heterozygote disadvantage', 'corroborate position', 'bmd genetic control', 'detected bmw percentage', 'formula useful strategy', 'respectively ssc15 marker', 'natal growth', 'associated obesity biological', 'total qtl located', 'animal model prp', '2836 showed strongest', 'best characterized', 'method seven', 'affecting gene', 'affecting level sex', 'mortality homozygous', 'analysis c3', 'clearly suggest', 'including tirap ets1', 'thickness major quantitative', 'seven suggestive qtl', 'atpase family major', 'ubiquitously acting transcription', 'synthase fasn calpastatin', '05 located', 'tentative association gene', 'genotyped 159 microsatellite', 'omy9 window', 'box cox transformed', 'driving force horse', '176 revealed', 'backward selected model', 'mutation intramuscular fat', 'ros0005 76', 'association thoracic vertebra', 'outbred sire crossed', 'trait greatly advance', 'snts dual purpose', '01 21', 'performed novel', 'gene influence', 'sequence fn424076', '77 mb physical', 'growth chicken line', 'variability ch4 emission', 'supporting previous', 'affected sc', 'maternal stillbirth marker', 'effect phenotype showed', 'background feed contributes', '54 58 cm', 'kg 01 trait', 'ifnar2 ifngr2 krtap11', 'length chromosome stature', 'boars genotyped', '300 major', 'nr6a1 strong candidate', 'explained 70', 'establish significant', '05 favourable effect', 'scheme scanned using', 'difference providing potential', 'fold higher risk', 'study employ ige', 'represent exceptional biomedical', 'horn morphology ruminant', 'known fundamental genetic', 'tail han', 'heterozygous major', 'sheep significant association', 'performance significant association', 'containing gene', 'relate semen trait', 'showed wur', 'anterior posterior teat', 'resistance production wool', 'additional qtl associated', 'difference porcine', 'production healthy animal', 'sow allele meishan', 'simmental bull', 'snp cross showed', 'chromosome allele male', 'using test', 'association gh genotype', 'location marker allow', '14 harbored', 'thickness fat', 'respectively qtl effect', 'analysis validate effect', 'performance trait cattle', 'qtls economic', 'segregate solid', 'composition mapped chromosomal', 'accuracy estimated', '20147039c intronic', 'trait frequency', 'adg stringent', 'positional genetic', 'infection main health', 'list 536 gene', 'association carcass quality', 'farm test', 'background new zealand', 'locus chromosome 14', 'color yellowness bco', 'population population evidence', 'se vaccine 03', 'analysis performed initial', 'fixed random', 'dam measured body', 'technique indicate ncapg', 'presence 61', 'dataset showed', 'grid search', 'study annotated gene', 'expression value', 'model allowed identifying', 'identification gene underlies', 'insulin dependent', 'modification stress', 'prediction ccp procedure', 'allergen objective', 'dna genotyped', 'black cattle performed', '12 phenotypic variance', '001 c19orf42', 'autosome bta snp', 'pre weaning gain', 'young boar', 'piglet genome', 'value used determine', 'spanning position', 'fcr reported chicken', 'indigenous livestock', 'chromosome bta additional', 'recent advance genomic', 'nonreturn rate length', 'ssc8 ssc9', 'taken challenge sarcocystis', 'count trait determined', 'latest sheep genome', 'conflict normal horned', 'function sympathetic nervous', 'significantly affected growth', 'locus qtl female', 'gwas data', 'reaction decreased oxygenation', 'total map', 'cell considerable variation', 'composition respectively', 'cell measured individual', 'confirmed strong', 'imf content trait', 'weight eye', 'usa sa general', 'approach overcome', 'content new knowledge', 'flavor major', 'gene affecting', '11 meat quality', 'positional concordance', 'adiposity mammal', 'genotype individual 100', 'breed polish', 'mapping selection signature', 'accounted additional 14', 'genotyping additional', '272 f2 chicken', '199 266', 'prkag3 gene expression', 'potential effect occurrence', 'explained additive', 'type ssc1', 'kg milk mlk', 'intercross white', 'force sensory', 'pork production reveal', 'holstein population result', 'chromosome 10 abnormal', 'csn1s1 allele exon', 'red chicken', 'il8 il8ra ccr2', 'mc4r lep gene', 'region harbored additive', 'major parasitic', 'disease wld', 'suggests muscling qtl', 'method simultaneous detection', 'association detected chromosomal', 'swine identify', 'imf important quantitative', 'labor requirement lack', '500 bp partial', 'apparently different compare', 'cm2 cm3 le', 'control filter', 'dependent effect form', 'regulator beta', 'existing data unable', 'horse using 250', 'use pig breeding', 'including 33', 'nelore steer 34', 'compromised horn', 'sheep characterized', 'bd genetic difference', 'protein yield generally', 'currently used', 'erhualian population pleiotropic', 'gwas using factor', 'pcr sscp adopted', 'oar3 result confirm', 'density 777k illumina', 'abcg2 investigated possible', 'growth performance', 'model significance', 'snp economic trait', 'associated marbling score', 'resistance oar3 12', 'tm qtl trait', 'triglyceride level total', '238 individual', 'intron exon boundary', 'property ante', 'level total', '19 marker bovine', 'detection second', 'significant experimental', 'ssc 13', 'dairy cow typical', 'qtl cm region', 'grandsires 608', 'day age individual', 'production trait contribute', 'revealed significant difference', 'regulation initiation development', 'population including', 'able identify metabolic', 'adg duroc pig', 'chromosome 14 allele', 'trait recently detected', 'gwa study 820', 'sharply small', 'muscling growth fat', 'type enzyme mainly', 'snp 11040379c', '95 total', 'field linkage study', 'sire grandsire', 'rgs20 potential', 'fayoumi f1', 'supported association mutation', 'composition energy balance', 'refinement previous', 'carry mutation responsible', 'chinese breed genotyped', 'step cm', 'individual length', 'stimulating hormone receptor', 'average spacing approximately', 'genome scan relevant', 'differing level', 'variation age puberty', 'closed population', 'economy mean selective', '976 aa', 'possibility including', 'limiting enzyme glycogen', 'il8ra ccr2 ass', 'transcript analysis revealed', 'located interpreted measure', 'genomic annotation bovine', 'polymorphism atp1a1 gene', 'location effect', 'associated lm', 'color trait', 'commercial breed 21', 'produced 1310', 'conformation functional', 'proposed mitigation', 'density aquaculture', 'value milk fat', 'importance pathway', 'data better', 'individual condition provide', 'trait located qtl', 'detection failure exploring', 'quality heavy pig', 'appear genetic', 'aggressive peck received', 'genomic selection chicken', 'combine linkage linkage', 'midpoint marker bms4513', 'sex allowed detection', 'later phase', '21 15', 't3 t4', 'value 24', '0003 light finding', 'pla2g10 rrn3', 'dhrs12 mlnr', 'using aforementioned', 'www vetsci usyd', 'scrapie transmissible spongiform', 'weight tmw used', 'bayesian inference tool', 'study 12 region', 'specimen mutant', 'chromosome association', 'magnitude effect significant', 'snp appears useful', 'snp used meritorious', 'harbored cluster', 'specie tick', 'tick specie identified', 'analysis analysis stratified', 'acyl carrier protein', 'wov total weight', 'proportion observed', '06 28', 'fat level beef', 'time comprehensive study', 'ad ac', 'ham weight generally', 'cross animal', 'deviation adjusted', 'significant associated snp', 'mutation comparison', 'native chinese', 'protein ubiquitination', 'status resource', 'rao heave', 'ap3b1 hsd17b12', 'lamb heterozygous lm', 'coloration gga1 gga3', 'parameter evaluating disease', 'locus qtl contributing', '968 snp', 'qtl detected fcr', '57 furthermore intermediate', 'tt porcine', 'activity ins ins', 'european south american', 'base continuous mutated', 'weight bta20', 'selection provides alternative', 'ssc15 meat quality', 'region responsible variation', 'ssc5 harbor non', 'relative content distinct', 'created cross belgian', 'moderate marker', '18 half', 'result sex', 'drench family', 'similar location unadjusted', 'qtl 05', 'followed homozygote mutant', 'fat bft1 bft2', 'indole performed', 'present study suggest', 'genetic mechanism underlying', 'size fl structure', 'content bovine longissimus', 'snp result', 'square linear', 'identify sequence variation', 'following daughter design', 'needed validate', 'analogous human locus', 'growth remained restricted', '63 pre horse', 'constructed gene snp', 'identified growth', 'second primarily affect', 'type 562g', 'egg cow', 'near mc4r', 'phenotype largely', 'fertility linking trait', 'angus bull', 'new field study', 'record 226', 'modulators hpa', '9x10 14', 'plausible causative', 'ggaluga151406 gga_rs14554319 gga_rs13593979', 'associated tenthrib', 'pig cross analysed', '92 sheep isolated', 'qtls ssc7', 'quality important meat', 'data 60', 'nba litter important', 'detection result', 'point mutation 943c', 'ratio worm', 'stringent correction multiple', 'female total', 'parental derived', '19873t mutation 25225a', 'snp pnominal value', 'contribute increasing knowledge', 'correlation used', '37 snp', 'birth haplotype involving', '159 backcross ewe', 'image analysis cia', 'proposed gene slc9a3r1', 'fertility family involving', 'physiology major', 'integrating multiple layer', '10 19', 'independent finally polymorphic', 'molecular information study', 'whipworms trichuris', 'experimental design consisted', '315 genotyped marker', 'important revealing complex', 'population located close', 'marker allele la', 'core included', 'selection increase', 'location detected qtl', 'newly identified study', 'skin cock tt', 'joint analysis combined', 'line derived population', 'changed transcription factor', 'peak snp', '313 bp', 'line including', '60 kg', 'pig pietrain', 'weight matrix', 'gene causal', 'used map gene', 'window explained genomic', 'axis activity candidate', 'map region way', 'ram mountain', 'scan important step', 'total 330 animal', 'annotated intergenic', 'wide significant chromosome', '11 yearling', 'cooperative dairy', 'cm resulting joint', 'higher juiciness compared', 'interleukin receptor chromosome', 'synonymous polymorphism 44g', 'snp array detect', 'functional mechanism trans', 'cohort holstein', 'conduct qtl', 'analysed correlated trait', '278 cow superovulation', '380 microsatellite', 'added increase resolution', 'needed datasets', 'genotype phenotype data', 'gene identified various', 'location broad qtl', 'pcr test 13', 'detected locus affected', 'caproic acid', 'quantitative trait necessary', 'analyze age', 'size previously identified', 'f2 progeny phenotyped', 'modest association publication', '240 day genotyped', 'based permutation 10', 'body composition abdominal', 'phenotypic genetic data', 'leghorn survivor', 'family member important', 'cm region limited', 'weight covariable', 'pparγ nuclear', 'boar taint demanded', '50k ovine snp', 'contains skp2', 'stomach highest expression', 'confirmed association', 'target region', '95 bp', '19 locus gene', 'sparse microsatellite linkage', 'likelihood estimation regression', 'qtl connected health', 'traditional maximum', 'ptgs1 fras1', 'use prior', 'values identified significant', 'breeding enhance', 'fraction ratio', 'affymetrix axiom pig1', 'analysis skeletal muscle', 'estimated dominance value', 'qtl effect stress', 'snp calving performance', '17 19 associated', 'functional gwas', 'pig gene convincingly', 'approach reducing disease', 'peak cm 05', 'reach puberty', 'treatment undesirable', 'clearance heritability', 'trait little known', 'chromosme wide', 'association study genome', 'location compared previous', 'composition used', 'burden bta14', 'parameter using', 'texel sheep nematodirus', '1957 expression polled', 'additively dominance göttingen', 'bwt postnatal', 'taint treatment', 'heritability improve', 'remained animal', 'life marker', 'year study', '1121 progeny', 'fiber ssc2 number', 'neuronal change identified', 'gene phosphodiesterase', 'model ratio qtl', 'allele snp3_t snp43_g', 'trait characterized limited', 'potential linkage causative', 'different time causal', 'potential calpain substrate', 'associated slope milk', 'pleiotropy growth obesity', 'include genotype 35', 'approach data', 'gain efficiency snp', 'marker high', 'snp rs319678464g rs330427832c', 'carcass trait using', 'inheritance conclusion identification', 'snp calculated', '107 cnvrs overlapping', 'sc 10 180', 'percentage 11', 'mapping result sc', 'based data family', 'study investigated quantitative', 'common gene ontology', 'used develop selection', 'maintenance production dairy', 'breed low moderate', 'brazil nellore', 'high input production', 'hap2 hap3 hap4', 'mutation site mutation', '040 heifer', 'stillbirth using', 'snp bonferroni', 'oocyte regulatory', 'trait eimeria tenella', 'assay analysis', 'herd pietrain german', 'discovered missense', 'breed performing genome', 'surpassed suggestive', 'mitochondrial mrna', 'day my250 trait', 'akr1c gene affect', '20 yr', 'muscle volume', 'affected calving', 'substitution effect cyp11b1', 'source structural variation', 'bone strength highly', 'mc1r marker', 'ny qinchuan', 'line direct', 'method wssgwas', 'c14 c14', 'radiographic ultrasonographic pathological', 'candidate related', 'aggression group housed', 'function produced mutation', 'sire representing sire', 'specie estimated genetic', 'detected probably mediated', 'ebv estimate', 'generation sequencing verified', 'sexual precocity 05', 'haplotype 42344t 42404a', 'large effect associated', 'size erectness', 'using package genome', 'targeted genetical genomics', 'association splice site', 'conducted determine', 'detect chromosomal region', 'promoter mutation', 'european hybrid commercial', 'hematological immune disease', 'comprehensive study', 'bayesian approach 46', 'marker sw980 sw2456', '26 trait', 'resistance ketosis feasible', 'based biological role', 'variable largest prediction', 'mated tumor', 'reported literature', 'subject heading mesh', 'conduct multipoint variance', 'used study detected', 'scrofa build available', 'observed ripk2 wild', 'significantly le', 'eggshell quality replicated', 'sheep total 696', 'metabolism proteolytic activity', 'npc1 gene including', 'deregressed proof drp', 'tg lipoprotein serum', 'site utr pig', 'evaluate fluctuating asymmetry', 'enlarged dataset including', 'line low line', 'line shaobo hen', 'data 796 cow', 'mode inheritance ti', 'semen trait including', 'chain omega', 'friesian grandsires', 'mrna stability cis', 'rate evolution', 'single locus linkage', 'variant missing', 'marker distributed chromosome', 'mating ram meat', '18 bta18', 'approximately 93', 'final characterization', 'polygenic genetic effect', '42 qtl suggestive', 'expression variation', 'modification developmental process', 'annotation revealed gene', 'confounded environmental influence', 'using categorisation ibk', '01 ssc12 05', 'bull fv breed', 'polymorphism snp performed', '10 24', '13 thirteen', 'resilience measured longissimus', 'determined muscle', 'based proteomics approach', 'total 101', 'breed correlation', 'muscularity sheep', 'leptin important genetic', 'different pietrain', 'chromosome qtl pleiotropic', 'growth performance economic', 'precisely regardless', 'ocd horse marker', '81 informative snp', 'genotyping cow informative', 'new breeding strategy', 'compared cc genotype', 'mutton deutsches', 'bone integrity paternal', 'joint result', 'curve 21', 'hornless studied population', 'perilipin gene', '630 informative high', 'allele pony breed', 'proportion phenotypic', 'bft italian', 'mean spacing', 'resistance suis indicated', 'used analyse candidate', 'type receptor', 'phenotypic effect result', 'function enzyme', 'clarify complex qtl', 'ligand dependent nuclear', 'response including tirap', 'nanyang body', '115 kg day', 'including different american', 'commercial swine population', '14 17 shoulder', 'adjusted main', 'generally consistent', 'identified 10 coding', 'cross breed comparison', 'estimated individual used', 'cross multiple', '895 ng melted', 'antitumor regulation day', 'kinase non catalytic', 'industry effect', 'false suggestive qtl', 'associated snp including', 'line hamb maternal', 'univariate analysis', 'multibreed experiment crossed', '11 body length', 'tenderness zebu', 'cm individual introduction', 'genotyping 157', 'sc trait highly', 'birth 05', 'nested sire significance', 'ldl receptor', 'na create', 'eca15 using', 'dairy cattle resequencing', 'mp score atrophic', 'study connected cross', 'association analysis indicate', 'component estimate', 'health conformation trait', 'reaction antigen', 'different pathogen', 'large proportion observed', '10 replication association', 'association 73', 'suggestive genome wide', 'taken suggested', 'fp 11', 'region affected distinct', 'background subfertility challenge', 'snp 270t', '32 68', 'comparative sequence analysis', 'obesity index locate', 'qtl 19 28', 'compared wild', 'suggest gene', 'background year genome', 'foc lamb logarithm', 'wssgwas polledness', 'chromosome 14 high', 'monounsaturated mufa', 'pcr rflp assay', '195 subsequently', 'tropic lentivirus country', 'criterion determination significant', 'useful index estimating', 'presence association', 'test isolation box', 'bta various', 'evaluation gpe', 'based high', 'population objective', 'remaining discovered', 'variation trait finding', 'new alternative transcript', 'important gene', 'addition identified qtl', 'stability confirm importance', 'breed opposite effect', 'size 20 snp', 'studied 54', 'antigen determinant', 'originated erhualian', 'grade proportion', 'teat number teat', 'accounting genetic', '01 qtls', 'increasing intramuscular', 'based comparative mapping', 'substitution g93a significant', 'mortem ph', '2002 06', 'conformation trait additional', 'produce taste', 'gene capn1 947', 'use selection improved', 'research centre sheep', 'overlapped major qtl', 'exercise ischemia causing', 'criterion mapped', '000 genotyped individual', '0061 c56072547t', 'pleiotropic effect identified', 'novo fatty', 'reported tick', 'cow high', 'ensembl gene', 'linkage disequilibrium independently', 'carcass measured', 'genome regulation actin', 'total 789 fish', 'mapped different', 'bull val', 'region large number', 'locus identified number', 'depth shear', 'variation trait haplotype', 'cdkn2a cdk4 low', 'used selection improve', 'lm area 01', 'αs1 cn', 'dehydrogenase postalbumin', 'gene gh1 associated', 'locus involved', 'associated bw70 fcr', 'ssc4q using', 'vitro activity', 'gwa report important', 'analyzed detect', 'aldehyde dehydrogenase family', 'demonstrates genetic', 'located utr', 'seen individually', 'information use', 'coupled receptor', 'snp showing allelic', 'larger drps compared', 'qtl close arl4c', 'information target', 'sequence repeat ssr', 'hip width total', 'pig produce meat', 'increased ability', 'logp used', 'susceptible resistant', 'effect amino acid', 'cast capn1 explains', '44 69', 'taken appears major', '365 adjusted', 'imf content fixed', 'differentiation factor gdf8', 'ass association', 'identify gene underlie', 'identified 313 chicken', 'second quantitative', 'crossbred population region', 'virus assembly', 'gene directly sequenced', 'presence causal', 'melanoma gene extensively', 'deduced potential fatty', 'score contrast', 'data farm trait', 'slower commercial', 'fat deposition negative', 'f2 cross line', 'genetic variant nr6a1', 'penncnv cnvruler', 'genomestudio program used', 'vl chromosome 17', 'qtl located milk', 'chromosome conclusion pooling', 'tnb selective', 'bovine chromosomal', 'danish landrace', 'thoracis muscle ltm', 'quality egg', 'set ongoing', 'total included', 'effect confirmed', 'anxa9 02', 'inositol phosphate', 'method trait included', 'large genotype', 'skin disease affect', 'detected conclude', '175 day', 'locus size trait', 'architecture biological mechanism', 'protein variant abcg2', 'complementary single snp', 'association withers', 'bta5 significant effect', 'genetic variance maternal', 'related size', 'deposition related trait', 'confirmed animal model', 'age group', 'associated hcr1', 'far known', '499 oar23', 'homozygous animal snp', 'control affected', '42895 locus', 'deplete genetic', 'locus qtl gestation', 'based r2 statistic', 'carcass weight moisture', 'friesian brown', 'effect addition significant', '250 genetic marker', 'blood cell pig', 'scan situation deterministic', 'weight qtl effect', 'disequilibrium phase likely', 'fat depth gr', '38 genotype observed', '615 539', 'egg weight possible', 'area 19 wk', 'disorder calf', 'significantly increased protein', 'intact initiator element', 'increase tnb increase', 'marker rs29021868 cwt', 'sector pigmented', 'netrin ntn1', 'adgtest major', '20 24 week', 'length gl parity', 'line male higher', 'percentage eviscerated weight', '512 f2 offspring', 'orthologous chromosome region', 'qtl detected population', 'group 371', 'sck1 second', 'susceptible eye', 'development disease resistance', 'placed bos', '34 mb', 'height horse aim', 'estimate effect size', 'rell1 cd96 gene', 'qtls mapped using', 'ipnv case', 'strongyle specie', 'cm 360 cm', 'previous gwa', 'snp beadchip study', 'oestrus cycle ebv', 'serpine1 significantly', 'mexico 2012', 'anxa10 cause embryonic', 'qtl utilized', 'value 10 12', 'taurine polled', '42 35', 'neu eosinophil', 'affected stillbirth', 'porcinesnp60 beadchip population', 'year count recorded', 'excretion associated', 'gdf8 gene demonstrate', 'sc performed', 'line dam nested', 'study qtl nematode', 'damage post', 'family bh sire', 'population present study', 'gdf8 snp', 'gene potential utilization', 'gene region biological', 'genetic distance angus', 'gene 1313', 'animal created', 'holstein charolais', 'interaction production trait', 'suggesting good candidate', 'variance 70 located', 'previous study commercial', 'cross comprising 31', 'measure breeding improved', 'power loss', 'helpful information', 'min 15 24', 'trait udder conformation', '56 week age', 'genotype marker flanking', 'snp wur10000125', 'parameter dna status', 'alanine gcg valine', 'pigmentation mechanism', '16 28 trait', 'fe sensitivity sheep', 'bta3 chromosome association', 'chronic disease genome', 'explains phenotypic', 'brazilian dairy', 'dairy cattle breed', 'failure mainly', 'related bl', 'gene affect trait', 'parasite infection', 'sequence data 456', 'leukocyte highly', 'hypothesised balanced frequency', 'work provides putative', 'breed chicken', 'experiment 10', 'genomic region identified', 'ascertain 12', 'result agreed gene', 'required identify qtl', 'single multiple trait', 'study aimed detect', 'smallest value', 'different cross', 'detection phenotype adjusted', 'lumborum mll area', 'marker identified genome', 'lod score difference', 'joint data set', 'gene pool furthermore', 'useful detect peak', 'adipose tissue northeast', 'wwt adg contribute', 'allowed detection qtl', 'hd genotyping', 'affect immune', 'ggp porcine hd', 'mapping report', 'eqtl krux eqtl', 'gnas cluster', 'pooled rna', 'polymorphism significantly different', 'ability pregnant', 'produced association ultrasound', 'originally characterized experimental', 'eci2 pcyt2', 'record fecl', 'confirmed quantitative', 'svs penncnv cnvruler', 'useful genetic marker', 'sequence identified', 'polymorphism employed detect', 'detected porcine chromosome', 'purebred japanese black', 'beta carotene concentration', 'genomic region 80', 'total 557 f2', 'candidate snp', 'qtl underlie variation', 'teat hyperthelia snts', 'receptor vipr prolactin', 'interacting locus large', 'family linkage disequilibrium', 'based dataset identified', 'number variable region', 'objective bioinformatics', 'potential antagonistic', 'expression porcine muscle', 'strain qtl mle', 'ecotypes regional', 'trait using bayesian', 'low 18', 'leg disorder', 'productivity farm animal', 'bta6 bta7 bta9', 'ssc11 kitlg ssc5', 'predictability method', 'higher design analysed', 'located chromosome 10', 'wild type', 'drumsticks thighs wing', 'functional significance mediates', 'qtl underlying acop', 'candidate gene insulin', 'bw chest', '95 bp upstream', 'novel snp associated', 'holstein cattle sequence', 'exon novel variant', 'revealed significant qtls', 'chick gene', 'ptm form revealed', 'data suggested mirna', 'qtl result suggests', 'scan f2 cross', 'detected trait', 'breed associated presence', 'applied selective', 'analysis yielded result', 'develop equine', 'test 24 trait', 'population investigation', 'disequilibrium significant snp', 'muscle multi', 'polymorphism snp covering', 'gga1 detected', 'difficulty routinely collecting', 'located primary', 'challenged wild', 'research population subset', 'clearness uc', 'false discovery', 'progeny 590', 'association bmp15', 'meat type chicken', 'population collected', '21 snp', 'selected commercial herd', 'resulting 20 test', 'bft examined', 'intact boar crossbred', '05 bw puberty', 'individual variation ca', 'gilt white', 'puberty allow selection', 'postmortem marbling', 'associated lactation', 'calf pre', 'expression directly targeted', 'milk production change', 'orf encoding', 'atrn gsdmc mitf', '65 dna marker', 'analysis qtl fatness', 'involved wound', 'greatest lrt 22', 'estimated 30 variance', 'purpose study develop', 'nucleotide polymorphism snp', 'evaluated snp ifcifc', 'indicate genetic background', 'scan various meat', 'oxidation anaerobic metabolism', 'cm 100 gene', 'heterosis fatness', 'allele susceptibility', 'area fat density', 'imprinted gene region', 'sire showed highly', 'lasso algorithm', 'validated chromosome', 'family gene', 'segregate nordic', 'locus close', 'risk detected qtl', 'cross using 106', 'empirical 13 provided', 'tetra primer', 'performance economic loss', 'axiom pig1 4m', 'effect production', 'association study variant', 'founder chicken f2', 'locus responsible growth', 'affecting treatment', 'gene sequenced cdna', 'investigated gene', 'size training testing', 'snp explore possible', 'automatically generate sampling', 'scrotal circumference brahman', 'milk fat yield', 'rate fdr significant', 'cm 81 83', 'following sib', 'model additive dominance', 'deposition tissue', 'molecular variation', 'cast mc4r gene', 'detected pig population', 'associated genome wise', '05 haplotype linked', 'number en', 'order narrow', 'feed intake fi', 'multiple pathogen', 'animal haplotype block', 'parameter confirming importance', 'transcriptase quantitative pcr', 'force weight', 'flanked region tibial', '405 included conceived', 'sire analyzed association', 'methodology yielded different', 'physiological factor determine', 'protein casein content', 'classified case control', 'production causing loss', 'different aspect', 'gene marker assisted', '13 16 17', '300 ctnnal1', 'born piglet', 'neuroendocrine parameter', 'promising influencing ewe', 'lp positional', 'beadchip gemma', 'data utilized', 'detected setd7', 'indication general property', 'qpcr fluorescence', 'member contactin', 'number gallop best', 'analysis employed', 'obtained novel', 'chicken form encoded', 'general behaviour production', 'target sequence analyzed', 'productive trait investigated', 'variant ubiquitously expressed', 'znf608 known', 'genotyped using 60k', 'cattle fine mapping', 'type ssc1 ssc14', 'contribute biological function', 'dongxiang spotted', 'challenge qtl', 'loin muscularity index', 'backcrosses trout', 'sow bf gene', 'realistic cross different', 'database overrepresentation test', 'wnt signalling', 'factor sp3 sp3', 'uncovering physiological trait', 'polymorphic site site', 'genotyping approach', 'identification putative qtl', 'eosinophil change primary', 'region focused known', 'detecting association known', 'abundant milk', 'challenging requires', 'debilitating effect endophyte', 'sternal length', 'mechanism action responsible', 'performed investigate seven', 'animal recalculated order', 'variability leucocyte number', '69 85', 'frequency polymorphism changed', 'bp snp located', 'vocalization locomotion', 'feed intake decreased', 'sparse microsatellite', 'derived sire bos', 'obscure showed', '17 significant genetic', 'srebf1 regulates scd', 'proline serine asparagine', 'important role redistributing', 'mapk signaling', 'adjacent candidate', 'extent swine marked', 'qtl mapping reason', 'lamb result experiment', 'origin effect', 'model using sire', '279phe 279tyr lead', 'gene eye area', 'exon ovine', 'expected segregation', 'high marker', 'fertility aim study', 'qtl region explaining', 'cyp11b1 effect fat', 'providing new', 'locus newly identified', 'significant association buffalo', 'bl trait 10', 'ldl concentration ppn0', 'f4ac major', 'using orthogonal contrast', 'shown rich qtl', 'porcine snp database', 'bft ham', 'eca15 genome wide', 'hedgehog hh signaling', 'sheep clstn2', 'functional trait', 'sow analysed investigate', 'consistent clinico', 'population resulting cross', 'ssc4 confirmed qtl', 'joint flanked', 'pdz domain crumb', 'background aim study', 'white leghorn population', 'additional paternal half', 'breed important', 'friesian cow high', 'chromosomal significance level', 'addition refined', 'low heritability late', 'bird numerous', 'cast gene genetic', 'udder health performed', 'le reported', 'confirmed result', 'vascular development morphology', 'herd life associated', 'initiative aim study', 'stock f6', 'increased 35', 'meat tenderness carcass', '079 hd bovine', 'hit uncorrected', 'expression protein present', 'pl polish large', '02 respectively', 'lymphocyte subpopulation', 'behaviour pig', 'f2 cross sequenom', 'implicated gene', 'alanine threonine', 'femoral trait bone', 'bovine chromosome bta6', 'locus identify', 'lean bird', 'stroke cancer pig', 'snp phenotype form', 'ssc13 ssc17 chromosome', 'highlighted gene potentially', 'heritability estimate 47', 'harboured qtls parasite', 'pou1f1 ghr polymorphism', 'gpcr kinase', 'utt fl partially', '139 bull', 'ham trait mapped', 'functional snp change', 'genotype various association', 'obesity related trait', 'rs13687126 rs13687128', 'growth trait false', 'site 47', 'mammary rnaseq data', 'gwass performed using', 'occurs horse', 'fat colour quantitative', 'infection sarcocystis miescheriana', '335 f2 pig', 'yield thigh drumstick', 'like growth factor', 'segregating sire region', 'group 16 trait', 'trait estimated targeted', 'stox2 pelo identified', 'cebú breed', 'breed 42 bos', 'highly homologous kb', 'additive effect', 'glycosylation cn detected', 'lay groundwork future', 'pig breed displayed', 'qtl tnb significant', 'medium high density', 'nucb2 fat', 'control phenotype', 'beadchip assay analysis', 'iar cause subfertility', 'demonstrated genomic', 'larger effect secondary', 'geneseek80k accuracy genomic', 'pig result trait', 'performed finding', 'software employed eighteen', 'trait combination expected', 'test indicating feather', 'member xkr4', 'bf goal study', 'calpain gene capn1', 'identified noncortical', 'majority brazilian', 'static qtl result', 'evaluation population varied', 'evidenced 58', 'validated qpcr', 'enzootic bovine leukosis', 'genotypes site', 'norwegian white', 'variety iberian pig', 'analytical technique', 'fmdv cell antibody', 'cm current usda', 'syntenic candidate', 'oc french trotter', 'snp useful marker', 'abundantly expressed adipose', 'angiogenesis vasculogenesis', 'yellowness respectively', 'expression micrornas', 'acid sequence', 'candidate gene fertility', 'pelo located', 'study microsatellite marker', 'human dog afflicted', 'snp used effective', 'feather female', 'individually significantly higher', 'result globally snp', 'interestingly significant snp', 'rab4b snp gene', '70 mb 14', 'haplotype t32742394c', 'used measure', 'wide type', 'common snp representative', 'mutation positioned core', 'xr_027435 snp12 etv1', 'efficiency meat', 'trait phenotypic genetic', 'genetic architecture economic', 'snp marker association', 'meishan origin muc4', 'alive piglets birth', 'unsaturated medium', 'phu post', 'cgi 58', 'underlying qtl likely', 'height human supporting', 'animal explained known', 'raw phenotypic', '16 autosomal chromosome', 'linkage japanese black', 'scrapie basis', 'specific form cysteine', 'group marker set', 'rib bft carcass', 'larger sample size', 'capitis area meat', 'deposition candidate', 'pig pig breed', 'ecology trait', 'subset data', 'exon exon', 'marker ld analysis', 'ssa20 19nuig', 'nucleotide binding protein', 'curve wood model', 'component methodology incorporation', 'specific effect powerful', 'differentiation study', 'model regression method', 'gene irg1 confirmed', 'adrb1 1293c', 'variation fertility trait', 'correction snp', 'qtl family derived', 'pigmentation haplotype information', 'frequency exhibited strong', 'including promoter region', 'identified novel qtl', 'parasitism productivity indigenous', 'regression daughter yield', 'chromosome highly', 'clec3b type lectin', 'study indicated', 'chromosome bta bta7', 'truncated protein lack', 'phosphodiesterase 1b pde1b', 'kaufman oculocerebrofacial', 'cd4 cd8 ratio', 'cb type', 'androstenone concentration commercial', 'trait increasingly important', 'bodied chicken', 'qtl snp significantly', 'directly calpain', 'locus 100', 'purebred yorkshire', 'bft ssc6 fabp', 'marker tested difference', 'trait finding helpful', 'beta carotene dioxygenase', 'significant using', 'fcr chicken', 'differentiation normal function', 'number candidate', 'b2 receptor', 'betar sequencing pooled', 'overall study series', 'wide level 10', 'cartilage development fat', 'undetected qtl chromosome', 'number lifetime', 'phenotypic variability horn', 'objective current study', 'chromosome seven texel', 'labor traditional single', 'performed gwa study', 'missense mutant result', 'animal exposed increased', 'evl slco3a1', 'specifically horn size', 'multibreed genome wide', 'effect general sib', 'effect estimate 47', 'ocd thoroughbred', 'total 649 significant', 'pig evidence effect', 'weight reported using', '1121 cow selected', 'objective shaped genetic', 'tested snp causative', 'trait bovine genome', 'mapping gene located', 'cnv detection', 'program designed', 'trait mb', 'unselected control number', 'infection suggested putative', 'fa profile investigate', 'snp covering pig', 'trait specifically snp', '18 case', 'farm animal immunoglobulin', 'adrenal gland brief', 'bird reference', 'nematode favouring activity', 'trait conducting multiple', 'scheme using', '16 ass', 'respect estimated breeding', 'profile large white', 'using physiological', 'average holstein', 'snp play', 'adding additional microsatellite', 'catenin alpha', 'assisted selection meat', 'weight matrix partial', '78 fold', 'evaluate relationship fat', 'close marker', 'us_m live weight', 'different stage large', 'expression cow', 'qtl mapped body', '06 unit', 'locus qtl mapped', 'regarding gene region', 'qtl confirmed purebred', '947 associated variation', 'mtpap analyzing series', 'variation mammalian specie', 'priority ai', 'control immune response', 'connection snp locus', 'bull genotype available', 'design refined family', 'affect sc', 'qtl confirmed refined', 'frequency genotype cc', 'gene correlated af', '43 51', 'mapping analysis significant', 'measure improvement', 'flock selected emotional', 'leucine aminopeptidase', 'pasture fed dairy', 'selection artiodactyl', 'analysis identified nearby', 'synonymous snp sufficient', 'acaca solute carrier', 'cell signaling process', 'response handling', 'association approach utilized', 'role control ovulation', 'diversity strong qtl', 'mastitis reported dsn', '17 mb study', 'analysis multiple', 'feed m1 line', 'lmm bvs 13', 'included common model', 'trait necessary', '18 conformation trait', 'linked lgb1 snp', 'harbor gene including', 'pathway reported', 'fever dairy', '10 partial', 'management similar commonly', 'au rich element', 'crucial role assembly', 'susceptibility particular phase', 'chest width', 'numerous binding', 'ssc12 ssc18', '13 standard deviation', 'transcript positive correlation', 'imprinted involved prader', 'located fpdmeta cluster', 'estimate cb heritability', 'simple linkage analysis', 'specifically present population', 'symptom responsible', 'assembly comparing qtl', 'qtl suggestive linkage', 'component genetic', 'base seventh generation', 'bta6 snp', 'hypothesis host', 'bmd bone', 'generation indicate marker', 'group comprising', 'increasing number phenotyped', 'series candidate gene', 'serpin peptidase inhibitor', 'mapping study suggested', 'harbor 13', 'wide association tested', 'german schleswig draft', 'horse selection breed', 'map gene location', 'ssc8 chromosomewise', 'identified leukocyte', 'indicator enzyme activity', 'present study plasma', 'swine qtl 20', 'extreme trait value', '85 mortality h5n2', 'network using genotypic', 'result suggest nr6a1', '043 italian', 'hampshire intercross backcross', 'average backfat ribeye', '32 mb holstein', 'bta1 single nucleotide', 'identified correspond previously', 'score productive herd', 'fabp gene linkage', 'population different mapping', 'qtl chromosome 20', '161 sire family', 'boar identification', 'drop test marker', 'window explaining highest', 'dbsnp database', 'rs42646708 significantly 0002', '240 300', 'year h7n3 outbreak', 'dairy eastern germany', 'susceptibility qtl analysis', 'associated uc dyd', 'healing adipose tissue', 'horn number', 'trait analyzed 305', 'sire 298 purebred', 'rs43032684 chromosome significant', 'deposition additionally marker', 'mutation psmc1', 'pig meta', 'affected control horse', '53 205 litter', 'ileum ratio', 'consumption measured age', 'number age', 'factor sib pair', 'egg objective study', 'simultaneous improvement', 'morphology sp5', 'native british horse', 'assigned dlk1', 'correlated favorable', 'component analysis pca', 'region identified bta23', 'response tick salivary', 'beef steer variation', 'associated increased', 'immune response time', 'rs109421300 rs109162116', 'sscp polymerase', 'caused alteration transcription', '28 genetic variance', 'bull obtained cooperative', 'disease resistance important', 'using approach genome', '2354 german', 'qtl influencing temperament', 'trait analyzed growth', 'protein transcription', 'significantly associated chl_fat', 'haplotype based selected', 'predict genotypic information', 'androstenone skatole investigated', 'effect detected milk', 'tnfsf11 124 883a', 'pre post', 'spacing 15 cm', 'significance better sq1', 'variation associated parasite', 'bovine hnf 4α', 'fertility trait analyzed', 'hpaii restriction', 'level snp', 'study emphasizes nr3c1', 'located microchromosome', 'close linkage versus', 'study resequencing entire', 'cattle provide clue', 'horn small', 'match expected qtl', 'used identify', 'lung liver kidney', 'experimental half', 'gene polymorphism related', 'locus suggesting', 'c14 c18', 'rib polymorphism g1406a', 'abcg2 cdna obtained', 'selection fitting', 'acid milk', 'significantly higher genotype', 'body weight reached', 'alphaherpesvirus cause disease', 'confinement novelty arena', 'high skeletal', 'high throughput genotyping', '720 male bos', 'high throughput genome', 'snp gga1 region', 'effective marker assisted', 'bta18 60', 'limousin red', 'responsible body conformation', 'natural selection conducted', '79 mb', 'acid lipid biosynthesis', 'crucial aspect associated', 'effect simulation study', 'identified trait', 'weight bta20 passive', 'breed restricted polled', 'variation research principally', 'expressed resistant susceptible', 'function reported contribute', 'follow work relevant', '10 17 10', '1644 holstein 649', 'insulin glucose level', 'trait centromeric region', 'number detected breed', 'polypeptide gip', 'enriched casein', 'metabolism serum lipid', 'mutation revealed', '57 60 week', 'limousin breed qtl', '25 haplotype', 'genome valuable', 'based meishan', 'lnpep shb', 'suggesting lactoglobulin', 'trait evaluation', 'model decompose genetic', 'ssc10 ulceration ssc12', 'significant position', '12 fore udder', 'significantly associated bm', 'concordant sequence', 'strain wur', 'liw 170', 'tyrosine kinase kit', 'summer milk sample', 'analysis la performed', 'fertility milk yield', 'number including total', 'bm discovered central', 'cbg proposed candidate', 'gwas result open', 'binding protein crossroad', 'shear force', 'ensbtag00000037306 mirna ensbtag00000040351', 'estimate ranged', 'e43 egg', 'syndrome investigated', 'formal statistical approach', 'using ovine high', 'tissue 30 pig', 'responsible lactoglobulin', 'genetic parameter parameter', 'tested breed', '20 observed', 'previously identified population', 'sheep jordan', '10 12 18', 'day open cow', 'substitution effect significant', 'level allelic', 'meat rate reflect', 'promoter signal', 'chicken genomic breeding', 'holstein cow plink', 'meishan pietrain trait', 'immune response previously', 'homeostasis maintained absorption', 'additive dominant component', 'originates broad', 'snp panels', 'family constituted', 'sire respect', 'analysis pvuii frequency', 'matter yield', 'seen notably', '689 1050', 'tested candidate', 'py pp', 'fat tissue polish', 'horse twh described', 'effect opposite direction', 'natural infection hpai', 'old experiment qtl', 'nucleotide cpg island', 'significance bonferroni correction', 'region detected 33', 'fiber diameter', 'conception parity', 'haplotype subsequently tested', '306c 73', 'previously reported highest', 'absent suffolk sire', 'established estimate parasite', 'locus associated susceptibility', 'method commercial hanwoo', 'model herd', 'varied according method', 'ache lrrc14', 'function productive', 'genomewide significance threshold', 'displayed distinct haplotype', 'indicated shared association', 'estimate corrected', 'hpai outbreak blood', 'role lepr', 'underwent field challenge', '3481bp fabp giving', 'ewe identify snp', '18 19', '29 31 mb', 'chicken gemma method', 'sib produced', 'variation effect genotype', 'fat1 qtl likely', 'construct encoding', 'biosynthesis oleic acid', '65 steer initially', 'split independent', 'thickness ib', 'ss319607402 variation map', 'whc previously', 'weight ultrasound examination', 'variant described associated', 'swine genome sequencing', 'lp gwas', 'adipogenesis gluconeogenesis objective', 'analysis ibs', 'milk sample resulted', 'undetected using', 'men detected snp', 'esr1 higher', 'record result outcome', 'snp located dock7', 'challenge routine vaccination', '587 7825', '18 identified', 'impacting rln etiology', 'prl play crucial', 'herd genetic analysis', 'refined qtl', 'fertility breeding health', 'dnajc6 ak3l1', 'quality trait general', 'dermis epidermis dermal', 'chromosome length linear', 'overrepresentation test pathway', 'mm diameter significantly', 'background persistence gastrointestinal', '262 eqtls false', 'basophil eosinophil', 'threat world poultry', 'swine age', 'number visit', 'study suggests time', 'allele snp ex1', 'type iib', 'total protein', 'involved eye', 'reared grazing gastrointestinal', 'litter size linkage', 'growth trait angus', 'point mutation position', 'agreement qtls previously', 'encompassing arl4a', 'correlation age class', 'fatty acid dairy', 'nicl arise', 'me1 gene evaluate', 'enable production milk', 'breed genetic basis', 'dominance model additional', 'acid c20', 'percent phenotypic', 'wg42 candidate', 'potential candidate', 'greater fat', 'pecking line performed', 'horse arabian german', 'genotyped separate crossbred', 'suggestive significant 41', 'major qtls identified', 'polymorphism intron porcine', 'locus animal', 'genotype infection', 'performed cis', 'area fat combination', 'striated muscle', 'circumference 10 12', 'trait lamb 15', 'light understanding', 'related meat', 'various physiological function', 'allele haplotype', 'lean meat low', 'size chromosome', 'particular studied performed', 'resistance trait different', '05 abt', 'bmd used ass', 'measured body weight', 'mammal diverse polymorphism', 'previously proposed', 'snp insertions deletions', 'physiological trait 11', 'associated adfi', 'family gene overall', 'affected single', 'measured opn', 'fp lactose percentage', 'founder grandparental', 'factor shown', 'log transformation somatic', 'day egg', 'color post', 'order build genomic', 'plateletcrit measured 1033', 'horse mean', 'diverse effect', 'pig 226 953', 'negative costly effect', 'unless stated varied', 'test statistic enabled', '10 05 snp', 'inhibited calpastatin', 'joint model', 'perform genotype', 'white pig analyzed', 'major causal gene', 'mastitis inflammation mammary', 'dominance variation', 'trait angus simangus', 'snp analysis growth', 'background morphological trait', 'based population', 'chicken carry', 'search tumor initiator', 'trotter hanoverian dutch', 'sclerotome play', 'complex trait domestic', 'development post slaughter', 'earlier addition domestic', 'study provides low', 'window relatively', 'regression using blupf90', 'dam used common', 'chl rxfp1 fam198b', 'insufficient relevant literature', 'glucose autophagy associated', 'confirming opportunity', 'derived algorithm', 'detected important', 'xanthophyll dermis', 'collected 158 italian', 'gene potential association', 'survival pig', 'pi calf', 'additional significant association', 'genotyping 318 polymorphic', 'breed respectively using', 'investigate candidate gene', 'identified similar', 'polymorphism array', 'omega ratio', 'bft rft marb', 'challenge pure line', 'snp contributing variation', 'ins ins', 'stillbirth calf', '18 bos taurus', 'colocolizated pqtl peaked', 'bta included analysis', 'ca balance', 'wide level result', 'trait 16', 'trait knowledge', 'major histocompatibility complex', 'approach revealed region', '009 increased milk', 'used identify sire', 'genetic variant consistently', '539 3691g', 'approach novel', 'trait mycoplasmal pneumonia', 'snp g100597a', 'decade motivation', 'horn majority male', 'total 38 candidate', 'gpr155 fyve', 'mechanism growth', 'nuclear receptor play', 'rbc red cell', 'aldehyde dehydrogenase', 'spot14alpha gene population', 'body weight different', 'large effects', 'based pedigreed', 'identify causative locus', 'causality commercialized dna', 'autosome sequencing breed', 'analysed eye', 'deviation compression', 'negative regulator muscle', 'qtlmap genome wide', 'measurement 01', 'distinguished preferentially', 'purebred qingyu pig', 'smma known', 'trait landrace population', 'trait related skeletal', 'used detect single', 'low high digestive', 'factor beta superfamily', '370 snp', 'gene 14k gene', 'data identify significant', 'direct gestation length', 'upstream mir 1596', 'score 05', 'developmental mef2c', 'implying complex', 'intron 17 utr', 'level similar', 'described analysis commercial', 'far suggests tested', 'mapping using method', 'association individual haplotype', 'point unfavorable', 'affected calf dam', 'matrix assisted laser', 'gene proposed meat', '100 female pig', 'carcass lean content', '22 linkage group', 'genotyped measure', 'hw meishan breed', 'analysis different', 'variant affected level', 'alanine amino', 'qtls candidate', 'tested genotyped', 'expand knowledge polygenic', 'holstein previously putative', 'seventeen paternal half', 'texan2 sire group', 'involved ossification', 'evaluate lp', 'number variation', 'fertility trait validates', 'underlying multifactorial disease', '05 0001 breed', 'qtl affecting fatty', 'creates target', 'blackface lamb appear', 'steer bos', 'nucleotide polymorphism holstein', 'fdr 05 identified', 'govern variation knuckle', 'lp1 lp2', '11 family analyzed', 'iteration computation', 'quality trait localized', 'fabp4 fabp5', 'genotype result suggest', 'production trait determined', 'positive impact human', 'approach chromosomal', 'energy homeostasis experiment', 'measured visual', 'resulting 1180 progeny', 'suggests body', 'frequency 24269', 'gwas linkage disequilibrium', 'affecting fatness region', 'treatment infected animal', 'yellowness significant', 'finnish ayrshire cattle', 'map software', 'affected sheep', 'affecting daughter pregnancy', '18 significant snp', 'difference year round', 'node transcriptome resistant', 'calving ease parity', 'genetic basis swine', 'trait common country', 'identification fertility', 'indigenous cattle breed', 'notch signaling', 'dpi indicating', 'major constituent low', 'higher incidence gpt', 'qtl lymphocyte', 'sheep conducted chi', 'study epidemiological case', 'ayrshire calf identified', 'firmness cohesiveness', 'specific immune', 'lamb revealed', 'used phenotypic', 'multigenic disease comparative', 'trait analysis based', 'erhualian prolific pig', 'case class', 'variance considered qtl', 'fat lean line', 'candidate gene fat1', 'averaged 114', 'genotype fixed effect', '36 significant snp', 'female reproductive investment', 'metabolism tenderness gene', 'jb1 a80v jb2', 'near putative', 'infection cattle', 'contributor mechanism actively', 'femoral length correlated', 'important coding', 'chicken provide', 'production efficiency difficult', 'major effect meat', 'chromosome 10 119', '67 mb showed', 'using affected', 'rs13997811 05', 'type pig', 'putative family', 'result expected', 'discovery region nucleotide', 'approximately mm', 'detected extreme', 'significantly associated fat', 'significant pod effect', 'enabled number plausible', 'selection pig general', 'variable 11', 'gene withers', 'biological potentially', 'fcr sequence coverage', '16 showed genome', 'tenderness addition qtl', 'understanding biology', 'frequency 17', 'quality relative', 'suggest existence', '15 million 10', 'gene result associated', '05 snp identified', 'studied different conclude', 'plag1 bta14 identified', 'titin interacting disk', 'significantly correlated growth', 'study finding require', 'snp ppara', 'dystocia conventional reproduction', 'bta22q24 previously', 'cattle significant difference', 'service 405', 'selective genotyping useful', 'content 01 pl', 'cholesterol value', 'fear 242', 'affecting cell', 'cm juiciness roast', 'selected 96 96', 'region b9d2', 'holstein cow daughter', 'animal quickly', 'expression sensitive', 'analysis showed relationship', 'lumborum ltl', 'month individual', 'genomic dna extracted', 'understanding biological', 'twinning rate previous', 'primary micrornas', 'change level', 'opn peroxisome', 'hatch metatarsus length', '19 qtl located', '808c snp insulin', 'composition yield trait', 'mutation responsible similar', 'snp marker located', 'genotyping selection', 'production increasing', 'cattle uk', 'bayesian shrinkage', 'severely rao affected', 'economically important', 'strategy including single', 'landrace pig selected', 'biochemical reaction decreased', 'daughter yield', 'et lumborum ltl', 'distribution group', 'number economically', 'selection procedure trait', 'characterize associated snp', 'difference observed nr2f2', 'field closer', 'snp close potential', 'clarification genetic', 'qtls ssc2 sscx', 'affect different', 'bta 16 milk', 'selection index', 'goal study identify', 'major locus gene', '215 bp', 'analyzed sa glm', 'able identify effect', 'end lay', 'leg hunter', 'adult parasite', 'equilibrium ion gradient', 'repeat neuronal 6d', 'including linked myh', 'data map', 'lma backfat thickness', 'integrity conclusion study', 'gene associated litter', 'subsequently fine mapped', '10 qtls study', 'c12 c14 strong', 'greece bf', 'world bovine milk', 'replication study needed', 'trait data breed', 'component analysis able', 'mutation quantitative', 'probability 05', 'fabp4 affect milk', 'overall effect slightly', 'american sheep breed', 'data result', 'biology feed', 'offering fast detection', 'putative target sequence', 'respective lactation', 'ssc14 number type', 'genome wide 05', 'haplotype associated higher', 'factor ii concentration', 'gene bta14 revealed', '8b associated', 'candidate gene elovl5', 'cnvrs overlapped region', 'yield 34', 'mitf gene reported', 'breed locus chromosome', 'haplotype h3', '29 571', 'backcross independently common', 'differential level', 'relevant behavioral', 'analysis suggested refinement', 'window snp marker', 'ssc2 number type', 'egg production female', 'fore foot score', 'based local', 'blood flow vegfa', 'phenotypic examination', 'seq experiment identified', 'affecting calving', 'significance level 14', 'test obtained result', 'used locate', 'odour intensity grilled', 'thoroughbred indirectly', 'insag genotype generally', 'rna generation', 'haplotype identified genetic', 'analysis commercial dairy', 'area explore', 'qtl 855 cv', 'region controlling density', 'pig examined fatty', 'subclinical ketosis north', 'qtl lactose yield', 'harbored htr2a lpar6', 'kg 021', 'comb mass', 'model detected', 'location family necessarily', 'breed specific allele', '311a i199v', 'trait increasing level', 'modelling additive effect', 'linear mixed effect', 'trait oar1', 'implicated meat quality', 'androstenone level', 'variation upstream', 'bird current study', 'tt 14', 'gdf9 significantly associated', 'fa gene', 'snp unweighted analysis', 'husbandry cattle', 'affected bta16', 'ssc8 using', 'average number', 'explained 87 30', 'ratio fcr beef', 'result suggests use', 'interval recombination breakpoint', 'affecting deformation', 'carcass work trait', 'line layer allele', 'allele detected', 'farm test age', 'sheep sequencing analysis', 'brother genome', 'solely chest croup', 'leucocyte trait qtl', 'week highest mrna', 'respectively total pufa', 's0217 20', 'substitution included', 'qtls femoral bone', 'equivalent genome', 'using backward selection', 'fiber genetic architecture', 'weight quality earlier', 'tenderness carcass trait', 'herdbook commercial breeding', 'kb 16', 'especially highly pathogenic', 'marker assisted breeding', 'cc association', 'coded healthy putative', 'hapmap52348 rs29024684', 'cattle treatment', 'larger lma cc', 'potentially relate', 'suggested fmo3 remaining', 'relevance including', 'ibk incidence', 'map 200', 'dairy sector selection', 'gene region associated', 'contribute better', 'comprised fetlock', 'fixed equal different', 'postmortem effect meat', 'receptor compressor like', 'hair follicle hf', 'depth 0005', 'index 93 snp', 'milk production component', 'carried mixed linear', 'improve power accuracy', 'transport synthesis', '47 copy', 'digested smai introduced', 'trait reconfirmed causative', 'bird active', 'shown feasibility', 'variation improve selective', 'cacna2d1 gene association', 'intercross sow continuous', 'variation gene common', 'procedure implementing additive', '05 trait', 'anchor orthologous region', 'mechanism locus appeared', 'linked lay', 'selected generation increased', 'respectively main', 'background morphological', 'difference phosphorylation cast', 'trait serve candidate', 'different ncapg', 'churra sheep addition', 'columbia breed serological', 'disease farm animal', 'microsatellites 13', 'arises trait', 'activity breed', 'igsf21 candidate', 'identified breed homozygote', 'protein concentration', 'snp enrichment analysis', 'mecr adam12 ache', 'paternal maternal allele', 'reproduction trait gene', 'mapped 13 linkage', 'new mainly', 'sheep determined mainly', 'carried experimental', 'initiator suppressor locus', 'compared obtained using', '4mb bta29 bft', 'born spring', 'treatment blood component', 'bovine myog gene', 'functional teat swedish', 'variation map', 'estimate production meat', 'reliable mean map', 'age second stage', 'dairy cattle herd', 'gwas fatty acid', 'em localized different', 'reduced median network', 'bta3 bta6 bta9', 'trim14 nan clta', 'marker indicate snp', 'sh3pxd2b hmga2 msrb3', 'cause complex', 'death inducing', 'line relaxed qtl', 'growth factor fgf8', 'porcine lep', 'breed chicken interval', 'total 17', 'tata independent', 'disease qtl influencing', 'mastitis observed', '12 removal parity', 'selection hold great', 'composition persistency', 'analysis estimation', 'pig identify quantitative', 'gene important effect', 'sire result', 'wide mapping using', 'regression based', 'associated increase', 'ng data 11', 'associated feed intake', 'gene sequenced total', 'family 690k', 'cutaneous malignant melanoma', 'cwt varied', 'exposure human', 'secretion gilt prepubertal', 'infection poultry health', 'region chromosome previously', 'larger bw70 lower', 'genotype identify', 'frequently affect dairy', 'acox3 mecr adam12', '4e number', 'showed geographical', 'receptor ahr', 'similar breed', 'investigated decr1 me1', 'original body', 'glycine codon', 'previously lentiviral', 'genetically modified', 'line possible eliminate', 'genomic location chromosome', 'significant association firmness', 'susceptibility nineteen', 'trait bearing', 'associated reduced fertility', 'conclusions significance', 'decade japanese black', 'bovinesnp50 beadchip corresponded', 'control total 41', 'resistance nematode parasite', 'rib ssc15 54', 'egg mapped chromosome', 'correlation liver', 'observed sow compared', 'dominant model strong', 'causative variant underlying', 'correlation structure defined', 'test bonferroni correction', 'ssc genotypic', 'rfi defined difference', 'muscle associated trait', 'cie ssc6', 'pig cnvrs', 'significant broad', 'earlobe provide new', 'histocompatability complex mhc', 'using haley', 'located ssc2 f2', 'lea qtl estimated', 'tbg carcass trait', '52 10', 'favorable role', 'approach aflp mapping', 'notably muscle', 'scan analysis', 'vacaria heterozygote higher', 'imputation region flank', 'health qtl', 'motility velocity percentage', 'examined include', '52 candidate', 'sheep available 50k', 'pig health', 'efficiency jointly determined', 'ewsr1 map3k11', 'location function', 'nyap2 zinc finger', '70 age measured', 'clinical mastitis inflammation', 'age nematodirus', 'showed statistically', 'acsl4 exception qtl', 'negative influence', '20 time phi', 'platform 57', 'obtained crossing nematode', 'required elucidate biological', 'variant associated egg', 'genotyped high throughput', 'suet fat', 'family 245 bird', 'mutation v371m frequency', 'combination snp2', 'white french', 'helpful understand genetic', 'confirming opportunity marker', 'qtl original', 'weight bmw', 'snp data previous', 'interestingly snp located', 'breed genotyped', 'important role modulation', 'phosphatase dusp6', 'qtl withers', 'underlying economically', 'whc previously evidenced', 'china analyzed dataset', 'objective purpose study', 'bms4513 rm137', 'strategy based', 'furthermore evidence qtl', 'tropical environment difference', 'enhanced growth rate', 'transcript characteristic', 'regulator post', 'important quantitative', 'characteristic meat milk', 'retp metr', 'effect female reproduction', 'porcine lipid metabolism', '05 leaf fat', 'snp result seven', 'investigated trait', 'south american sheep', 'control total 30', 'using 250', 'vitro adhesion', 'growth trait correlated', 'metabolism qtl influencing', 'qtls ssc 13', 'fragment analysis lei0258', '63 significant region', 'association 18 unique', 'maturation chicken', 'particular poor riboflavin', 'iowa state', 'carcass chemical composition', '30 gestation', 'locus complete', '012 respectively higher', 'girth 489', 'monounsaturated polyunsaturated total', 'significant effect tenderness', 'design fat yield', 'measured 24 slaughter', 'f1 individual genotyped', 'revealed 21 snp', 'suggest presence qtl', 'repeat indel isu', 'snp mapping', 'detected using statistical', 'later parity', 'ssc12 cie ssc16', 'opn level', 'variance commercial hanwoo', 'identifying information 276', 'bal w2cl', 'hormone associated', 'bracket fabp4snp2774c fabp4_μsat3237', 'evolution sexual ornament', 'bcdo2 locus', 'genotype identified frequency', 'affect fertility trait', 'cattle industry blv', 'hematological parameter detected', 'linkage disequilibrium study', 'faecal nematode', 'duroc 99', 'haplotype information linked', 'used tool', 'promoter analysed', 'traced whirlhill', 'region flank', 'f1 f0', 'group familiar unfamiliar', 'german draft horse', 'pparα slc5a1', 'snp ssc6 149876737', 'heritability mapping approach', 'develop implement', 'significantly associated mastitis', '221 cm novel', 'birth weaning later', 'chromosome ssc4', '16 genetic marker', 'joint data detected', 'disease podotrochlosis main', 'snp tph2', 'qtl single marker', 'evidence association 05', 'request breeding', '84 candidate gene', 'reducing disease', 'material line', 'microsatellites bm1227', 'mir 1596 genotype', 'map qtls affecting', 'result demonstrate rs400827589', 'result family', 'variance explained region', 'genotyped 125 marker', 'genuinely affecting', 'qtl missing', 'trait bta04', 'tibiotarsal humeral', 'univariate multivariate', 'yield hind', 'polymorphism chromosome 104', 'concentration measured', '05 substitution', 'egg quality defect', 'aa substitution candidate', 'intercross recently', 'anxa10 cause', 'gene polymorphism promoter', 'identifying gene affecting', 'prkag3 causative gene', 'background current trend', 'enhanced estimated breeding', 'peptide genetic', 'alpha acaca tested', 'associated hcr artificial', 'strength genetic phenotypic', 'differentially wired dw', 'qtl pair conclusion', 'bovine result revealed', 'ebv health', 'pqtdt 68', 'ewe analysed', 'candidate gene calpastatin', 'class phenotype', 'landrace backcross order', 'longissimus lumborum mll', 'effect observed tested', 'identification link genetic', 'population gushi chicken', 'lad1 putatively influence', 'candidate recent', 'allele increased lean', 'rapidly increasing', 'bta13 stage poorly', 'increase marker', 'strong association bw', 'indicate commonly', 'promoter element piii', 'centromere data used', 'association testing', 'divergent breed require', 'major milk protein', 'genotype linkage mapping', 'industry nearly', 'detected large study', '1252 hen', 'monte carlo method', 'total 435 chinese', 'analysis snp assigned', 'included 144 progeny', 'salmonella displaying disease', 'aquaculture improvement growth', 'mb surrounding', 'h2h6 h6h6', 'analysis lamb', 'sex effect', 'taurus improving program', 'important role regulation', 'maintenance production', 'measured second shearing', 'week developmental', 'tenderness juiciness oiliness', 'closer pathological threshold', 'imnprh212000rad radiation hybrid', 'genotyped massarray matrix', 'seventeen identified', 'associated difference rump', 'displayed polymorphism', 'coding exon', 'varied depending qtl', 'approach applied interval', 'ssc7 ssc8 ssc9', 'identify major qtl', 'region encoded', 'random effect new', 'mapped chromosome interval', 'programme result mucin', 'existence complete', 'harboring interesting', 'region suggests fairly', 'chromosome oar 12', '41 nominally associated', '760 239', 'value genotype', 'indicate important', 'effect daily', 'parent 234 bc1', 'pft longevity fy', 'age class beginning', 'independently common', 'milk related', 'decreased ascites', 'sma method', 'target trait genotyping', 'manitoba university alberta', 'trait closer', 'ssc7 qtl 10th', 'variant coding region', 'standard snp array', 'snp studied trait', 'qtl linkage map', 'elimination host cell', 'associated riboflavin content', 'fumigatus raspf7', 'high economic', 'identified moderate', 'score respectively snp', 'weight fat thickness', 'litter important trait', 'suppressive herpes', 'conceive piglet compared', 'trait data used', 'ltn rtn absolute', 'count ssc2', 'cc pig', 'fabp yielding', 'model used afc', 'nce7 001', 'fecundity assessed reproductive', 'mineral composition milk', 'layer bird', 'snp rs42518459 bta3', 'individual 518 203', 'undertaken using bayesian', 'weight suggesting', 'bacteria interact host', 'colour evident qtl', 'analysis longissimus lumborum', 'showed significant snp', 'snp longissimus', 'stillborn stillp', 'lipid content explain', 'tcf12 201 65', 'maternal pelvic', 'capacity composite', 'weight rib bft', 'kbps region contained', 'chromosome ovis', 'cdna sequence buffalo', 'seven snp located', 'hypothesis genetic association', 'mhc located microchromosome', 'ci 124 128', '21 23 24', 'cnv12 adjacent', 'production poultry industry', 'genome scan fertility', 'differ substantially allele', 'dam breed composition', 'fn298674 90t', 'gwas 20', 'disease resistance avian', 'eye bilateral', 'sigma 0003 cast', 'significant qtl ph24', 'performed separately', 'potentially associated muscle', 'group approximately 190', 'method allowing simultaneous', 'need validated independent', 'melanoma melim', 'cac calpain', 'concentration 45 190', 'map infection status', 'density lipoprotein binding', 'island polled animal', 'validated 54 qtl', 'functionality protein coding', 'apart snp', 'strain revealed significant', 'ssc1 87 cm', 'prior vaccination', 'information rank', 'qtl effect fat', 'gene individual snp1', 'common genome', 'including 30', 'provide clearer', 'locus containing candidate', 'nearby qtl important', 'emission cattle', 'nucleotide metabolism', 'performed using single', 'growth animal', 'highlight underlying genetic', 'lead identification putative', 'animal material analyzed', 'porcine decr1 me1', 'mapping porcine chromosome', 'chicken chest body', '62 animal high', 'bta accounted snp', 'data identified', 'genotyping increased number', '6911 marker subsequent', 'locus located independent', 'acat2 igf1 enrichment', 'warmblood horse genotyping', 'zebu breed potential', 'position 50 cm', '05 diplotypes', 'chicken data applicable', 'analyzed avai cleavage', 'oxtr htr2c drd1', 'crucial effect body', '33 05 marb', 'stratified structure', 'detected qtl area', 'ankyrin gene', 'ssc17 fine', 'oar3 result strongly', 'growth fatness confirmed', '05 mutation', 'mutation failed', 'g93a identified', 'distal end sus', '49 day', 'analyze age egg', 'result showed high', 'information analysis', 'background maternal', 'frequency weak', 'marker evaluated', 'detected comparison wise', 'sequence intron', 'ease service sire', 'total 54 342', 'indicated c34t', 'western diet milk', '20 23 26', 'trait internal organ', 'qtl analysis clinical', 'applied disentangle genetic', 'cell score snp', 'influencing milk production', 'rate genotyped effort', 'tmem154 gene', 'cofactor atgl stimulating', 'qtldb database', 'successfully located bos', 'wood model considered', 'oar3 marker', 'dna binding', 'genetic covariance', 'production trait snp', 'novel promising', 'study multi', 'screening 129 ayrshire', 'disequilibrium distance', 'animal qtl', '23 26 27', 'particular region', 'rs132865003 rs134340637 rs41919992', 'elongase elovl6', 'similar breed specific', '17 04', 'specific muscle result', 'egg type', 'backfat qtl', 'immune capacity disease', 'controlled multiple gene', 'trait following', 'boscc identify quantitative', '68 528 snp', 'susceptibility swine', 'type fatty acid', 'aaa caa greater', 'gabra6 genomic', 'total 12 10', 'e4 37', 'm3 line comparisonwise', 'population homozygous', 'located chromosome identified', 'set increased', 'form genetic basis', 'yorkshire used conduct', 'capn1 snp diagnostics', 'conducted genome', 'cdna share', '181 large', 'hypothesis single qtl', 'recently described', 'founder grandparental animal', 'qtls gene', 'white animal', 'homozygote genotype higher', 'lm qtl reported', 'percentage fy fat', 'allowed confirm', 'depth maximum', 'region chromosome equus', 'confirmed importance adipocytokine', 'map qtl half', 'meishan white', 'observed result support', 'ovine mstn', 'parasite ectoparasitic', 'protein le', 'body development mentioned', 'snp array restriction', 'defined distribution intramuscular', 'evaluated milk', 'scd circulating', 'use finnish landrace', 'gin disease', 'line cross regression', 'succinyl coa substrate', 'effect major', 'snp located 12', 'linkage disequilibrium igf2', 'groundwork unraveling', 'sharp peak', 'dispersion staple', 'diplotype highest bwg', 'wide significant 01', 'gene complement activity', 'dust including mould', 'association significant 2571', '36 387 snp', 'intake published', 'ld decreased distance', 'bfgl ngs 2399', 'protein anxa9 fatty', 'total lipid allele', 'age en age', 'livestock economically important', 'obesity combining expression', 'haplotype current', 'lot generation outbred', 'identified contribute', 'activity vitro using', 'effect fy', 'tissue varied animal', 'fat rs315831750 05', 'non convergence', 'significantly higher case', 'carrier animal prevent', 'allele generally', 'protein composition protein', 'population genotyped illumina', 'replicated significant linkage', 'ssc12 meat quality', 'testing animal fe', 'variation 148 snp', 'lsy npd', 'expression placentomes', 'population basis successful', '41 validated', 'identified sult1a1', 'combined previously reported', 'containing bovine', 'mechanism hematological', 'erhualian cross mapped', '1963 2014', '65 14 mb', 'imputation genome sequence', 'trait locus performed', 'region 10 mb', 'threshold region bos', 'pig herewith investigated', 'sscx carried', 'showing moderate', 'japanese wild', 'foundation studying', 'detected fm', 'value dopamine receptor', 'marker described study', 'response challenge intestinal', 'bta18 possible', 'performed date objective', 'cow spread 25', 'associated ifc', 'fat bta5', 'ninth marker bracket', 'fat yield chromosome', 'chromosome harbor', 'genetic variance 22', 'marker spanned entire', 'detected qtl effect', '12 general comparison', 'combined probability', 'refseq gene', 'gene reported', 'finding provide new', 'qtl improve knowledge', 'gene pam slco4c1', 'open rs109663724', 'affecting leg weakness', 'month polymerase chain', 'homozygous wl', 'environmental exposure', 'genotyped imputed', 'tested bull prim', 'associated muscling', 'development primary follicle', 'pattern prme pre', 'environmental region significantly', 'gene acsm5 crot', 'reproductive longevity utilized', 'dissection complex', 'downregulated known', 'joint separate', 'flanking region scrapie', 'contrast enrichment analysis', 'cost production feed', 'showed significant value', 'gene gas1', '13 27 phenotypic', 'genetic mastitis resistance', 'suggestive snp region', 'thoroughbred relatively recent', 'disease disease severity', 'trait selected using', 'using white duroc', 'qtl peak defined', 'snp rs80805264', 'like odour affecting', 'fertility animal', 'tissue consistent', 'herc2 map3k', 'estrogen receptor growth', 'population discovered missense', 'disorder present human', 'qtl directly exploited', 'stage sum', 'grin1 gabrb2', 'intron published', 'focused bmp7', 'mnb 209', 'prediction accuracy observed', 'lung lowest', 'group located genomic', 'model addition', '321 animal', 'milk urea lactose', 'using 275 romane', 'my250 trait estimated', 'population contrast', 'significant lod 51', 'analysed individually additionally', 'bcrp belongs', 'scan ovine chromosome', 'bms490 eth10 chromosome', '30 20 chromosomal', '150 ai', 'german fleckvieh holstein', 'selection process contributed', 'bioinformatic analysis', 'block high', 'search epistatic', 'qtl explains difference', 'recombination event silv', 'fimbria major', 'hungarian simmental bull', 'mpdz represent', 'scrotal circumference snp', '14 associated', 'determined component', 'total seven single', 'associated ldl concentration', 'increasing second', 'loss heat loss', 'value debvs', 'nematode resistance oar3', 'effect resulted 159', 'trait enrichment term', 'btax loc520057 gria3', 'accounting 17', 'trait mon hol', 'adipose tissue ga', 'critical value used', 'prkag3 fasn cast', '19 genetic', 'different oc', '61 microsatellite', 'pt adjacent', 'suggestive qtl dpr', 'concept determined', 'perineum region respectively', 'mediates effect', 'trait locus position', 'detailed understanding gene', 'ectopic expression porcine', 'location 231', 'marker qtl ssc3', 'schreb decreased', 'genbank dq494488 dq494490', 'farming specie temperate', 'carried map causal', 'defined marker pde4b', 'elucidate molecular basis', 'underlying locus affect', 'test led identification', 'igf2 wild', 'region responsible', 'scan conducted 18', 'imf producing', 'underlying major qtl', 'different underlying', 'syndrome virus prrsv', 'variation exterior', 'ph ssc1', 'generation performed fp', 'derived bac containing', 'effect number', 'related behavioral trait', 'technique qtl', 'mutant ube3b', '15 chromosome leucocyte', 'effect ilsts098', 'cstf1 c20orf43', 'resistance identified genomic', 'suggests polymorphism gene', 'cm sc', 'f2 charolais german', '24 qtl explains', 'zero ppn0 90', 'detected significantly', 'main effect 13', 'percent 44 significant', '38 sd 33', 'effect nba gene', 'model kcnb1 93x10', 'inorganic anion transport', 'appropriate approach characterization', 'size flanking', 'f2 offspring evaluated', 'objective average daily', 'control bull', 'using commercial pig', '16 chromosome wide', 'chicken 321 314', 'sfa content intramuscular', 'contributes better', 'demonstrating importance', 'alternative designed', 'regressed coefficient interval', 'smn1 candidate gene', 'hair blood sample', 'decreased threshold', 'candidate gene derive', 'progeny 12', 'area observed 05', 'unfavourably genetically', 'linkage brd bta2', 'ay568628 pcr rflp', 'infrared spectroscopy', 'regarded putative', 'trait phenotype', 'ultrasound backfat 83', 'variation muscle fiber', 'transporter abcg2 known', 'complex trait economic', 'facilitate genetic', 'chromosome conclusion', 'suggested qtl', 'affecting gizzard weight', 'intercross landrace korean', 'association located bta6', 'adding estimated', 'ef hand significant', 'pattern heterochromia iridis', 'significantly associated nematode', 'architecture beef', '882 ch snp', 'fast growing broiler', 'high ne', 'concern industry', '570 712', 'cattle improving', 'design milk', 'fibre property ante', 'force steer', 'nearby gene hd', 'additive effect average', 'colonization 61', 'content somatic cell', 'eca 16', 'marker interval test', 'protein variant', 'autosome bta6', 'phenotypic effect dairy', 'key regulatory gene', 'difficult measure', 'resistance handful non', 'mechanistic understanding', 'showed balancing', 'width cw', 'high hg low', 'genome identify quantitative', 'ss61514555 showed association', 'austria switzerland animal', 'study 16 family', '167 262', 'total glycogen residual', 'lepr snp', 'qtl identified parameter', 'trait conclusion strong', '498 401', 'force sf myofibrillar', 'lei0071 identified', 'kitlg cadm2', 'plw polish', 'pork better', 'component pgrmc2 gene', 'growth commercial broiler', 'competitive riding ensure', '16 06 present', '16 significant', 'order marker', 'incidence mastitis gene', 'female reduced', 'needle sharing', 'snp illumina', 'allowed confirm qtl', 'ratio meat', 'affecting mean fiber', 'qtl pressure', 'generated growth stage', 'domain itih', '23 conducted', 'important component efficient', 'scrapie incubation', 'trait conducting', 'bw 36', 'covariate fitting', 'difference meat', 'called vacaria', 'analysis resided', 'gene showed significant', 'hg low', 'milk secretion activity', 'comparative sequencing', 'level 175 ng', 'intake important component', 'sample snp negligible', 'scan linkage', 'german animal', 'sequence associated phenotype', 'pathway gene network', 'acid metabolism fatty', 'evaluated effect reproductive', '878bp 398', 'representative snp illinois', 'bigger sample size', 'similar result multibreed', 'breed experiment', 'nonparametric genetic', 'including peak', 'curve treated phenotype', 'seven genetic', 'synthase fasn genotyped', 'regulatory element', 'contribution bone', 'insertion genotype adipoq', 'length using', 'association study dna', 'dna 510', 'mc5r cd83 responsible', 'cc cd dd', 'steer series lack', 'significantly associated egg', 'f10 generation', 'weak evidence fe', '45 sheep breed', 'implementation breeding strategy', 'ssc5 ssc6', '18 support', 'qtl 750', 'affected sib', 'mff bootstrapping', 'centromere near', 'prolificacy major mutation', 'higher total', 'better characterization snp', 'susceptibility footrot linkage', 'cow genetic parameter', 'concentrate based diet', 'identified premature', 'production decreasing', 'gene 45 tfs', 'snp60 beadchip', 'qtl point mcm6', 'calving lifespan cow', 'qtl effective ma', 'plag1 chchd7 intergenic', 'gene rhm', 'identification qtl', 'qtl population explaining', 'selection conducted', 'position explained 10', 'ptosis intellectual disability', 'frequency snp plus', 'candidate gene determining', 'total ige', 'result trial', 'kb considering', 'immunity factor regulate', 'resistance challenged', 'complex concept determined', 'gene f₂', 'beadchip identified', 'holstein normande montbéliarde', 'human contamination', 'value threshold', 'genetic relationship androstenone', 'expression liver', 'significant association gain', 'understanding genetics ibk', 'gene trait erhualian', 'candidacy growth carcass', '135 crossbred', 'content criticized', 'hen phenotyped feather', 'response criterion mapped', 'gene finally', 'mrmlm fast', 'adipogenic nature', 'particularly uoi', 'multiple snp relevantly', 'subsequent human contamination', 'productivity sow productive', 'thickness daily', 'fish kg harvest', 'rhm confirmed effect', 'trait prkag3', 'mbl mbl characterized', 'containing allele artificial', 'bootstrapping enrichment', 'lepr gene variant', 'age evidence', 'family 903 texel', 'snp provide new', 'persistent infection', 'nineteen significant', 'prolificacy homozygous state', 'acsm5 promoter region', 'study detected age', 'fixed effect snp', 'percent protein', 'development protein synthesis', 'iga serum pepsinogen', 'sequence variant candidate', 'true qtl underlie', 'growth trait using', 'mutation accounting largest', 'du velay nv', '0231 finally', 'inflammatory response test', 'sod2 mc5r', 'line earlier', 'scheme larger', 'ssc14 relative area', 'wt 99 cm', 'fatness chromosome', 'associated texture score', 'available importantly meat', 'faecal culture large', 'intake given', 'bta6 37', 'agg showed higher', 'conclusion using', 'white egg', 'population limited genotyping', 'region imputed sequence', 'cell igg2', 'bone quality identified', '150 435a 447', '18 21 snp', 'male white plymouth', 'so2 glucose genome', 'holding capacity pork', 'association study affected', 'new robust', 'subunit prkag3', 'growth rate correlated', 'content independent validation', '82 candidate', 'anchored high', 'dq474068 genbank dq494488', '14 ssc', 'pla2g10 rad51c birc6', 'segregating swine', 'mstn genotype', 'procedure efficient', 'ccr2 ass potential', 'prevent ovlv', 'metabolism study evaluated', 'upstream regulator relevant', 'resistance cattle objective', 'breed bird intercrossed', 'determination sc', 'insemination station bull', 'milk sample association', 'hspa5 ptprm nup88', 'analysis genome qtl', 'snp synonymous mutation', '08 13 indicates', 'regulating horn growth', '505 cm', 'dc horse chromosome', 'phkg1 gene encodes', 'deposited seven', 'effect identification snp', 'glm compressed mixed', 'ssc2 ssc', 'level snp significantly', 'complex trait furthermore', 'composition muscle', '985 large', 'gene high polymorphism', 'parity evaluated separately', 'track inheritance', 'yield 79 greater', 'body weight trait', 'effect mrna expression', 'burden addition understanding', 'denaturing gradient gel', 'lp significant', 'selection effort', 'control set significant', 'study provides preliminary', 'effect il', 'early component', 'associated 10 genetic', 'snp17 associated juiciness', 'regulation appetite nesfatin', 'ube3b pirm', 'breed association allelic', 'located near leptin', '18 269', 'low moderate slope', 'broiler characterise', 'major cause mortality', 'recorded pleurisy', 'finding study http', 'trait distinguished', '16 compared previously', 'diabetes economic', 'good functional candidate', 'mapped largest number', 'ttn sus scrofa', 'compressor like lcorl', 'ratio fcr intake', 'trait genetic', 'platelet function', 'earlier finding', 'carrying insag insag', 'objective study later', 'elongation long', 'identified beef breed', 'gwa analysis result', 'anxa10 maternal factor', 'pony cob', 'sweden identify genomic', 'polygenic nature purpose', 'autosomal qtl', 'presence 12', 'array 600', 'mapping project implemented', 'used utilized qtl', 'backfat muscle longissimus', 'resource flock', 'allele pietrain', '720 informative', 'subsequently strong', 'country le', 'test shearing', 'chest girth chest', '338 charollais', 'significant difference total', 'background lymphocyte act', 'gene expression study', 'kleiber ratio', 'segregating ib', 'strong favourable', 'enriched kegg', 'observed allele risk', 'association test marker', 'bta bta7', 'concentration north', 'del belice', 'non parametric', 'sc snp annotated', 'promotes efficiency', 'suggests role apoptosis', 'associated medium', 'content promising haplotype', 'qtl located oar6', 'rankl adamts', 'etec f4ac governed', 'performed breed', 'bta20 passive', 'previously described method', 'chicken genome using', 'candidate use genomic', 'snp association analysis', 'veterinary expert equine', 'bta peak', 'mean backfat thickness', 'number stillborn stillp', 'human based', 'hormone beta polypeptide', 'sw581 seven', 'position considerably', 'riboflavin content milk', 'promoter analyse', 'qtl associated non', 'including retained placenta', 'reported androstenone', 'rna regulate gene', 'effect increasing sc', 'cie ssc16', 'length polymorphism polymerase', 'dgat1 leptin receptor', 'chicken northeast agricultural', 'detected afw', 'mechanism cytokine signalling', 'potential genetics', 'generated using divergent', 'associated melanoma performed', 'confirmed single nucleotide', 'effort elucidate', 'variant in1', 'effect analysis', 'chromosome oar 20', 'performed date', 'range 21', 'affecting fitness', 'gg individual', 'equine developmental orthopaedic', 'map map employed', 'relatively low marker', 'taint undesirable', 'attention mammalian fetal', '299 s100t', 'significant snp effect', 'fixation coefficient', 'snp upstream region', '88 97 mb', 'animal resource flock', 'breeding objective', 'fat regulation', 'gene network network', 'orthologous imprinted', 'bta6 10 study', 'tetratricopeptide repeat domain', 'tested association milk', 'significant qtls meat', 'study using ovine', 'microsatellite marker mapping', 'unplaced contigs equcab', 'discovered number candidate', 'exactly matched pepsinogen', 'chick late', '68 nuclear', 'strong association genotype', 'similar pedigree snp', 'trotter horse carried', 'feeder ff', 'control adipose milk', 'intake layer particular', 'produced moderate', 'reported important', 'brown 10', 'gdf10 gene revealed', 'interaction effect discovered', 'primer designed according', 'fat milk yield', 'nesp55 gene epigenetically', 'qtl mutation', 'metastasis porcine', 'oc breed different', 'mutation valine', 'partitioning analysis indicated', 'bta18 bta20', 'biological pathway associated', 'difference skeletal', 'substitution stop codon', 'gene related body', '19 chromosome', '216 horse met', 'holstein friesian grandsires', 'environment herd', 'lgw spleen weight', 'mycobacterium avium subspecies', 'year birth', 'a2 saa2 gene', 'polytocous small tail', 'database chicken', '14 contains quantitative', 'inflammatory bowel', 'marker situated', 'relevance information muscle', 's58995 located', 'genome comparing', 'measured steer', 'subgroup analysis', 'genotype 2449gc', 'disequilibrium phase', 'indicates evaluated qtl', 'examined study', 'obtained university', 'tackle issue', 'correlation 99 003', 'paep mfge8', 'pig chromosome 10q', 'functional annotation revealed', 'great effect', 'trait affect carcass', 'concept bf', 'corresponding different fertility', 'pig sired', 'qtl resulting', 'cattle developed using', 'kilda proof principle', 'approach growth production', 'snp predictive value', 'region trait pb', 'breed highly', 'complementary method vaccination', 'significantly 05 different', 'addition identified promising', 'type beard', '60k chicken snp', 'cm association analysis', 'fat percentage narrowed', 'cg ca identified', 'findhap software', 'kg significant', 'known frequently suffer', 'cm resolution 22', 'map spanned', 'eating satisfaction', 'carcass leg', 'qtl segregating line', 'significant chi', 'exact test metabolic', '16 value 10', 'pelibuey sheep clstn2', 'infection provide', 'study suggests', 'recfat genomic', 'production season', 'boar taint breeding', 'msc association', 'pilot gwa', 'carrier ryr1', 'lod 78 located', 'sheep inherited polymorphism', 'snp untranslated', 'multiple comparison', 'composition adipose fat', 'providing excellent starting', 'phenotype probably involve', 'chromosome compared single', 'evidence association snp', 'objective purpose', 'regardless breed', 'eqtl coinciding qtl', 'ex11 1of ugdh', 'investigated decr1', 'selected carcass', 'pig productive', 'selection represents', 'regulating carcass', 'aiming uncovering genetic', 'chromosome second', 'month adg6 month', 'percentage leg', 'piglet sex percentage', 'incidence virus costly', 'model glmm', 'trait 56', 'sqsl1 dqsl2', 'fat1 region', 'fertility implemented based', 'higher level', 'male calf 12', 'investigating individual epistatic', 'expression allele snp', 'plus neighbouring microsatellite', 'velay nv', 'smaller described earlier', 'ap haplotype', 'domestication chicken', 'gene opn', 'tall fescue used', 'response mastitis btas', 'understanding vertebrate skeletal', 'region eca hm', 'population physiological trait', 'connecting genome', 'finding genotyped illumina', 'plumage color result', 'associated dietary', 'study discovering qtl', 'f1 male 05', 'genotype rt rr', 'population single nucleotide', 'trait successful', 'variant affecting', 'mapping red', 'polygenic background', 'ssc12 significantly associated', 'bp lg', 'interleukin 10 il', 'purebred duroc population', 'suggest application sequence', 'phenotype dense marker', 'determined linear', 'gene examine', 'test lifetime', 'bnip3 myct1 related', 'difference homozygote', 'gene corticotropin', 'beef steer total', 'scan holstein charolais', 'test location cm', 'qtl analysis skeletal', 'white thinning production', 'bull 45', 'using significance', 'mt successfully validated', 'controlled 10', 'progeny identified', 'residue wdr83', 'sire family 2978', 'completely depigmented', 'method multibreed', 'genetics body conformation', 'ease gene', 'bmd pqct', 'date genome investigation', 'pp cm', 'line used define', 'environmental factor linked', 'gene experimental knp', 'genetic covariate', 'population included', 'detected qtl intramuscular', 'breed analysis', '1839 amino', 'snp detected 5239c', 'additive effect snp', 'fetus assessed viral', 'variant affect', 'studied causal', 'sd minolta respectively', 'estimated single', 'porcine myod1 gene', 'disease resistance mapped', 'polymorphism localized 660', 'yr phenotypic', 'qtls described', 'fertility 95', 'affecting palmitic', 'poor tissue', 'ass role', 'mmp2 gene', 'wide scan performed', 'population 592 beef', '62 nve', 'associated maternal effect', 'measure water', '01 bwt', 'study gwas 704', 'age body weight', 'beadchip 50 972', 'carrier male toughness', 'texel sheep litter', 'analysis using snp', 'focussed improving', 'population result obtained', 'leucocyte number leu', 'mapping resolution qtl', 'polymorphism prdm16 gene', 'needed reproductive prrs', 'normal horn scurs', 'berkshire grandsires yorkshire', 'breeding candidate recent', 'assign weight snp', 'erythroid trait qtl', '190 million 63', 'significant effect twinning', '99 sequence identity', 'psmc1 gene qinchuan', 'canadian research herd', 'mechanism underlie', 'increased indirect', 'dry season suggestive', 'major quantitative', 'directional selection antagonistic', 'distinct gene development', 'metabolic pathway retinol', '214 cow', 'biological role quantitative', 'canadian research', 'additional modeling paternal', 'dif copy vrtn', 'cause aim study', '24 30 observed', '47 54', 'body mass trait', 'month year', 'udder identified', 'snp eca3', 'factor anxious factor', 'biosynthesis metabolism androstenone', 'ranging adjusted', 'family genotyped 51', 'region affect scrapie', 'autosome bta13', 'production trait reciprocal', 'significant qtls', 'altered protein lacking', 'genotyping snp', 'refine putative', 'identification underlying polymorphism', 'affecting muscle', 'holstein known world', 'unselected trait using', 'study maternal', 'data used included', 'sheep milk', 'locus associated hcr', 'locus 82', 'pig aa genotype', 'underlie variety medical', '14 20 qtl', 'haplotype encompassing fasn', '000 600', 'gene 37', 'determine cow', 'technology ray', 'compared model', 'calving ease bta15', 'combined effect', 'expected simple explanation', 'pigmentation surrounding', 'qtl region gene', 'sperm motility mo', 'ghr 279phe used', 'fibre diameter 444g', 'studying gene', 'pcr amplicons range', 'population 46 81', 'health disease study', 'lactation lactation confirm', 'approach present', 'contribute internal organ', 'present different chromosome', 'period compared association', 'tnb compared single', 'metabolism position', 'carrying tm', 'resource population indication', 'ibmap especially', 'bac fingerprint map', 'jersey cattle candidate', 'vegfa hematopoiesis mafb', 'cell padmscs investigate', 'suggestive 10', 'wwt yearling weight', 'difference associated high', 'french yorkshire', 'ssc15 fat content', 'performed fto', 'diego ca revealing', 'allele absent', 'similar position odc', 'spanish purebred horse', '20 cm 10', 'number additional', 'spot defect paper', 'nominal log10p', 'number qtl 57', 'mutation casein', 'snp ssc5', 'angus cattle result', 'chosen candidate qtl', 'broiler identify', 'possible pairwise epistases', 'respectively expected', 'codominant inheritance frequency', 'autosome used genotype', 'index composite likelihood', 'combining linkage linkage', 'obtained using', 'detected fwec haematocrit', 'affecting calving conformation', 'august september october', 'revealed mutation event', 'basis molecular mechanism', 'variance thoracic', 'trait linkage analysis', 'mouse cattle suggested', 'validated based', 'nlrp12 identified', 'locus enhanced power', 'caprylic acid', 'data unable', 'hatch gender half', 'traditional mcp new', 'anxa10 association', 'showed substantial proportion', 'bayesian variable', 'detect qtl population', 'encompassing complete coding', 'occur period', 'h2 increased', 'rate parameter', 'dmi qtl chromosome', 'influenced disease described', 'edn3 bmp7 associated', 'selection unaffected', 'significantly higher level', 'position qtl using', 'different mendelian', 'wise threshold allele', 'psma4 fto adck5', 'haplotype h1 2449g', 'brd qtls israeli', 'case control design', 'including promoter regulatory', 'study backfat', 'locus explained', 'objective present', 'variation abhd5 affect', '16 milk yield', 'considered regulator', 'reported fertile', 'slc22a5 il', 'trait wise error', 'breed representative', 'lw marker', 'hypothesis parasite resistance', 'pcp initially', 'evidence fe qtl', 'respectively btb', 'vicinity rm188 ld', 'ai sire', '18 desaturating stearic', 'lactation 272 kg', 'influence beta lactoglobulin', 'abundant compared low', 'near genomic', 'locus qtl endocrine', 'fine mapped fa', 'pig result depended', 'variant mstn associated', 'large scale information', 'formation myeloid cell', '05 rs13687128', '016 tended associated', 'gene dio3 female', 'genome 80 identified', 'goiás march', 'method ebv', 'possible total', 'control variant', 'shape function', 'efficiency important litter', 'using weight', 'ssc8 ssc11 ssc13', 'focused genetic', 'identified bta23 value', 'prrs genetic basis', 'associated fads2', 'chicken genotype phenotype', 'indicate anxa10 maternal', 'association analysis selected', 'holstein fleckvieh', 'containing length', 'casp2 ripki domain', 'tcf12 200 300', 'scan identify quantitative', 'different line including', 'chain echs1 enoyl', 'informative selection', 'boar identified', 'acop used', 'carcass weight bta', 'positional comparative', 'selected juvenile', 'different meat', 'reported associated pigmentation', 'flexible genetic model', 'trait reported', 'gene cdkn2a cdk4', 'peak flavour', 'demonstrated csrp3', 'min ltl ph', 'malignant cell', 'range tissue', '32 phenotypic', 'vitro adhesion phenotype', 'confidence possible', 'herc6 ibsp spp1', 'respectively excluded', 'ssc12 meat', 'improvement pork', 'independent signal ultimately', 'statistic derived comparison', 'fine map qtl', 'allelic effect sample', 'bw result', 'gene metabolic', 'sampled terminal', '25 26 autosome', 'historical geographical', 'bodyweight gain highest', 'program support', 'genomic variation ttn', '132 cm affect', 'consistent milk yield', 'essential role mitochondrial', 'f2 crossbred', 'suggestive difference observed', 'useful resource subsequent', 'restriction site endonuclease', '624 800 single', 'ibsp mepe particular', 'sequence major determinant', 'conducted angus', 'gga1 regression', 'association study quantitative', 'gwas result revealed', 'mcw0106 explained', 'studied large holstein', 'previous gwas demonstrate', 'chicken population conclusion', 'weight bw shank', 'magnitude lower effect', 'rate 56 day', 'cortisol 30 ile265val', 'tested showed insertion', 'improving important porcine', 'hcr1 gwaa compared', 'crim1 rxfp2', 'mapping defined qtl', 'effect compression combined', 'multiple biological', 'locus chromosome 20', 'observed backfat', 'identified qtl tenderness', 'considering similarity', 'genomic region functional', 'calpain capn3 thyroglobulin', '278a located upstream', '12 snp echs1', 'mastitis included', 'heritability mapping rhm', 'addition expression maml3', '0023 muscle color', 'group snp', 'network analysis revealed', 'chromosome 19 genotyped', 'identify gene polymorphism', 'gas chromatography subject', 'highly concordant set', 'cow udder identified', 'pc explained 42', 'content finding', 'practice breeding strategy', 'high inter', 'tibetan sheep', 'quality based association', 'incidence clinical mastitis', 'sheath irs matrix', 'genotype considered contrast', 'connective tissue component', 'swine population chromosomal', 'family based', 'intestinal receptor specific', 'area rfa musculus', 'addition total', 'mineral balance transportation', 'resulted nonsense', 'confirm bcwd resistance', 'phenotype linkage', 'dopamine receptor', 'protein kinase gene', 'dik8042 dik8044 indicating', 'control population physiological', 'phenotype data used', 'gene affecting heifer', 'trait small', 'day ai allowed', 'furthermore data', 'qtl detected single', 'segregated family', 'current population 300', 'approximately 20 earlier', 'significantly reduced', 'demonstrate time occurrence', 'polymorphism region sequenced', 'temperament related trait', 'gene involved function', 'intron nup210 close', 'snp 29 mb', 'adjusted weaning weight', 'arhgap24 cytoplasmic polyadenylation', 'data holstein cattle', 'gene associated entropion', 'population imprinting effect', 'decr1 genetic covariate', 'marker ssc7 qtl', 'pleuropneumoniae serotype', 'range essential sustain', 'mass chromosome subsequently', 'area ssc', 'phenotype fat', 'dairy cattle use', '536 gene mb', 'duroc pig f2', 'perform marker assisted', 'based winter summer', 'clarified unclear observed', 'npl non', 'sib family trait', 'validation qtl interval', 'detected breed suggesting', 'beadchip result', 'mmp2 mapped', 'cattle bovine', 'eicosadienoic acid', 'tnp1 gene bioinformatics', 'appropriate approach accelerate', 'including ncapg arrdc3', 'analysis blood spot', 'additive genotypic', 'trait pig number', 'covering 30', 'width total', 'human fertility', 'gene large white', 'gene prox2 fo', 'using gdf8 snp', 'comparative mapping method', 'reached control', '059 219', 'scd mrna expression', 'candidate gene notch2', 'lysine demethylase 6b', 'crossbreds different qtl', '16 strongly associated', '180 microsatellite marker', 'yield identified 0001', '47 phenotypic standard', 'sow described', 'averaging procedure', 'mt genome', 'striated muscle single', 'partly new', '12q23 located chr', 'identified white duroc', 'studied domesticates including', 'substitution effect 05', 'possible strategy controlling', 'significance qtl including', 'bovis causative', 'represented gene', 'bta14 91 10', 'backcross holstein charolais', 'revealed novel snp', 'using daughter design', '47 casein percentage', 'akt1 supernumerary', '10 chromosome region', 'reproductive related', 'cell knowledge', 'oas1 ptpn11 snp', 'age egg', '1311t adrb2 synonymous', 'force value', 'rs13905622 strongly related', 'pork property including', 'qtl evaluate elovl6', 'dairy cattle included', 'china snp', 'useful meat', 'various role', 'trait ranged 36', 'chromatography used', '25316t utr frequency', 'obtained cdna promoter', 'age sheep', 'oar3 oar4', 'sheep independent', 'snp nucleotide substitution', 'control collected kunming', 'upregulated increasing', 'breed breed analysis', 'ram conclusion identified', 'sorcs2 gene', 'study explore potential', 'level follicle', 'study cloned cdna', 'infection oar12 snp', 'pig representing pig', 'hemocyanin klh detected', 'block 32', 'recombination genotyping started', 'gwas multi trait', 'sequencing experiment performed', 'using different diagnostic', 'horse symptom', 'gene identified affect', 'associated yield', '2002c snp lepr', 'intercross total', 'advocate learning', 'reproductive cycle', 'bta6 interval containing', 'haeiii forced', 'mm diameter mrna', 'lack routine', 'inflammation transmembrane transporter', 'associated age egg', 'associated variation trait', '10 different tissue', 'lightness shear force', 'simmental cattle breed', 'post immersion challenge', 'weight chromosome sw1856', 'cidec affect', '13 significant snp', 'use measure thermotolerance', 'likely causative', 'cattle signal', 'ornament model specie', '10 bw10', 'steer 220 genotyped', 'unrelated sire', 'influence behavioural activity', '18 27 20', '867 mb', 'complexity applying marker', 'ssc8 conductivity', 'int3 snp', 'qtl pof', 'variance trait explained', 'carcass backfat fgf8', 'showed snp specifically', 'objective result trial', 'depth effect', 'binding protein precursor', 'composition important agriculture', 'gene cftr ovgp1', 'different age gene', 'weight showed', 'shown additive', 'imputed 21 624', 'information future', 'ssc8 significant qtl', 'response including', 'breed age insemination', 'developed microsatellite marker', 'analyzed independent', 'regulate adipogenesis', 'friesian 927 charolais', 'established host resistance', 'analysis large', 'gga1 detected bivariate', 'significant association bwg', 'animal detect', 'strength shearing', 'linkage disequilibrium regression', 'determined bird experimentally', '440t 17122a', 'family trait', 'fat food producer', 'chromosome carcass trait', 'wg42 genomic ebv', 'genotype scored 18', 'qtl detected laboratory', 'associated tenthrib 02', 'associated meat productivity', 'cm marker tested', '400k equine', 'various specie demonstrated', 'growth rate identified', 'pinpointing trait associated', 'acceptor site intron', '1287 1036 dpr', 'critical developmental stage', 'unit non', 'npd wean conception', 'association polymorphism', 'low faecal', 'existed map joint', 'melanin id', '16 milk fatty', 'mutation charolais dc', 'force measurement tenderness', '16 service conception', 'inflammation immune response', 'related metabolic process', 'allele frequency lce', 'genotype thicker', 'deposition animal lower', 'chromosome total 16', 'depth chromosome 14', 'heifer method', '434 genetic', 'health reproduction', 'calf 385 heifer', 'role lepr gene', 'pattern qtl', 'snp ere identified', 'consideration total significant', 'study gwas represents', 'showing lesion', 'site elucidate association', 'gp intramuscular fat', 'gene boundary', 'identified number gallop', 'conclusion result demonstrate', 'parameter estimation', '1187 progeny commercial', 'harbored gga3 gga5', 'genetically unrelated yellow', 'structure change', 'affecting fatty', 'time pcr blood', 'breeding value somatic', 'number mummified foetus', 'region excluded requiring', 'snp phenylalanine isoleucine', 'trait usda', '011 haplotype h2', 'potential improve genetic', 'marbling water', 'conclude current industry', 'located haplotype', 'qtl question', 'divergently selected juvenile', 'alga0057985 chromosome 10', 'ssc2 confirmed', 'weight gga2', 'haplotype structure', 'feedlot 354 147', 'variant differ', 'porcine nr3c1 leading', 'cattle growth limited', 'logarithm value located', 'pfts predisposition', 'variation ovine', 'birds growth feed', 'remains obscure showed', 'bta 16 27', 'adrenal hypothalamus', 'qtl survival', 'holstein 649', 'region identified breed', 'montana tropical', 'fa composition purpose', 'gwas 600 scottish', 'recognised different set', 'seven snp significantly', 'variation mammary gland', 'trait cv', 'fl partially determined', '19 microsatellite marker', 'br2936 highly significant', 'short kb', 'missense mutation arg682his', 'c10 c12 c14', 'loin loin collected', 'cxcl8 kit', 'seven candidate gene', 'tagging snp association', 'performed production', 'measure level curve', 'specific time', 'response social separation', 'approach dissect af', 'tomography ct', 'backcross iberian landrace', 'qtl1 qtl2 region', 'sequenom san diego', 'alga0022658 59', 'adjusted 305', 'gws consistent candidate', 'population recent year', 'thickness bft', 'yielding dairy', 'incidence osteochondral lesion', 'rs133498277 rs41919984', 'depth comparison', 'trait breed', 'indicating mirnas', 'analysis qtl model', 'panel including novel', 'conducted weighted single', 'pleiotropic qtls', 'technological meat quality', 'pp used construct', 'conclusion confirmed', 'highly expressed mammary', 'composed cattle', '8227c allele', 'random genetic', 'polymorphism snp detected', 'susceptible lamb response', 'hepatocyte nuclear factor', 'harmful recessive', 'used multi', 'normalized value analyzed', 'significantly higher body', 'content likelihood detecting', 'human model', 'example haplotype explained', 'yield fpcm', 'identified tlr2 canadian', 'snp noncoding', 'androstenone candidate gene', 'candidate influencing', 'point 05', 'yield trait', 'sire statistical', 'animal including chemical', 'nuclear receptor subfamily', 'assessed chicken', 'pony cob analysis', 'resistance production', 'respectively general association', 'gene related male', 'chromosome oar 14', 'regime correcting fixed', 'used refine', 'viral subtypes', 'tanzania parallel', 'model regression grammar', '724 meat', 'conformation trait performance', 'ssc13 137', 'bta18 bta20 bta26', 'artificial challenge month', 'record 189', 'subunit capn1 calpastatin', 'resistance important disease', 'grade quality grade', 'problem pig industry', 'cell volume pcv', 'based genotyping study', 'genotype mstn 435g', 'method assumes animal', '59 phenotypic variance', 'breed detect', 'combined procedure efficient', 'recorded information', 'test statistic multiple', 'large dataset addition', 'production health trait', 'large grandsire', 'target identified 12', 'key gene', 'lous npy gene', 'present cnv', 'periparturient hypocalcemia', 'associated effect carcass', 'study disclosed', 'factor beta type', 'khorasan population 05', 'breed important identify', 'group snp fitted', 'scan qtl percentage', 'collected 418', 'bacterial cold', '15 adult hindleg', 'detected study novel', 'data 29 021', 'holstein resource', 'allele determines', 'leghorn chicken study', 'resource family linkage', 'stress response trait', 'evaluate marker', '10 significantly', 'genomestudio program', 'portion genetic variance', 'microsatellite linkage map', '13 snp used', 'beta lactoglobulin gene', '70 steer', 'accompanied simultaneous change', 'allele derived different', 'severe case', 'significant allelic', '49 mb harbored', 'significant linkage detected', 'traced whirlhill kingpin', 'directly measure', 'showed progressive', 'negative effect economically', 'data dna', 'function include', 'beard wattle', 'dpr coq9', 'overlap 1400 cnvrs', '44 female body', 'f4ac governed', 'hepatic gene', 'high throughput', 'region significant meat', 'group covered', 'trait testicular', 'f2 chicken 21', 'gross feed efficiency', 'effect combination', 'software data', '14 20 study', 'using new improved', 'day milk record', 'performed sus', 'rump length rl', 'cxadr adam12 map7', 'total 194', 'pork ph color', 'disequilibrium information additional', 'mapping program map', 'total 36 significant', 'time phi', 'chance test', 'cattle showed significant', 'good candidate region', '36 nanyang', 'calving performance detected', 'sheep identify', 'acid concentration association', 'response mycobacterial', 'using approach independence', 'horn locus ho', 'phenylalanine change secondary', 'muscle pbm percentage', 'orientation previously unknown', 'weaning weight month', 'age pelvis breadth', 'daughter selective genotyping', 'resistance help genetic', 'mammary previous study', 'wide highly', '05 individual tt', 'alp 439 ca', 'regression half', 'improve heat tolerance', 'animal impute', 'detected novel', 'type genotype', 'confirmation study', 'possible detect', 'traditional single point', 'position 26 cm', 'significantly differed 05', 'candidate gene avpr1a', '30 18 27', 'content indicator', 'expressed tissue', 'gene male', 'type size', 'selection repression retroviral', 'associated mt successfully', 'measured composite pig', 'locus eqtls pig', 'mstn harbor promising', 'analysis applied second', 'type performed', 'variance ii detect', 'fatty acid composition', '11 general qtl', 'juiciness flavor major', 'milk yield bta', 'standard deviation', 'snp ripk2 snp', 'calculated based', 'duroc pietrain breed', 'ssc13 01 analysis', 'window phenotypic variance', 'based qtl', 'illumina bovinesnp50', 'original qtl longer', 'corrected fixed', 'sc udder', 'pqct biomechanical', 'dpr 68', 'indicate qtl region', 'assessed effect', 'belonging different line', 'identified qtl current', 'fat used', 'family likely', '40 59', 'soundness overlap', '8656c transition', '35 parental', 'composition 148', '02 snp located', 'associated ifc 05', 'insemination linkage analysis', 'composition result indicate', 'allele frequency intronic', 'snp c2789a identified', 'effect validation', 'result divergent line', 'genetic architecture susceptibility', 'size biological', 'homozygous rjf allele', 'qtl eca1 south', 'tg cast capn3', 'heritability cooking', 'explained 06 28', 'triglyceride transfer', 'total lean', 'marker beneficial influence', '49 166', 'tnb detected', 'cm constructed', 'enzyme fatty', 's26859 significantly', 'line elite egg', 'important relevant', 'balance study investigated', 'shared postmortem', 'nt5c2 pde6g', 'elovl6 533c', 'eumelanin non', 'region mastitis', 'ssc6 snp ssc6', 'refined genome region', 'quality identification', 'causative quantitative', 'result public', 'earlier tend stay', 'used increase', 'sum phi', 'contemporary dairy breeding', 'conducted animal', 'analysis decrease', 'linkage suggestive', 'transfection bend', 'trait relating', 'cloned porcine', 'parity trait combination', 'gene encoding aryl', 'analysis potential impact', '0005 0001 subsequently', 'size direct calving', '13 single', 'genes based association', 'haplotype affecting androstenone', 'gene sixteen gene', 'probably reflecting', 'considered validated', 'parasite resistance large', '20 chromosomal region', 'gene centric approach', 'insulin like', 'bta 23 endocrine', 'rflp technology', 'frequent costly', 'identified subsequent association', '33 908 994', 'arena test corridor', 'polymorphism snp array', 'evidence segregating', 'gene spotting trait', '27 cm fertility', 'consisted 61', 'conclusion wb shear', 'chest body', 'compare region detected', 'clustered human', 'score blup index', 'slc39a7 polymorphism backfat', 'pathogen daughter', 'sum fatty', '24 based', '18 43 accomplished', 'gluc adiposity', 'known 50k genotype', 'resolution radiation', 'ssc6 bf', 'snp acaca crh', 'result previous study', 'promising marker porcine', 'qtl identified showed', '23 trait', 'animal greater', 'high prevalence', 'used polish', 'abw ssc1', 'underlying egg production', 'md imputed 777', 'mum total', 'qtl total solid', 'generally reduced significance', 'somatic cell count', 'cattle brody model', 'receptor corepressor ncor1', 'pathway critical cattle', 'genetic variation identified', 'mediated effect fatness', 'trait 12 week', 'proposed candidate region', 'population significantly', 'composition fat contained', 'snp distributed 29', 'junglefowl white', 'sheep caused fungal', 'conclusion result verified', 'round lamb', 'line showed fixation', 'challenge evolutionary', 'half body weight', 'affecting susceptibility mycobacterium', 'chromosome qtl largely', 'pig rich facial', 'population furthermore analyzed', 'interaction 0001', 'trait high priority', 'association genetic', 'value gene module', 'kg harvest 299', 'multimarker regression', 'develop elevated', 'calpastatin regulatory', 'genetic association result', 'exploiting updated', 'highly concordant', 'empirical traitwise', 'blup selection', 'associated autosomal recessive', 'adg bw', '59 phenotypic', 'secreted milk influence', 'drd1 1013c showed', '57 fatty acid', 'endemic wild boar', 'interval recombination', 'chromosome leucocyte', 'individual cow time', 'mtx2 hoxd cluster', 'region 22g 17g', 'availability 57', 'limiting usefulness selection', 'set snv chr', 'analysis paternal', 'snp associated pork', 'population large white', 'particularly incidence osteochondral', 'polymorphism scd gene', 'bta 10', 'variant xirp2', 'genotyped wur', 'knowledge study horse', 'considered strongest candidate', 'qtl conjugated', 'report developed', 'linkage result', 'bayesian linear animal', 'breed association verification', 'condition identified', 'indicate snp used', 'breed native british', 'independent population bull', 'polish landrace polish', 'snp associated adg', '12 exon intron', 'showed modest association', 'contrast copy associated', 'f2 individual large', 'reported pcr sscp', 'trait additional', '532 nearby', 'detecting causative', 'progesterone profile traditional', 'main systematic', 'loin fat thickness', '20 561 798', 'identified sequence', 'sample agreement association', '153 fat 172', 'linoleic acid content', 'mechanism hopefully possibility', 'training genotyped biec2', 'model identified', 'holstein ch', 'molecular dissection', 'analyzed candidate', 'deregressed breeding value', 'characteristic indigenous', 'identified leukocyte trait', 'linkage tdt transmission', '442 mediated', 'faecal culture prevalence', 'length birth bbl', 'resulted smaller dominance', 'relevant rna seq', 'gga2 10', 'corroborate position revealed', '8398g identified prl', 'genotype 555 determined', 'occurrence blood', 'overlapping qtl identified', 'tonic immobility ti', '11 11 12', 'based significance', 'affecting percentage', 'quality trait osteochondral', 'chromosome 16 afe', 'detect effect gene', 'colour trait size', 'located sus scrofa', 'snp biomarkers improve', 'intron published cdna', 'demand trait', 'identification mapped', 'obtained using novel', '10 affect immune', 'induces pneumonia body', 'ubiquitously expressed cell', 'linkage underlying fertility', 'carotene content', 'associated locus qtls', 'occurs higher incidence', 'high hg', 'mainly detected haplotype', 'high faecal culture', 'ghr prlr prop1', 'linked snp', 'annotated gene gene', 'provides support using', 'scan identified quantitative', 'ssc1 ssc8 respectively', 'involved dna', 'scan including', '95 total genetic', 'compared previous result', 'fore foot', 'gene 750', 'variant rdhe2 gene', 'density linkage map', 'specific total', 'new family including', 'eye area 022', 'f94l polymorphism', 'qtl carried using', 'sheep including fecbb', 'percentage detected', 'pedigreed generation', 'racing performance trait', 'analysis 313', 'step genome wide', 'conserved region specie', 'information contribution c3', '27 36', 'genotype dd lower', '353 cm 360', 'associated lifetime average', 'evidence maternally expressed', 'gene involved skeletal', 'conclusion bmp', 'population respectively gene', 'canonically transformed trait', 'pleiotropic qtl cumulatively', 'pair model half', 'measured different test', 'ssc4 104 mb', 'recruitment activation', 'derived population useful', 'evaluate elovl6', 'farming benefit', 'using ldla approach', 'area ema fat', 'detected porcine igf2', 'rs41652818 bovine chromosome', 'candidate gene fatty', 'interaction affected body', 'presence false positive', 'location map4k4 gene', 'effect breed brahman', 'illumina bovinesnp50 panel', 'multiple qtls quantitative', 'certain production residual', 'putative bovine nesp55', 'association signal sheep', 'bayesian regression', 'complexity genetic', 'entropion specific', 'genetic basis', 'sample luteal activity', 'single copy', 'composition duroc pig', 'snp allele substitution', 'crease skin facial', 'rfi position', 'ww collectively gwaas', '521 snp 353c', 'parity produced reproductive', 'pain lameness genetic', 'determine genotype snp', 'population 1111g', 'resistant fayoumi line', 'reverse phase hplc', '18 oleic', 'life spl replacement', 'bull investigated possible', 'pig effect myog', 'snp 192 snp', 'trait insufficient relevant', 'carrying allele associated', 'kind complex disease', 'preliminary foundation follow', 'snp 619 landrace', 'variable selection performed', 'evaluated genotype effect', 'investigated respect pleiotropy', 'profitability animal health', 'associated meat tenderness', 'association cla', 'study association polymorphism', 'major qtl ear', 'probability female produce', 'region association bta', 'trait significant', 'sheep genome ovis_aries_v3', 'effect milk production', 'association identified correspondence', 'ranged 11 127', 'bullock evaluated using', 'trait ci', 'showed relative', 'complex network interaction', '05 02 respectively', 'performance reduce', 'dairy cattle identified', 'detected la ldla', 'genomic data improve', 'unique snp candidate', 'value ssc7 comparison', 'approach effective detecting', 'intracerebroventricular injection', '05 snp', 'influenced wg vl', 'polymorphism major histocompatibility', 'quality trait gene', 'elovl3 located', 'overlapping utrs', 'used trait', 'qtl location broad', 'growth development based', 'level correlated drip', 'pb ranged 51', 'revealed significant qtl', 'milk chl additional', 'performed obtain expression', 'work better', 'insemination snp located', 'obtained classical approach', 'decrease average qtl', 'investigation function tcap', 'participate translational inhibition', 'py milk', 'age plus suggestive', 'egg higher', 'activity spp1', 'acid increase statistical', 'assisted reproduction technique', 'data detected', 'underlying production', 'apovldl ii', 'disease important problem', 'zbtb38 linkage disequilibrium', 'lower values', 'value gebvs', 'cross linking', 'potentially provide', 'vrtn region sequenced', 'qtl affecting cm1', '05 rs13687128 significantly', 'analyzed mutation fabp', 'frequency chinese', 'herd estimate effect', 'line provide', 'sire iap', 'rgr bayes analysis', 'qtl qtl exerted', 'sheep studied population', 'genotype analysis revealed', 'fa haplotype strong', '41 cm', 'emmax linear mixed', 'adg fcr 05', '05 rs13997812 ucp3', 'restriction associated dna', 'scd v293a', 'swine industry vaccination', '45 190', 'narrow range', 'production ripk2', 'multiple biological mechanism', 'color marbling', 'le certain', 'weight gga1', 'wing feather shorter', 'like red maasai', 'age knowledge', 'presented paper marker', 'dali city china', 'hcw ribeye', 'radiographic change contour', 'exception marker lei0071', 'marker lead conclusion', 'low prolificacy sow', 'locus exception', 'study united', 'population estimate gain', '51 48 allele', 'economic animal welfare', 'reduced location mb', 'time method based', 'exon2 detected', 'size sufficient', 'study gene mapping', 'alteration regulatory', 'effect carcass composition', 'step elongation', 'snp derived', 'cross phenotypic', '647 bp region', '100 vrindavani composite', 'sire distinct', 'association daily weight', 'region selected analyzed', 'associated region gene', 'total fat', 'hen red dominant', 'affect immune index', 'calving ease sire', 'colouration bird important', 'content bacterial load', 'fi1 rfi1', 'horse equine chromosome', 'line 290', 'exon zbtb38 linkage', 'potential qtl region', 'representing 197 family', 'population population included', 'threshold detected', '05 furthermore haplotype', 'animal average 19', 'economic loss poultry', 'expression gluteus', 'gene analysed', 'hmga2 msrb3 lemd3', 'consumer european', 'insemination caused', 'measurement aiming overcoming', 'ssc12 explained', 'fall significant', 'worm resistance soon', 'animal information adg', '304 bp', 'correlation loin measurement', 'effect 279phe 279tyr', 'fayoumi broiler leghorn', 'effect sequencing', 'using seq', 'wish network based', 'localize centromere 13', 'association intronic variant', 'fa composition clear', 'allele mnb42 marker', 'result breeding', 'bull 13 snp', 'analyzed univariate model', 'different farm investigated', 'level hw', 'identified region association', '22 62 week', 'comb mass nonrandomly', 'confirmed generation accompanied', 'fetlock joint order', 'hypoplasia ovarian', 'ssc12 presence melanoma', 'progression transmission', 'measured time', 'recent horse breed', 'inheritance sheep provide', 'qtl analysis large', 'cross bred', 'numerous gene including', '119 0e', 'variation cast capn1', 'bw associated', 'seventy calf', 'taurus previously mapped', '12 week carcass', 'gwas reanalysed including', 'located reported', 'metabolism deserves explored', 'density 05 haplotype', 'mutation putative qtn', 'explained individual qtl', 'ayrshire calf', 'castrated piglet', 'position shifted', 'muscle fat content', '96 tail corrected', 'new world trait', 'likely observed', 'loss decreased performance', 'delta cebpd gene', 'outbreed experimental cross', 'gene play significant', '23 positional', 'marker marker ld', 'primary function apob', 'used popular tanzanian', 'associated stearic 18', 'dqb1 haplotype', 'study evidenced', 'dissection fetal specific', '60k beadchip', 'sheep scientist', 'reported dairy', 'pathway significantly associated', 'analysis growth', '321 confirmed', 'close fat1', 'dehydrogenase conclusion', 'proportion explained genetic', 'analysis identify genetic', 'university nebraska', 'trait pig total', 'pietrain 98', 'position differ', 'sheep crossbred', 'high relevance', 'year birth age', 'identified variation', '17 single', 'navicular disease', 'new member', '1206 significant snp', 'complete coding', 'gene carcass quality', 'btb status', 'seven qtl mapped', 'diversity load pathogen', 'containing ancestry', 'similar position qtl', '24 snp identified', 'electrophoresis meat quality', 'evaluate marker associated', 'reduce time', 'presence significant qtl', 'bta additionally indication', 'calf size subjectively', 'known comparative', 'detected 12', 'improved thermo', 'response required', 'snp gdf5 gene', 'chicken different', 'various population', 'marker mapping oar3', 'effect similar', 'percentage composition', 'orphan nuclear receptor', 'marker spacing 14', 'assessed large white', 'gdf8 oar2', 'clinical mastitis mapped', 'parity combined analysis', 'measurement lamb weight', 'knowledge uncover', 'gene performed heritability', 'associated early growth', 'cycle 040', 'gene significantly correlated', 'building consensus dairy', 'number area', 'gene 16', 'polyceraty report genetic', 'muscle phylogenic analysis', 'dataset containing 28', '56 90 281', 'animal robust prediction', '26th exon', 'puberty reproductive longevity', 'feature melim', 'pigmentation haplotype', 'array result following', 'exploiting population linkage', 'population seventy calf', 'selection genetic resistance', 'ss61530518 bta6', 'pig showed cc', 'body defect', '01 365', 'demonstrate population', 'chromosome showed significant', 'host susceptibility', 'improving important', 'black coat', 'slaughter cross', '412 predictive ability', 'elongation ratio backfat', 'contribute higher prediction', 'type lectin domain', 'linked contained', 'qtl left', 'gene significantly differentially', 'discovered linked', 'serum albumin', 'understanding biology health', 'gene haplotype', 'associated trait', '6a1 lsy', 'production trait sample', 'swine muscle longissimus', 'genotyped melim', 'weight time time', 'tight junction oxytocin', 'candidate gene included', 'software genetic variant', 'confirmed target', 'threshold region chicken', '61 565 68', 'genotype porcine expression', 'impact meat quality', 'growth differentiation factor', 'effect maternal', '152 divergent', 'allowed refine', 'involved ion transport', 'loc520057 gria3', 'scan identified potential', 'maf vary asian', 'previously reported associated', 'gwas expected increase', 'map cause', 'gwas imf 490', 'trait increasingly', 'compared gca', 'different trait somatic', 'various subtypes', 'progeny acop', 'maternal ability', 'collected 789', 'muscle additionally', 'value 0x10', '55 63 mb', 'metabolic process important', 'data identified gene', '10 revealed', 'prolificacy sheep', 'heritabilities 15 30', 'obtained study', 'population international genomic', 'effect cmp milk', 'associated 003 average', 'adipocyte size number', 'significant nominal', '70 80 cm', 'tissue metabolite', 'adhesive etec', 'worldwide current prrs', 'polygenic nature milk', '20 fine', 'infection fecal egg', 'luxi nan yang', 'maoa polymorphism', 'protein 445', 'nucleotide polymorphism 1033', 'genotype hmga2', 'phenotype regressed', 'study dna sample', 'aa differed', 'jb2 r25c significant', 'previous analysis based', 'identified flanking sequence', 'identified region mir', 'scan 194', 'cell score herd', 'documented candidate', 'despite enhanced', 'evidence 78 suggestive', 'resolution qtl map', 'association using highly', 'animal growth calving', 'aquaculture ncccwa odd', 'precise genomic region', 'acid composition muscle', 'gene pair', 'breed moderately', 'commercial sow example', 'population resequencing result', 'derived 15 bac', 'study role lepr', 'gene encoding', 'fkbp5 gene conclusion', 'microrna mir 1596', 'synthesis point opportunity', 'model proc', 'bt bos', 'tyr581ser rw070', 'bta located mb', 'grazing challenge', 'hand provided', 'health economy', 'study association bmp15', 'breed average piglet', 'significant qtl lie', 'disease incidence', 'npy dopamine d2', 'chip data contrasting', 'cross significant snp', 'genomic position qtl', 'igf2 gene milk', 'detected fcr', 'model repeated', 'pig ib population', '17 different significant', 'cattle sequencing length', 'associated decrease birthweight', 'effect conducted', '10 qtl region', 'factor genome', 'mastitis finding consistent', 'vocalization locomotion vigilance', 'study reported 156', 'window consisted', 'red breed', 'fatty acid sum', 'dbh maoa', 'locus cm interval', 'androstenone 2000 ng', 'pleiotropic quantitative', 'product human', 'significant mb window', 'alternate breed allele', 'effect 05 01', 'gtc isoleucine', 'background carcass fatness', 'gene nsrp1 cadps', '657 non', 'regression mapping used', 'discover region explain', 'significant cost dairy', 'production udder', 'ssc18 number', 'important stress response', 'sahiwal karan', 'tested bull', 'support using tgfbr1', 'performed horse breed', 'pelvic width size', 'ar serpina7 acsl4', 'associated increased shoulder', 'identify associated', 'acid composition conclusion', 'size necessary reaffirm', 'region result presented', 'detection model major', '20 067 association', 'qtls ssc10', 'showed 46544883a', 'new member cytochrome', 'sperm membrane integrity', 'event descendant used', 'ssc14 wild', 'antibody binding', 'suggested analysis hic1', 'dry weight water', 'slow growing chinese', 'claw weight 502', 'validate effect', 'sib daughter sired', 'wool quality', 'destroying putative', 'method possible linkage', 'detected quantitative trait', 'spliceosomal rna present', 'mnb209 span', 'survival twinning rate', 'caused oncogenic md', 'study qtl adipocyte', 'total 33 snp', 'f10 f12 highly', 'snp retained', 'percentage effect', 'substitution 1752816097', 'express based squares', 'pig cnvrs overlapped', '172 microsatellite marker', 'detected reference population', 'brown fat determination', 'blup method used', 'genotyping sequencing approach', 'gene result 19', 'sheep breed covering', 'remodelling vascular', 'total 15 trait', 'low density marker', 'core haplotype seven', 'complex trait confounded', 'gene se vaccine', 'fl structure soundness', 'tggaca cagaca', 'panel total 262', 'acid metabolic index', 'holstein nordic', 'mbp chromosome', 'female ornament', 'region significantly', 'rainbow trout result', 'cattle known fertility', 'preferential male', 'cow healthier milk', 'association saturated branched', 'selection process furthermore', 'host gene susceptibility', 'reconstruct haplotype', '4321a 4850a analyzed', 'hcr1 19', 'candidate fatty', 'thirty putative qtl', 'measured 347 boar', 'metatarsus length', 'pat result screened', 'sampled using affection', 'grm8 fatness ptgis', 'chromatin condensing spermatid', 'effect milk', 'number nc_007312', 'anaemia remain productive', 'abundant important', 'allele respectively magnitude', 'applicable designing', 'background improving meat', 'composition persistency type', 'observed tested', 'sequence situated fabp', 'snp correlated', 'growth avian model', 'mapped 18 porcine', 'overlap sck1', '124 statistically significant', 'plasma membrane protein', 'lnpep shb rnf38', 'py 14 12', 'trait single step', 'commercial impact', 'detected result provide', 'continually exposed mixed', 'study shown single', 'dozen gene slc37a1', 'sample 156', 'covariates approach allowed', 'population simulation concluded', 'structure pre mir', 'fecx gr', 'daughter holstein family', 'phosphatase dusp6 gene', 'relies identification', 'ovlv recent', 'upregulated downregulated known', '36 mb ssc7', 'p3 lous npy', 'identified previously based', 'allowed identifying', 'previously refined', 'effect developed', 'disease offspring', 'estimate dominance', '882 bull belonging', 'prospect refining', 'conducted identify quantitative', 'month month adg6', 'mutation cat 128h', 'ax 311625843', 'tibia width', 'productivity quality trait', 'chromosome mb', 'rs13849381 significantly correlated', 'cattle exhibit', 'polyunsaturated long', 'random effect mixed', 'provide positional candidate', 'identified cluster', 'sult2a1 sult2b1', 'analysis nrr 56', '42 243', 'qpcr haplotype block', 'collected 34 grandsire', 'pedigree interval mapping', 'outcome reflect difference', 'resulting difference fat', 'gene ncapg', '130k snp array', 'random effect', 'value pp used', 'number snp statistical', 'qtl breed specific', 'step breed', 'identified chromosome 22', 'number cow testing', 'associated body udder', 'fertility quantified using', 'genotype provide unique', 'region screened', 'important foetal developmental', 'fat contained', 'col17a1 candidate', 'yield associated decreased', 'deserves highlighted gwas', 'function identified', 'bursa fabricius weight', 'marker 41 nominally', 'haplotype approximately fold', 'used generate', 'reported qtl effect', 'gene snp marker', 'analysis detected significant', 'hap4 duroc breed', 'favorable qtl', 'qtl pinpoint', 'polymorphism pleiotropic', '28 recfat recprotein', 'iowa growth', 'voluntary basis', 'locus ssc7', '63 cm 05', 't354c g392a', 'f4ac vitro', 'sow present', 'testing genome wide', 'suggesting universal exposure', 'sustained marker qtl', 'usually analysed', 'lactoglobulin cow', 'assessed effect mstn', 'cd polygenic architecture', '385 single nucleotide', 'performance breeding', 'chromosomal region bta11', 'sample collected 180', 'site abundant important', 'cross f1', 'sired population 285', 'germany 2021', 'gprc5a ddx47', 'mainly holstein dairy', 'production fertility trait', '10 bonferroni adjusted', 'qtl affecting ph', 'afw qtl', 'variance car', 'stearic acid content', 'concave convex', 'correction identification', 'explained greater proportion', 'ubf qtl', 'tissue quantitative phenotype', 'v371m ovulation rate', 'chromosome alga0022658 high', 'polymorphism snp bta', 'trait heritabilities twinning', 'applied proposed method', 'treatment heat intensity', '439 used', 'industry trait piglet', 'tlr gene amplified', 'coat colour category', 'ssc3 based', 'using ewe university', 'based lod drop', 'reproductive trait long', 'mt workability', 'new qtl chromosomewise', 'tailed χ2 test', 'encodes alpha', 'approach italian dairy', 'heifer bred', 'annotation analysis', 'outline putative role', 'gene interesting region', 'f2 interval', 'helixtree software used', 'immune response mechanism', '102 karan fry', 'f2 chicken population', 'gene bone', 'previous rna', 'family taken order', 'indicating prlr sequence', 'effect contributed difference', 'linked qtl effective', 'causative genetic variant', 'progress selecting marker', 'snp association milk', '18 trait common', 'milk protein percentage', '865 single nucleotide', 'significant difference day', 'control line derived', 'g1406a t3602c associated', 'native pig', '793g 832g 919g', 'association fertility trait', 'analysis total', 'evaluated interacting', 'pair study various', 'preadipocytes mrna', 'linearly transformed genetically', 'perimeter volume', 'significant qtl sex', 'disequilibrium block snp', 'measured age sexual', 'potentially important candidate', 'located chromosome', 'significant 41 10', 'animal growth curve', 'synonymous snp 2002c', 'qtls previously reported', 'background impaired', 'generation backcross boar', 'tph2 rs107856757', 'study identify sequence', 'sow associated', 'mutation lepr', 'focused identification', 'non convergence statistical', 'removing significant', 'result segregation', 'ghrelin ghrl uncoupling', 'data analysed separately', 'variation characterized', 'derive annotated', 'effect pork', 'lr rg', 'genotyping platform bayesian', 'gene milk production', 'carrying recombination qtl', 'animal study', 'catalyzes step', 'btb control', 'qtl direct', 'content population contrast', 'resistance carried', 'inconsistent result', 'equine osteochondrosis oc', 'oar9_91647990 absence strong', 'related trait revealed', 'variance selected analysis', 'associated trait stepwise', 'cattle summary', 'pedigree interval', 'identified region variant', 'yield double muscled', 'c2a2 thickest', 'diagnostic test selecting', 'analysis meat', 'fish survived 21', 'receptor tlr4 candidate', 'nucleotide polymorphism coding', 'direct genomic', 'noriker sample', 'milk influence', '259 cm', 'oncogene family zinc', 'muc4 polymorphism significantly', 'whilst majority', '808c snp', 'porcine model cutaneous', 'qtl chromosome iv', 'german blackheaded', 'wise significant 05', 'fifth chicken genome', 'oar1 charollais', 'frequency 592', 'control ovlv post', 'role preventing', 'quality trait originally', 'explained 15', 'enhanced selective breeding', 'selection model bvs', 'chip total 40', 'position similar occasionally', 'role novo', 'holstein cattle totally', 'number method', '4500a associated ebv', 'deviation unit udder', '1730t significant effect', 'detected study affect', 'lge22c19w28_e50c23 linkage', 'addition gtacgtac', 'multitrait mixed', 'recently toll like', 'extreme high low', 'bovinesnp50 beadchip analysis', 'seven crossbred sire', 'score stillbirth calving', 'proportion unsaturated', 'model 12', 'identify characterize associated', 'component susceptibility ketosis', 'trait using ensembl', 'gene similar tissue', 'regression genomic control', '10 bta 28', 'ssc 15 using', 'evaluation population', 'analyse association seasonal', 'discovered snp 327c', 'reinforce cast strong', 'linkage approach', 'contributing adfi', 'mean variance', 'content statistical analysis', 'length tail', 'gain achieved industry', 'incorporated 69', 'commercial pig breed', 'diagnose predict', 'rea aft', 'gene strong', 'resulted discovery', 'effect candidate gene', 'sib model using', 'significant suggestive snp', 'size subjectively', 'derived sequencing 30', 'awassi merino merino', 'overall muc4 expression', 'dam line genetics', 'genotype calpain classified', 'investigation result following', 'regulatory transcribed region', 'clone revealed distinct', 'expression study conclude', 'studied polymorphism 10', 'chromosome mmp2', 'jointly accounting 95', 'conversion ratio 0004', 'new candidate gene', 'value pork', 'study performed fertility', 'potential target gene', 'concordance 100', 'similar trait qtl', 'avoiding iteration iii', 'observed androstenone', 'suggestive linkage percentage', 'qtl scrapie incubation', 'production residual feed', 'seven identified', 'revealed locus located', 'ss61469568 bta 10', 'important regulation', 'studied domesticates', 'proximity qtl', 'imf quantitative', 'length 577', 'chromosome location', 'function organism current', 'separation test', 'ssc15 ejaculation time', 'employ variant', 'dc navicular bone', 'concerned adult', 'lrt 24', 'tdo igfbp7', 'trait positive', 'imprinting effect number', 'reading frame encoding', 'annual cost uk', 'bracket total number', 'c18 cis cis12', 'application breeding program', 'crossbred cattle population', 'juiciness flavor likeness', 'microsatellites average', 'zn snp', 'regulatory element binding', 'marginal increase', 'panel qtl required', 'knuckle ham meat', '45 calculated', 'largest impact', 'report pfts', 'detected position', 'differential tissue regulation', 'sib family outbred', 'son 73', 'efficiency qtl', 'qtl parasite', '13 novel qtl', '14 oleic', 'protocol moving average', 'chicken gemma', 'acid 18', 'locus su', 'pve lead snp', 'sperm propose snp', 'trait second shearing', 'globulin gene tbg', 'indigenous ecotypes adapted', 'viral disease salmonid', 'result employing emmax', 'adrenal tissue identified', 'result dominant qtl', 'hormone potent', 'multifactorial nature trait', 'swine growth fat', 'detect validate significantly', 'functional analysis performed', 'number hox gene', 'polypay columbia breed', 'included seven', 'rna 50 protein', 'pork processing', 'high quality cheese', 'cross interacted', 'target future', 'enzootic pneumonia', 'meat scored boar', 'divergent phenotype daughter', 'microsatellite marker interval', 'balance objective study', 'population mean estimated', 'field novel', 'selective breeding addition', 'wide association genomic', 'consisted 1800', 'influence dna polymorphism', 'cattle commonly', 'tended influenced', 'desaturase scd v293a', 'reproduction generally reduced', 'scan significant snp', 'study bioinformatics', 'service required', 'canal following', 'fcr ratio average', 'chinese pig', 'qtl primal meat', 'sharing analysis', 'cattle far study', 'rate new', 'report investigation extracellular', 'technology provide new', 'marker quality', 'qtl current population', 'danish landrace boar', 'derived permutation', 'value consumer', '180 f2 hybrid', 'previously associated su', 'analyzed 16', 'broiler pure', 'population identified', 'rumen intestine steer', 'trait french', 'highly associated clinical', 'luteinizing hormone', '1143g adrb1 506a', 'snp seven snp', 'eighty holstein', 'studied included multivariate', 'score yearling', 'white plw', 'future research aim', 'nutrient curd corresponding', '61 reason', 'precursor mature mir', 'cxcr1 fasn', 'data 353', 'trait pig aim', 'vivo bull', 'evaluated allele', 'identified current study', 'health productivity', 'mapped proximally', '44 77 mb', 'population confounding', 'position 42 95', 'cow low pta', 'percentage performed', 'physical chemical property', 'related modification', 'apply marker', 'impute missense mutation', 'acid cla 9c11t', 'response keyhole', 'ampk prkag2 subunit', 'binding cat', 'present result', 'disorder affect dairy', 'snp located intron', 'called genotyping genome', 'dc locus', 'validated gene genetic', 'qtl supported', 'trait longissimus', 'prevalent wild population', 'brandon research centre', 'based position ssc12', 'wise level weaning', 'fourteen significant', 'mef2b rfxank', 'conclusion study provide', 'showed trans regulatory', 'strategy daughter design', 'meeting stringent', 'polyceraty occur', 'chromosome segregating sire', 'main milk', 'provide clue unravel', 'located binding site', 'density genotype', 'initial result', 'disease control prevention', 'lysosomal storage disorder', 'promoter function observed', 'insr region', 'commercial norwegian', 'sq1 developmental qtl1', 'mbl1 mbl2', 'addressed gene regulated', 'female animal', 'candidate region btb', 'chicken domestication', 'ld using', 'rea best knowledge', 'involved causation', 'termination translation', 'associated meat production', 'average polymorphism information', '10 11 11', 'log 10 allele', 'concentration arachidonic', 'nsb2 parity', 'social reactivity tolerance', '118 effect haplotype', 'tg growth', 'level 31 significant', 'global public', 'pig improve fe', 'tissue specific result', 'frequency 02 40', 'available significant qtl', 'resistance trait commercial', 'medius gm muscle', 'originated chinese', 'secondly propose approach', '24 48', 'charolais university alberta', 'divergent egg', 'effect region characterized', 'individual marker association', 'ldla carcass', '296 bp partial', 'calibrating computer tomography', 'pathogenic disease coded', 'background pig', 'f2 hen generated', 't12495c g142a', 'performed line cross', 'variation calpain capn3', 'genetic effect adipose', 'explained increase vertebra', 'identified haplotype predictive', 'thermogenesis adipose tissue', '20 promising', 'locus affecting aggressiveness', 'industry average holstein', 'anaerobic respiration promising', 'trait mass selection', 'pp fp', 'study later', 'version method excludes', 'information quantitative', 'effect mlk 153', 'life interval', 'model biological pathway', 'showed mean', 'specie recently', 'grandsires 33 105', 'thermotolerance tharparkar', 'mouse conspicuously', '842 korean', '20 animal solid', 'single quantitative trait', 'process germ', 'expression genotype showed', 'fixed effect interaction', 'fat yield protein', 'bred high', 'depth 20', 'selected snp non', 'small preventing meaningful', 'glucagon leptin', 'breeding value sire', 'infanticide result supported', 'f2 individual purpose', 'informativeness grandsires used', 'total 52 candidate', 'independent variable normalized', 'linear quadratic', 'process different', 'architecture semen', 'lewontin c4535156t', 'supported association', 'lumbar spine length', 'heat treatment heritabilities', 'additional snp gene', 'gene edn3 bmp7', 'defined observing', 'resistance parasite', 'bull breeding', 'coat color sc', 'region pinpoint', 'kg 024', 'scd circulating vaccenic', 'nte nve rib', 'disequilibrium possible', 'similar position', 'left line', 'cc exhibited', 'total 137', 'supporting familial disciplinal', 'bp region estimate', 'showed confidence interval', 'distinct fabp5', 'metabolism lipid single', 'polynomial order relationship', 'promoter analysis revealed', 'model including imprinting', 'complex linked', '240 genome scan', 'cnv defined large', 'examine common', 'faecal culture family', 'texel sired half', 'stood potential candidate', 'prolactin receptor signaling', 'step forward revealing', 'association increased', 'region slc22a18 ssc2', 'immune regulation tissue', 'later layer', 'qtl accounted 12', 'using marker applied', '16 qtls chromosome', 'proinflammatory cytokine', 'revealed causal variant', 'weight advantage', '20 generation', 'externally using', 'region hsp90aa1 gene', 'causal variant sequence', 'proteolytic activity', 'genotype individual greater', 'content coding region', 'data presence paternally', 'effect shown multivariate', 'score pre horse', '78 43', 'account variation population', 'hall syndrome vater', 'sequence porcine mtpap', 'test showed variant', 'maintain level production', 'strategy following sequence', 'included random', 'genotype snp', 'milk cmp montbéliarde', 'canonical trait derived', 'lalba_g 242t likely', 'dd genotype 01', 'piglet born parity', 'nesp55 resulting aspartic', 'genotype 2708 offspring', 'previous publication qtl', 'activating protein', 'silky fowl white', 'snp gwas using', 'polymorphism snp coding', 'objective conduct', 'weight analyzed', 'taking advantage', 'fatty acid fa', 'family based population', 'locus exon nr6a1', 'qtl identified population', 'characterised haplotype promoter', 'indicated previous candidate', 'heritability rib 24', 'b9d2 tmem145 wwc2', 'production trait ewe', '30 total', 'hucul fjording', '106 significant marker', 'bovine udder genome', 'frame size thoroughbred', 'energy ray absorptiometry', 'significant loss', 'duroc breed pietrain', 'pig performed', 'urea lactose content', 'yield grade 87', 'force whiteness addition', 'explorative study', 'linkage fat yield', '219 north american', 'ossification far', 'breed showed statistically', 'analysis report', 'higher proportion explained', 'revealed multiple', 'haplotype deletion variant', 'background feather', 'bmp1 slc19a1', 'snp obtained ensembl', 'objective ass feasibility', 'jointly using flexible', 'differ mdv', 'significant qtls detected', 'animal allele 05', 'molecular polymorphism association', 'trait probably', 'backfat osteochondral', 'located chr', '61 male', 'indicating possible', 'carcass trait 165', 'herd selected high', 'analysis fitted stage', 'population duroc landrace', 'programme nematode resistance', 'association snp acaca', 'female fewer pup', 'region corresponding bta21', 'genotype approximately greater', 'development placenta development', 'produced le milk', 'protein bmps peptide', 'regulated genetics possible', 'height dual luciferase', 'remain discovered attempted', 'abortion genome scan', 'half sib phenotypic', 'genomic sequence capn3', 'roasted silverside', 'slc12a9 positional candidate', 'snp identified laiwu', 'unacceptably tough meat', 'error probability 05', 'white animal allelic', 'difficult clearly', 'lower carcass', 'oar9_91721507 located camkmt', 'standardised form', '361 brown egg', 'effect beginning', 'moderate genetic', 'result influence obesity', 'igf2 wild type', 'rna sequencing experiment', 'gene expression suppressing', 'thoroughbred standardbred', 'qtl present study', 'detectable impact', 'development marker assisted', 'position increased', 'deficiency substantial', 'higher percentage ewe', 'indicating potential role', 'individual based tail', 'tarsometatarsus tibia femur', 'locus blup', 'continent particularly', 'investigate pathogen', 'group association considered', 'population corresponding', 'day artificial insemination', 'mapping harness racing', 'heritability susceptibility', 'independent gwas', '77 chromosome', 'analysis total 15', 'effect qtls correlated', 'leghorn layer breed', 'indigenous breed', 'investigated genotyping', 'gene used', 'ranging 378', 'expression implemented day', 'based gwas result', 'increased anai4 29', 'estimated effect akr1c', 'cm 60 10', 'association moderate effect', 'used example', 'present study conducted', 'goal molecular', 'ag snp2', 'nws population 1111g', 'steer 34 half', 'beneficial genotype', 'volume ssc15', 'excluding marker', 'type fertility mastitis', 'gluteus medius', 'indicating feather', 'principal component provide', 'analysis respectively', '385 white leghorn', 'association analysis interval', 'trait snp', '25 mutation', 'development mammary gland', 'population genotypic data', 'proportion variation trichuris', 'carcass data', 'qtl lie close', 'bird result', 'aggressive behavior', 'gene chromosome wide', 'using factor anxious', 'reg3g regenerating', 'candidate gene prolificacy', '12 18 20', 'ssc7 potentially', '26 47 18', '18 variety genome', 'member play', 'risk human bd', 'scan focused', 'response common region', 'dairy herd worldwide', 'number vertebra nve', 'polymorphism lumbar', 'trait knc bird', 'breast muscle carcass', 'control linkage disequilibrium', 'containing approximately 75', 'sheep different', 'region using 96', 'cohort using', 'marker bta6 bta14', 'genomic region additionally', 'association snp genotype', 'analysis 20 genomic', 'potential target', 'qtl detection significance', 'study using data', 'amino acid ile', 'c18 c22 c20', 'included covariate qtl', 'key positional candidate', '16 additional locus', 'genotype brangus', 'bull canchim', 'french large white', 'snp located ssc5', 'staphylococci strep', 'considered appropriate', 'qtl highlight', 'integrative sure independence', 'milk thorough', 'information conclusion result', 'explained 83', 'pregnancy breeding estimated', 'expression nucb2 mrna', 'maturity khorasan', 'bwt postnatal growth', 'rao involved gene', 'landrace breed', 'effect exon 18', 'snp 48476925c', 'ca level', 'imputed genotype', 'critical cattle', 'variability litter size', 'size determines', 'target genomic', 'trait detected comparison', 'weight conformation', 'producer recorded', '34 42 35', 'gpihbp1 mrna', 'progeny commercial way', 'subtype presented paternal', 'induced dose', 'type trait characterization', 'use reduce incidence', 'denser marker map', 'growth trait recently', 'associated fatness', 'coat colour pattern', 'distal region 168', 'illumina 50 single', 'protein function produced', 'skeletal measurement similar', 'domain mttp identified', 'analyzed chromosome wide', 'related immune function', 'fresh sperm motility', 'compared calpastatin', 'involved synthesis metabolism', 'trait unl', 'allele snp rs42670351', 'breed objective study', 'genome locus', '05 23 significant', 'thickness muscle color', 'collected tested', 'yield previously reported', 'conclusion largest', 'experiment statistical', 'interval analysis', 'ibk crossbred', 'fat 001', 'mutation capn1 1500', 'variant contributing stallion', 'inferior fat', '56 week', 'analysis bta 10', 'including tnfrsf1b plod1', 'qtl remain', 'bovinesnp50 beadchip association', 'causative gene', 'pleiotropic conformed correlation', 'analyzed daughter design', 'conclusion total', 'resistance selection resistant', 'white rock rhode', 'snp calculated using', 'mean genotype', 'nbd region', '18 marker resulting', 'chromosome sw2516 sw1201', 'obesity related phenotype', 'located related', 'polymorphism associated economically', 'cross population 1574a', 'twopoint nonparametric', 'lr gwas fst', 'identified 59 08', '690 public snp', 'variance cmp trait', 'abundant replicated qtl', 'association seasonal reproduction', 'pair significant correction', 'way revealing potential', 'affymetrix axiom hd', 'snp litter size', 'bm gga5', 'precipitating immunoglobulins', 'nbd qtl ssc11', 'family investigated analysis', 'qtl mapping growth', 'color japanese wild', 'variation 49 indicates', 'qtl affecting cortisol', 'decreased loin', 'zn snp marker', 'area composition', 'variant considered', 'analysis showed porcine', 'citrate lactose predicted', 'significant suggestive md', 'analysed using pcr', 'oxtr associated behavioral', 'haplotype affecting', 'ex11 formed snp', 'measured pre', 'gilt using', 'account significant proportion', 'mutation responsible lactoglobulin', 'rate suggesting mechanism', 'depigmented heterochromia', 'slc5a4 conclusion selective', 'related growth body', 'line cross lc', 'consideration effect', 'luster quality grade', 'necessary currently point', 'skeletal muscle cell', 'significant association mch', 'adjusted 0081 ph1', 'btc 039204 rs109579682', 'breeding using', 'candidate gene ear', 'discovered late', 'proportion variation body', 'trait association', 'fcr snp marker', 'change skeletal', 'luteal activity', 'generally condensed', 'snp ssc13', 'thought crucial', 'furthermore polymorphism', 'interaction theory efficient', 'resolution remains', 'suggests apovldl ii', 'result clearly', 'trait revealed mutation', 'confirmed 313 erhualian', 'province korea born', 'pathway rfi', 'day post', 'produced milk recording', 'respectively 47 54', 'using phenotypically', 'present interesting', 'variance addition qtls', 'beneficial fatty acid', 'expression cnv12 overlap', 'length tarsometatarsus', 'dairy cattle purpose', 'calculated applying univariate', 'discovery rate controlled', 'irg1 confirmed single', 'inherited phenotypic variation', 'gw level', 'oocyst count', 'snp quantitative', 'teat represent common', 'scd gene fatty', 'position 46547859c decrease', 'sire shared mb', 'diameter 05 similarly', 'rbc morphology mammal', 'chip used evaluate', 'identified pig', 'genome resource including', 'ywt lma', 'region genomic context', 'cell score 39', 'success pork sus', 'comprehensively map main', 'separate variance', 'parameter identifying', 'daily monitoring', 'reaching 05 equine', 'wild type low', 'infected miescheriana fourteen', 'qtls novel seven', 'rs132865003 rs134340637', 'sequenced total 7258', 'surprising qtl', 'milk fat protein', 'gene expression information', 'puberty onset mapped', 'identified vol', '14 dna binding', 'exhibit peculiar', 'highest effect', '0005634 nucleus', 'objective identify quantitative', 'neck shoulder', 'wide imputation', '435 chinese', 'abnormality elongated', 'revealed combinatory effect', 'ld analysis revealed', 'mb region association', 'method study detected', 'microrna ssc', 'genomewise fat', 'acid composition investigate', 'animal microsatellites', 'research principally', 'content composition result', 'cd region aa', 'associated parasite resistance', 'leghorn chicken mhc', 'based single', 'prolificacy breed dna', 'better quality dry', 'oar3 result', 'provides attractive', 'a868g carcass', 'length scapula', 'significantly improved marker', 'used sire breed', 'cebpa gene strong', 'fat thickness muscle', 'reaction asp', 'epr qtl derived', 'nematode parasite resistant', 'disease testing', 'barrier function', 'process estimate weight', '01 confirming', 'categorisation ibk', 'provide indication', 'biological perspective', 'sample population', 'neurocognitive skeletal development', 'ipnv rainbow trout', 'visualization software identify', 'androstenone level commercial', '12 36 month', '423 chromosome', 'me1 genotype diverse', 'chicken qtl explains', 'cpd draft horse', 'evidence complexity', 'distributed 19', 'gene muscle', '001 associated wb', 'performed general', '4376 texel sheep', 'hb 01', 'mating 99', 'death therapeutic used', 'adjusted phenotype', 'presence qtl affect', 'rs415580501 rs410336647', 'usp43 gene', 'mortality blood', 'hen 15 000', 'effect averaged', 'fat expression', 'reported linkage', 'production breeding mainly', 'breed combined model', 'partial intron hmga2', 'aa ag gg', 'functional analysis new', 'frequency minor allele', 'trait calving', 'imputed genome sequencing', 'integrating multiple', 'snp using measure', 'activator transcription stat1', '18 98 13', 'follicle large white', 'total 51 385', 'production number', 'concentration 950', 'ontology medical', '49 166 nucleotide', 'captured known regulation', 'trait determine', 'possibly hold', 'mesenchymal stem cell', 'generation increased index', 'substitution exon change', 'control disease', 'chest depth cd', 'gradient respiratory disease', 'rap80 nuclear', 'replicated family', 'effective genotype ab', 'snp fdr chromosome', 'deposition porcine', 'kg day 100', 'cyp11b1 v30a dgat1', '40006g 42344t 42404a', 'ph blood gas', 'muc13a muc13b', 'carcass quality beef', 'fat effect intracerebroventricular', '222 horse', '846 474', 'confirm previously reported', 'additional snp strong', 'gene large effect', 'karan fry cattle', 'tbx5 rbm19 adam12', 'gain pig grouped', 'challenged fish using', 'biological mechanism gene', 'explain modest proportion', 'hmga2 sox5 pthlh', 'line chicken objective', 'affecting imf detected', 'proventriculus weight shank', 'phenotype involving direct', 'example network', 'dramatically decrease', 'effect litter size', 'rec recfat recprotein', 'applied step breed', 'region region btau1', 'sperm rate significant', 'cbs fold', 'expression influence skeletal', 'achieved limited', 'largest association thoracic', 'composition marker', 'network analysis performed', 'chromosome interact affect', 'qtl middle', 'monophosphate dependent', 'fitness given level', '24 genome', 'genetic control extent', 'based phenotypic data', 'phenotype number embryo', 'novel region', 'identified snp 05', 'reported temperament', 'muscle lm 38', 'resource population using', 'mufa reduce', 'trait pig production', 'gene compared calpastatin', 'marker ars', 'analysis breed cross', 'behavioral trait aggressive', 'chromosome responsible', 'effect treated missing', 'eca3 snp associated', '199 iberian', 'background modulates impact', 'required aid future', 'furthermore determine qtl', '190g showed significant', 'beef korean', '7860 offspring identified', 'significant effect fatness', 'zero genome wide', 'performed approximately', 'myog snp', 'explain 14 15', 'architecture baseline', 'investigate influence single', 'ray attenuation', 'expressed gene expression', 'trait explained detected', 'near reported fcr', 'predominant accounted 73', 'measured set', 'causal genetic variation', 'snp ucp3 gene', 'fertility directionally', 'bite wound', 'detailed phenotypic genotypic', 'health reproduction body', 'width greater female', 'study effect increasing', 'gc mrna level', 'qtl pin nipple', 'acid group desaturation', 'qtl trait experimental', 's0082 arm', 'crosses jointly', 'analysis conducted angus', 'suggested e4', 'polymorphism family', 'analysis fastphase genomestudio', 'total bta bta', 'gpat4 respectively', 'known unknown', 'beta carotene oxygenase', 'recombination analysis defined', 'region largest', 'ranged 002', 'snp genotype trial', 'genomic selection decrease', 'nonproductive day', '11 c18', 'linked sw344 distance', 'previously identified candidate', 'adrb1 adrb3', 'kg live weight', 'navicular disease podotrochlosis', 'studied damara', 'using significant', 'imf bft population', 'non parametric means', 'cddr population ppargc1a', 'significance result', '321 314 snp', 'fat 07 lumbar', 'horned phenotype sheep', 'citrate content 126', 'fbmd genome', 'gwas identify variant', 'treated phenotype', 'melanoma sinclair', 'protein iap selected', 'distinctly analysis molecular', 'enhancing monounsaturated', 'small intestine skeletal', 'btb chinese holstein', 'study carcass', 'information additional paternal', 'correlation ketosis', 'level phenotype', 'farrowing reduced respectively', 'rb1 directly', 'including 543bp open', 'af distinct qtl', 'chromosome included novel', 'included 180 individual', 'representing extreme phenotypic', 'multiple viral pathogen', 'leghorn brown egg', 'look single', 'obtained consecutive', 'calpain uac calpain', 'chip target trait', 'compression qtl', 'respectively second significant', 'seven marker qtl', 'contained data multivariate', 'presence snp chemokine', 'snp aj885515', 'twinning dichotomous trait', 'creating destroying putative', 'genotyped 600', '19 41', 'promoter showed greater', 'substitution 423a significant', 'analyzed nanyang', 'lung development pathway', 'coverage measured', 'pathway highlighted', 'host genomic region', 'carcass weight ssc7', 'horse availability', 'gdf9 egg production', 'weight growth sexual', 'interrogate linkage', 'correlation 80 92', 'gallop best km', 'exhibited high', 'role determining', 'vaccination level', 'sheep farming practice', 'line genetically', '10 population', 'region identified effect', 'genotyped 368 selected', 'gwas bcwd resistance', 'signature identify', 'bta26 harbored', 'number finnish', 'female comb', 'relevant gene', 'remained final backward', 'single birth breeding', 'genetic variation coding', 'genotyping objective study', 'female trout', 'sire model assuming', 'tissue explored laiwu', 'use calpain genotype', 'phenotypic difference individual', 'membrane integrity', 'control salmonella', 'accounted 71', 'capric acid', 'haplotype balanced', 'gene involved process', 'detected reproduction', 'analysis subsequently', 'genetic variant gene', 'loss treatment', 'biosynthesis determined', 'tenderness total 194', 'wagyu bull significant', 'marking 05 prme', 'binomial theory', 'weight clear parent', 'significant associated multiple', '18 snp associated', 'qtls controlling trait', 'furthermore male', 'dispersion crimp trait', 'encodes nuclear receptor', 'relevant mammalian', 'targeted qtl region', 'coefficient parametric curve', 'evidenced expression analysis', 'oar11 commercial', 'von willebrand domain', 'ssc1 slc3a2 zdhhc5', 'shank typically', 'larger 100', 'genotyped 106', 'region accounted phenotypic', 'reinforced support mcp', 'information derived', 'friesian jersey f1', 'pig grew faster', 'position man1c1', 'detection growth', 'field station flock', 'chicken lpin2', 'chromosome pseudoautosomal', 'control variation level', 'large variation', 'rate population', 'influencing leucocyte phenotype', 'production trait 719', 'body growth fatness', 'grandchild randomly chosen', 'selectable marker', 'cell considerable', 'linked fp', 'withers height maximum', 'genome create', 'lactation lp3 overall', 'gene assessed sheep', 'snp panel advanced', 'associated carcass trait', 'rna seq library', 'efficiency including', 'spanning intron exon', 'specific gene associated', 'clta gne cplx1', '06 average fat', 'prior information rank', 'escs dual', 'type cb qtl', 'equal 05', '34 20 38', 'feasibility performing gwas', 'meat yield hind', 'trait positively', '80k single', 'sample 108 finnsheep', 'datasets trait', '20 21 23', 'turnover work', 'faecal like odour', 'trait aggressive response', 'environment furthermore combined', 'total 502', 'carcass merit', 'approach leading identification', 'snp ercr', 'variance owing qtl', 'study bird challenged', 'growth limited simply', 'gradually declining', 'values 071 073', 'impact fatty', '53 additional', 'combining 50', 'desirable trait livestock', 'power 99 family', 'fat deposition called', 'pigmentation acop', 'conformation trait rear', 'culicoides spp', 'increase 78', 'associated positional', 'cattle birth weight', 'effect temporal pattern', 'used novel principal', 'growth unknown', 'flank qtl', 'increase prediction', '605 son granddaughter', 'identified plausible functional', 'substitution model', '05 protein', 'performing line cross', 'gwaa compared heifer', 'lack concordance substantial', 'c12 c14 c18', 'qtl carcass trait', 'qtl heterozygosity', 'gene hsd17b6', 'exposure derived significant', 'study basis', 'linkage scan', 'scan analyzed', 'chip 630 quality', 'investigated 004', 'followed association analysis', 'ii present study', 'aa significantly', '190 day ssc4', 'microsatellite marker surrounding', 'represented 34', 'wide level segregation', 'detected absence ryr1', 'bos taurus qtl', 'emerging gwas', 'risk cardiovascular metabolic', 'mastitis therapeutic', 'region overlapped method', '10153g 10213t 10329c', 'critical role', 'action responsible variation', 'association examined', 'polymorphism performed', 'feed intake concluded', 'suggestive qtl chicken', 'locus horse', 'dominance göttingen', 'significantly associated fl', 'beneficial result indicate', 'snp model cm', 'common qtl fatness', 'resistance notably', 'infection pig passed', 'ionized ca hematocrit', 'eyelid malformation breed', 'genetic improvement chinese', 'fat thickness carcass', 'protein altering mutation', '61 kgf 25', 'carried using 275', 'turnover potential', 'compared analysing', '19 82 mb', 'mutation nucleotide exon', 'specie observed', 'mastitis observed bta', 'trait research', 'correlation estimated genetic', 'analysis investigated functional', 'function effecting', 'association 10 abdominal', 'bta 20 strongest', 'replacing number', 'holstein friesian jersey', 'lysine variant increasing', 'biology disease', '3691g snp useful', 'complex congenic', 'etiology affected', 'extracellular matrix receptor', 'weight 95 detected', 'studied separately statistical', 'genotyped 356', 'qtls identified single', 'kg 049 56', 'significant dominance effect', 'breed classical', 'located linkage disequilibrium', 'human genomic region', 'population 285', 'applied detect', 'variable regression', 'identification gene involved', 'gene region different', 'cattle progeny tested', 'lce ubl5 566g', 'showed seven region', 'cdk2 finnsheep', 'sensitive reliable technique', 'interval chromosome qtl', '7c mir 184', 'cytokine toll like', 'innate immunity pig', 'mdv rna seq', 'gene bmpr1b', '10 strongly', 'holding capacity thawing', 'responsible hpai', 'frequency hardy', 'haplotype identified m1', 'seven static qtl', 'extremely muscled body', 'respectively associate', 'designed investigate association', 'mir 1596 locus', 'trait thousand', 'puberty greater', 'evaluate association polymorphism', 'conducted resource', 'day 35 41', 'prediction multiple', 'located exon 14', 'abundance atp5b large', 'fiber number area', 'influence behavioral response', 'described pvuii', 'horse chromosome radiological', 'method single marker', 'ecotypes conducted variance', 'chromosome beginning 56', 'wgebv bootstrap analysis', 'baby blue', 'deposition pig recently', 'traditional case', 'effect reciprocal cross', 'factor twh', 'linkage brd', 'efficiency improving semen', 'establishes genetic resource', 'fa danish red', 'marker broiler', '10 associated', 'region segregate meishan', 'revealed common', 'originated layer line', 'literature functional', '439 pig different', 'rel line descended', 'performance animal study', 'load snp detected', '31 annotated', 'gene original', 'meat quality measure', 'susceptible selection', 'gene stabilizing morphological', 'twinning cattle complex', '90e 07 12e', 'breed erhualian laiwu', 'derived reciprocal', '533 224deltcgtcttc', 'based comparative', 'rhm revealed additional', 'analysis le powerful', 'set varying', 'located mpdz', 'binding protein cow', 'bta fourteen', 'particular tropical subtropical', 'high cost labor', 'family involving total', 'psi tt', 'segregating holstein gwas', 'absence detected linked', '01 29', 'performed mir206', 'torsional strength', 'included comparison', 'indicate bta29 putative', 'bf ssc1 ssc6', 'focused detecting gene', 'gene landrace', 'wide association detected', 'specie objective', '42 63 cm', 'secondary trait concentration', 'gain duroc', 'heritability estimated', 'involved trait result', 'regulates adipogenesis biological', 'family size ranging', 'medicine identify', 'season age result', 'slope protein percentage', 'mexico dual', 'region sequenced exon', 'grade brown', 'hypothesis host resistance', 'trait functional annotation', 'cm 05 level', 'study pig muscle', 'snp length', 'wld common noninfectious', 'domestication animal', 'heritable moderate', 'qtl total', 'teat udder structure', 'virus ipnv rainbow', 'ssc6 ssc7 ssc9', 'suggestive significant', 'interaction use new', 'discovery target mastitis', 'aj571671 1457a a59v', 'effect ranging 07', 'bmp15 gene', 'metabolism suggesting potential', 'twinning rate detected', '12 snp', 'exclusively chinese large', 'quarter meishan', '72 cm bta26', 'marker cssm66', 'nv bmc', 'pododermatitis footrot available', 'suggest gene screened', 'identified showing cis', 'squares regression interval', 'understand impact', '27a gene selected', 'intake important pathway', 'approach enlarged dataset', 'generation birds', 'component ii model', 'qtl daily feed', 'adck4 rear leg', 'snp pde1b gene', 'substantially affect', 'increased incidence death', 'siglec12 ctu1', 'level parental', 'unrelated infanticide control', 'genotyping platform allows', 'tail wing feather', 'activity assay', 'novel qtls candidate', 'trait year age', 'analysis revealed sutai', 'tested association approximate', 'cm tgla303 39', 'quality tenderness', 'variant genotyping detected', '260 microsatellites collected', 'new potential candidate', 'harbouring close', 'fertility particular', 'highest frequency', '118 chinese holstein', 'lm 882 ch', 'pleiotropic relationship', 'result multiple', 'variant white marking', '23 genomic', 'vertebra vertebra', 'cattle industry uk', 'impact growth feed', 'development morphologically', 'lamb responding', 'segregating n229h altering', 'association study discovering', 'boar synthetic line', 'ibmap especially identify', 'detected altering transcription', 'region bta23 strongly', '03 26', 'gria3 daughter pregnancy', 'o1 ectodysplasin receptor', 'based identity descent', 'closely linked qtls', 'improvement bone', 'crumb cell polarity', 'juicy pork', '83 guernsey', 'fatness qtl qtl', 'used successfully map', 'population developed broiler', 'inheriting hereford allele', 'result identified deleted', 'various association criterion', 'holstein case', 'landrace 23e', '77 mb', 'yielded result generally', 'endochondral ossification far', 'reduced fertility ayrshire', 'mutation polledness', 'omyfgt19tuf test', 'step search', 'uterine expression muc4', 'bh pa sire', 'evidence selection', 'leghorn dongxiang', 'physical chemical trait', 'base complex', 'backfat thickness previously', 'measured slaughter', 'usmarc linkage map', 'prolificacy fecx gr', 'body play key', 'meat color qtl', 'clone containing', 'mapping technique total', 'influence crucial', 'performed production trait', 'study showed particularly', 'wt fresh curd', 'activity hek 293', 'experiment ii revealed', 'nonselected sheep similarly', 'different trait measured', 'screening related gene', 'selected using', 'intake dfi initial', 'study ssgwas identifying', 'remains obscure', 'immune index sutai', 'grandchild randomly', 'desired egg size', 'rate 85 minor', 'snp showed substantial', 'including intron 10', 'f2 reciprocal', '662 significantly', 'complex trait controlled', 'detected range expected', '11 20', 'variation horse', 'week age identified', 'gene confirm linkage', 'population austria germany', 'developed beef cattle', 'snp located intergenic', 'population wide imputation', 'muscle cell', 'investigated relation', 'cryptic relationship', 'exhibited change', 'cattle confirmed nordic', 'exposed mixed', 'evidence haplotype association', 'large increased suggesting', '10 adjacent snp', 'phase immune response', 'adipose mesenchymal stem', 'economic impact disease', 'effect growth chicken', 'association study single', 'black population family', 'panel linkage', 'multibreed meta analysis', 'progeny carried wild', 'plymouth rock silkies', 'genome including region', 'based analysis differential', 'perspective data', 'member tox3', 'spotted non spotted', 'polymorphism generated', 'hen attain', 'located intron region', 'role vrtn', 'segregating result pleiotropic', 'homeostasis reported', 'understand genetic background', 'identified lmm analysis', 'different cancer subtypes', 'lcorl locus', 'fe performed', 'scale generation', '05 gene', 'frequency correlating', 'slice approach', 'industry disease', 'dna damage', 'intake measured growth', 'number teat yorkshire', 'significant haplotype minor', 'meta analysis performed', 'determinant palatability', 'useful marker marker', 'suggestive qtls ph15', 'upregulated 65 gestation', 'dry cured', 'chemical property', 'right ventricle', 'vertebra significant', 'qtl chromosome qtl', '10 included', 'acting eqtls significantly', 'fertility western pig', 'important clue deciphering', 'extensive search literature', 'scd haplotype genotyped', 'genetic correlation 99', 'm1 line haplotype', 'quality increasing intramuscular', 'significantly affect total', 'embryonic skeletal', 'included mutation', 'substitution intron', 'wide snp', 'size 05 higher', 'type chicken result', 'rs43032684 resides', 'cd46 ubiquitous', 'pou1f1 comparative', 'information investigation genomic', 'intercross pietrain large', 'qtls associated component', 'weight age 462', 'previous qtls', 'calving interval', 'gene closely', 'affect parasite resistance', 'genetic variation micrornas', 'region lp region', '30 day conception', 'nba nbd', 'significant snp related', 'current study including', 'implemented order', 'luciferase test', 'region probably covered', 'recent publication', 'attribute fresh', 'affect phenotypic variation', 'fibre trait using', '20 cross 216', 'pd αs2', 'respectively finding', 'temperature humidity', 'animal production social', 'adrb2 synonymous mutation', 'breed holstein useful', 'negative allele', 'rec available', 'genotyped 3317 progeny', 'weight averaging 335', 'spleen weight', '07 11', 'weight grade', 'immune response post', 'causative agent', 'bta22 close', 'carried identify', 'living farm', 'pork production', 'life study analyzed', 'repeated measurement', '12 100kb significant', 'intercross oh', 'coldblood horse symptom', 'identified gene association', 'region block', 'seven haplotype', 'study snp associated', 'pclo gene meta', 'high throughput amplified', 'tonsl npas2', 'urea content', 'bovine hd', 'sire stillbirth daughter', 'peak combining breed', 'utilizing larger', 'seven identified snp', 'born dead nbd', '19 586 cow', 'goiás march april', '4939 bfgl ngs', 'study assessed accuracy', 'determine number', 'host pathogen evolution', 'area trapezius lean', 'reduce number', '28 significant', 'genotype 12', 'information chicken', 'gh structural', 'cattle html http', 'marker 5147', 'resistant 22 susceptible', 'conducted local genomic', 'sigma marbling', '05 gg ct', 'detected pcr hpaii', 'selection program aim', '100 gene', 'slc39a7 trait present', '05 qtl detected', 'calf comparison', 'region moment', 'population method performed', 'showed ct genotype', 'aggression understand genetic', 'population australian sheep', 'testing gene ovlv', 'trans regulatory', 'ssc2 minolta value', 'protein fatty', '183 microsatellite', 'snp available 1629', 'nba total number', 'region respectively additional', '29 inferred haplotype', 'significant 20 10', 'designed multibreed cross', 'ascertained genotyping', 'order control systematic', 'study analysis pairwise', 'increased beef production', 'element close elovl6', 'pelibuey sheep adaptability', 'detection implementing real', 'intervention norwegian', 'conclusion drawn', 'breed different oc', 'data method 24', 'animal distributed 10', 'tentatively conclude fabp', 'antigen elimination', 'gene displayed significant', 'selection effect bone', 'locus spawning date', 'needed evaluate possible', 'significant 01 association', 'provide supplement high', 'gene influencing parameter', 'univariate bivariate genome', 'pair differential', 'polymorphism liver', 'year age', 'female reproductive cycle', 'respectively moderate strong', 'effect modelled random', 'syndrome cattle associated', 'autosome bta6 including', 'specific difference linkage', 'correlation liver muscle', 'percentage relative', 'phosphate metabolism', 'yield marbling yield', 'nc_019484 located', 'igf2 using', 'region provide', 'estimated restricted maximum', 'involvement domestication process', 'hmga2 previously', 'individual genotyped 600k', 'compare genomic', 'interval insemination', 'color egg', 'ssc17 qtl display', 'defined active attack', 'glm 15 snp', 'iris completely', 'map underlies', 'highly sought high', 'pirm syndrome result', 'cy aptitude retain', 'sow bf', 'significant snp positional', 'expression physiology', 'region wide oar3', 'snp specifically', 'analysis pronounced hypocholesterolemia', 'trait tibiotarsal', 'associated expression acsm5', 'animal trypanosomosis', 'fat water ash', 'component snp chromosome', 'snp strong ld', 'relationship result', '300 fish family', 'available genotype', 'variant ornithine decarboxylase', 'affecting loin muscle', 'equal zero', 'coincided described', 'qtl 16', 'weight dominant effect', 'beef animal', 'caudal supernumerary', 'control wool trait', 'generate statistic profile', 'mstn 435a', 'mterf2 rtmb', 'functional variant exist', 'association measured', 'hand muscle structure', 'healthy cow', 'increased suggesting presence', 'hormone play', 'polymorphism snp identified', 'absent panel', 'marbling moisture', 'attributed snp', '28 pqtdt', 'beadchip snp', 'common qtl', 'data concluded gene', 'ear size demonstrated', 'regression evidence qtl', '335 f2', 'associated breeding improvement', 'sheep 01 expression', 'ovine hapmap', 'snp using geneseek', 'depending estimator considered', 'dna marker recombination', 'melim mc1r allele', 'family showed nominally', 'china genotype aa', 'hyperpigmentation chicken comb', '25 suggesting polygenic', 'population including different', 'genotyped pig line', 'affecting resistance identified', 'recombination event', 'snp ssc6 149876507', 'data underline', 'predisposition located', 'significance observed', 'site disruption variant', 'small confidence', 'acid pufa', 'gene population associated', '49 cm study', '05 conclusion', '61 49', 'affected ocd', 'weight weight', 'ct genotype conclusion', 'residue backfat according', 'identified population study', 'finger cluster znf192', 'cartilage canal following', 'period temporal', 'milk yield hap', 'gene abc group', 'mapping locus associated', 'qtl genotypic heritability', 'showed 115', 'size standard', 'bt population', 'provide solution problem', 'making snp', 'line hen divergently', 'candidate gene participated', 'consequently barki ewe', 'performed aim', 'region enhances fat', 'porcine interleukin 1a', 'parasite strong genetic', 'denmark fld', 'srebf1 pla2g7 constructed', 'used impute 192', 'associated lactation average', 'exerted skeletal', 'gblup wssgblup', 'abcg2 known breast', 'feather crested', 'help understand genetic', 'size high', 'piedmontese cattle', 'cost methane emission', 'hair dark point', 'previously reported feed', 'recent advance sequencing', 'c18 corrected', 'sd 12', 'controlled gene', 'gene evaluated', '0125 polymorphism', 'allele exist', '117 tmem117', 'plw polish landrace', 'followed gene', 'ssc18 sscx sixteen', 'weight trait worm', 'free living soay', 'existing data', 'metabolism derived significantly', 'trait diagnostic', '20 mb additional', 'affecting growth carcass', 'showed paternal imprinting', 'selection domestication qtl', 'percentage average somatic', 'population snp marker', '24 26 28', 'bioinformatics molecular assay', 'fat yield region', 'body length birth', '27 combining', 'fat 0001 carcass', 'unit gain residual', 'different qtl', 'maternally expressed', 'explained 10 phenotypic', 'holstein 10 italian', 'selection measure meat', 'using nimblegen', '18 suggestive lod', 'suggest pnpla3', 'trait hampshire pig', 'c18 c22', 'indicating shank length', 'revealed putative', 'half sib group', 'fraction phenotypic', '80 mb', 'sex interaction identified', 'bcs dmi fpcm', 'immune response locus', 'week age qtl', '90 300', 'commercial crossbred progeny', 'purebred horse pre', 'growth birth', 'cm gga2 related', 'lamb born', 'sample brown swiss', 'ssc6 ssc16 addition', 'son genotype', 'trait facilitated innovation', 'inherited defect udder', '156 575', 'gain feed', 'pre ensembl', 'phe279tyr mutation growth', '50 enables', 'averaging 335', 'dgat2 fo', 'identity distance', 'scs sd study', 'sheep significantly', 'region candidate gene', 'marker rs110125325', 'coagulation process bovine', 'method 541', 'outbred sire', 'chromosome refined', 'snp chip firstly', 'technique applied', '110 informative microsatellites', 'pp fp significant', 'lactation remain elucidated', 'animal frequency haplotype', 'selection signature increased', 'exception genetic', 'cm downstream abcg2', '06 eqtl identified', 'surrounding mstn', 'region affecting fatness', 'effecting gene', 'level coverage', 'ripk2 wild type', 'intake 01 showed', 'known genomic region', 'current state', 'identify compare genomic', 'tnb 121 yorkshire', 'applied identify qtl', 'scan strongest signal', 'deviation dyds udder', 'oas1 ptpn11', 'variant responsible effect', 'region performed pcr', 'gdf8 known myostatin', 'association 54k snp', 'association study based', 'mammary gland', 'end point', '11 narrowed', 'infection status traditional', 'main promoter haplotype', 'data suggested', 'post mortem degradation', 'body wfe', 'major mutation gene', 'overdominance located', 'snp obtained', 'hoof trimming record', 'trait qtl ovulation', 'beef cattle useful', 'thickness bft1 bft2', 'bta14 direct', 'proximal end', 'consisted 100', 'potentially involved susceptibility', 'pre weaning average', 'important role embryo', 'coefficient fst', 'industry mainly devoted', 'lr 39', 'allowing identification', 'american brahman breeder', 'force marbling score', 'test program', 'contained amino acid', 'order conduct', '230 pig', 'ease bull', 'mmra respectively majority', 'identified informative', 'program improving muscle', 'response detected', 'quality attribute', 'exon 10 rflp', 'marker targeted', 'gwas rln 458', 'pigmentation cattle', 'white div pig', 'analysis identify causal', 'fatness score', 'laying hen', 'splice site disruption', 'breed representing vast', 'continuous farrowing', 'py protein percentage', 'kg absent 23', 'statistical approach developed', 'tn 95', 'weight female year', 'importantly qtl showed', 'outbreak united', 'transcription factor subunit', 'region 26 26', 'drastically refine qtl', 'extent r2', 'current assembly chicken', 'trait usda animal', 'recprotein high significance', 'ovulation rate breed', '9q31 affected bmd', 'puberty pig usually', 'study used data', '98 simmental gelbvieh', 'used reflect eating', 'affecting fat thickness', 'bmp15 bone morphogenetic', 'body grow', 'challenge animal genotyped', 'intron genotyped', 'sibling family focused', 'organ weight moderate', 'comparison hybrid bovine', 'linkage disequilibrium f4bcr', 'addressed gene', 'mass fertility', 'reproduction pooled', 'genome wise basis', 'harboured detected', 'approach italian large', 'bb genotype associated', 'insight genetic interaction', 'animal subgroup according', 'association pattern', 'pool probability', 'porcine f2', 'approximately 3000 year', 'amplified site 29', 'model conducted single', 'palmitic palmitoleic acid', 'pattern affecting', 'variant single nucleotide', 'dq494490 genbank dq487182', 'effect chromosome milk', 'goal identify genomic', 'variant difference proportion', 'hock ocd genome', 'measured analyzed', 'compound androstenone', 'grouping qtl rt', 'investigate snp', 'analyzed 370 snp', 'weight car fillet', 'result rhm', 'meishan pietrain breed', 'pig population suggested', 'type invertebrate', 'network exert role', 'effect mdv infection', 'pietrain f2 pig', 'program focusing bw', 'tissue northeast', 'chromosome 19 gene', 'progressive forelimb', 'bovine improvement bovine', 'background intramuscular', 'association study bull', 'seen ssc15', 'appear affect range', 'candidate fatty acid', 'adult abomasum small', 'return rate significant', 'conclusion porcine gpihbp1', 'qtl small moderate', '35 968', 'adipogenesis fat deposition', 'analysis additive genomic', 'allele recessive allele', 'bta5 combined linkage', 'additional qtls detected', 'strongly associated total', 'previous study polymorphism', 'mm mm', 'unraveled genetic variant', 'drumstick yield abdominal', 'correlation log10', 'mtpn involved regulation', 'en300 egg', 'interaction locus', 'involvement analysed', 'production selection', 'growth supporting', 'landrace duroc', 'rfi useful investigation', 'strategy proposed contribute', 'afe weight', 'colour pig', 'ocd horse', 'excretion process employing', 'marker superovulation response', 'influence underlying pig', 'reported study suggest', 'impact androstenone', 'postnatal growth birth', '35 630 informative', '42 cm', 'expression higher muscle', 'suggest scd fads2', 'oar3 chromosome', 'subsequent batch', 'qtl medium large', 'underlying genetic variant', 'qtl marker interval', 'conclusion genome wide', '48699 myocyte', 'phenotypic trait pig', 'c18 index sfa', 'major issue relevant', 'calving fifth parity', 'method chromosome wise', 'pc revealed 33', 'steak united', '280 cow', 'ssc2 ltnb associated', 'breeding based genomic', 'polymorphic selection covering', 'estimated posterior distribution', 'correlated rfi associated', 'objective muscle fiber', 'respectively report', 'bovine ankyrin ank1', 'present bayesian', 'animal showed predominant', 'miristic palmitoleic', 'knowledge highest marker', 'fat fatpc leanpc', 'marker used parentage', 'related bw70', 'underlying fitness related', 'meishan pig', 'clinical mastitis jersey', 'study inbred chicken', 'mir snp significantly', 'infected parasite', '645 investigated cattle', 'value 02', 'knockdown sorcs2 mrna', '40 137 qtl', 'variable region cnvrs', 'study detect', 'using 11 527', 'wide significance single', 'higher marbling steer', 'cattle increased', 'substitution amino acid', 'size 200 subject', 'pde4b involved camp', 'soay sheep st', 'increased substantially evidenced', 'gh gene', 'mendel law', 'fatty acid synthesis', '31 984', 'lcorl ncapg risk', 'segregating crossbred', 'herd genetic', 'rtn large', 'area ema position', 'identify potential quantitative', 'systematic environmental quantitative', 'nc1 loc512672 identified', 'bta24 suggesting', 'million snp', 'gene underlying qtl', 'family analysis', 'equidistantly distributed', 'previously reported highlighted', 'lepr gene 15', '87 cmar', 'influence promoter', 'involve pleiotropy linkage', 'acid similar position', 'fat thickness analysed', 'approach combining', '13 contemporary group', 'son used marker', 'effect information contained', 'copb1 highly', 'disorder fld aid', 'food production chinese', 'correlated conclusion detection', 'named fecl', 'variant affect different', 'level significance detected', 'qtl analysis key', 'qtl bta22', 'risk conducted', 'psap gene se', 'variance 18', 'severity ovlv', 'new snp', 'stood strongest candidate', 'selection blup', 'muscle characteristic result', 'drive antitumor', 'included hot', 'genetic knowledge trait', 'tibia length research', '11 region', 'level significance', '11 combined genotype', '4b pde4b', '40 time greater', 'growth glucagon', '14 862t tnfsf11', 'cattle 2780 identified', 'differentiation factor inhibin', 'texel ml ewe', 'development marker', 'gr candidate', 'ii model', 'method 215 individual', 'mir 1596 5678784a', 'hand energy reserve', '17 28 week', '0601 ubl5 position', 'conclusion snp identified', '600 cnv', 'sc exhibited pathogen', 'ssc fatness', 'stillborn piglet nsb1', 'thickness affect preservation', 'hormone gene gh1', 'include breeding plan', 'weight adjusted', 'position 82', 'current study distinct', 'shaping genome used', 'used evaluate french', '15 positional candidate', 'downstream recombination coldspot', 'upregulation nudt7', 'dominance effect', 'bull deregressed', 'bracket regarded', 'rgmb riok2', 'importance hox gene', 'response time observed', '5312 piglet indicated', 'different mechanism', 'domestic poultry', 'contained amino', 'evidenced higher ratio', 'precocity used selection', 'identified overlap', 'shear force marbling', 'produce cheese recently', 'explored laiwu', 'phenotype framework daughter', 'selection 16', 'ebv estimate breeding', 'produced tryptophan bacteria', 'respectively marker ars', 'bm6425 chromosome', 'harvest group', 'effect qtl nte', 'f3 backcross', 'arise compromised horn', 'ssc6 rn 115', 'nucleotide base', 'covering ability recycle', 'gender interaction', 'analysis qtl result', 'individual white duroc', '883 progeny', 'sequenced fragment candidate', 'genome wide association', 'analysis ixodid', 'nonrandomly clustered', '646 single nucleotide', 'snp 26', 'snp pig chromosome', '235 second generation', 'detected ca', 'possibility study quantitative', 'dairy cattle result', 'market request breeding', 'significant association ncapg', 'coa desaturase delta', 'using equine snp70', 'macro environmental', 'age genotype 30', 'disease trait test', 'percentage fat higher', 'reproductive biological', 'higher expression', 'marker density aquaculture', 'measure individual cow', 'gene network exert', 'muscle 540', 'performance trait association', 'beef flavor beneficial', 'intramuscular fat 86', 'mechanism underlying variation', '70 73', 'assigned based', 'aim detect region', 'characterize variability lipid', 'group omega omega', 'plasma level triglyceride', 'identify susceptibility locus', 'hmga2 similar explained', 'provide additional snp', 'region bovine fshr', 'infects quarter', 'used dna', 'suggest opn', 'complement recent holstein', 'receptor drd2 vasoactive', 'diallels addition', 'approach pig', 'snp cacna2d1', 'trait documented', 'percentage lmp porcine', 'important trait performed', 'level comb', 'forelimb lameness', 'muscle kidney enriched', '644 pig representing', 'qtl analysis calculated', 'coa hydratase', 'bta5 297 395', 'line cross qtl', 'gng2 linked monomanine', 'breed investigated', 'chosen putative', 'gwas multiple method', 'reproduction generated increasing', 'reproduction health', 'tumor evidence initiator', '14 prominent', 'individual related', 'ssc7 ssc12', 'piglet parent', 'neonatal young pig', 'different picture', 'rs14011776 igf1r showed', 'erhualian bamaxiang', 'disease pattern respect', 'density contour feather', 'genetic architecture controlling', 'erhualian resource', 'dehydrogenases hsd17b14 addition', 'averaged genetic', 'identifying snp', 'profiler beadchip', 'population 05', 'individual 26 individual', '400 bp', 'prior 46 day', 'region pleiotropic effect', 'scheme new data', 'egg component', 'rate litter', 'persistency type fertility', 'explain combination 23', '15 endocrine fertility', 'bta 106779', 'ph flavor', 'genome knowledge', 'rate 32 genome', 'estimate unit', 'production phenotype concordant', 'commercial line', 'remaining 11 snp', 'subunit ncapg', 'snp 192', 'pig study dataset', 'zp3 significantly', 'rfi2 rfi1', 'individual fed diet', 'affecting ph', 'kaiser criterion', 'marker interval eth10', 'test total 61', 'ability understand genetic', 'affecting female fertility', 'french beef cattle', 'greatest number snp', 'segregating maternal paternal', 'domain transcription factor', 'predispose egg', 'fatal bite wound', 'genotyping array subsequently', 'percent shear', 'role altering', 'breed overlapping', 'missense mutation bioactive', 'attribute flavor appearance', 'response piglet', 'significant difference haplotype', 'gene 878bp 398', 'refine position qtl', 'deeper measured ultrasound', 'selected epidemiological information', 'trans acting ci', 'complementary genetic functional', 'generalized linear', '36 located', 'gland later', 'teat number pig', 'measurement integrating number', 'autosome increasing number', 'callabus chromosome', 'half sib model', 'imprinted qtl fat', 'identified human chimpanzee', 'result differential ncapg', 'individual used dependent', 'steer sired', '01 chromosome level', 'breed genotyped 059', 'design aim', 'explain small portion', 'backcross lamb', 'genes sequences', 'lead acute day', 'locus arm', 'weight withers', 'indel 2574_2576delgtc production', 'lifetime kilogram lamb', 'slc5a1 slc5a4', 'fatty acid c12', 'danbred landrace 27', 'fat growth rate', 'type interferon signaling', 'jb1 jb2 respectively', 'individual selected related', '56 10 66', 'pair assigned cluster', 'fp significant association', 'slaughtered 160 kg', 'range qtl model', '23 82 low', 'block providing', 'fwec haematocrit', 'detected qtl small', 'trait cattle reported', 'disease md', 'locus qtl depends', 'wbsf respectively', 'described region genome', 'lalba gene functional', 'score yield', 'qtl body composition', 'largely consistent', 'primarily affect sc', 'line result constructed', 'consider different', 'genetic effect course', 'showed moderate', 'individual 518', 'used genotyping parent', 'androstenone ssc5 landrace', 'genotyped entire', 'individual snp1', 'zebu cattle information', 'scd plausible', 'selection cattle resistant', 'average body', 'approximately 50 genomic', 'genotyping 80 case', 'weak eggshell', 'suggested qtl located', 'high expression level', 'cd46 tv', 'neauhlf genotyped', 'lethal common population', 'ndv single', 'berkshire performed', 'polymorphism identified lrp12', 'sequence coding nucleotide', 'taurus examined', '002 006', 'specie using commercial', 'additional 37 snp', 'disease compared', 'gene involved category', 'box protein', 'used genomic analysis', 'model genome', 'previously evaluated', 'rate ultrasound', 'scrofa chromosome compared', 'suggestively significant snp', 'region reported previous', 'tick burden detected', 'snp array japanese', 'phenotype related epidermal', 'likely position second', 'respectively conclusion snp', 'associated desirable increase', 'precision shared', 'including age', 'identified pig base', 'preovulatory ovary', 'constitutive hyperglycemia chicken', 'chicken carrying', 'steroid hormone potent', 'location qtl linked', 'age genetic architecture', 'bovine 54k', 'maturation skeletal', 'relationship polymorphism abcg2', 'pebp4 significant physiological', 'cd46 tv splice', 'finding facilitate discovery', 'bioavailability receptor', 'bw cw afw', 'slc11a1 region involved', 'strep dysgalactiae staph', 'trait igf2', 'angus data 094', 'percentage hot carcass', 'component antigen relatively', 'mb superior', '2281a 2108c', 'shedding 75 cfu', 'sib north', 'body condition wasting', 'muscle weight', 'usp43 gene significantly', 'assignment role', 'study egwas performed', 'meishan ib used', 'functional teat qtl', '13 58', 'captured known', 'association map4k4', 'analysis result indicated', 'ssp1 used', 'negatively affect', 'pathway related lipid', 'compare analyzing', 'qtl appear common', 'qtl 124', 'snp jf748727 2836', 'candidate gene lp', 'sequence data', 'composition association feed', 'effect odc polymorphism', 'period 2007 2011', 'architecture extensively', 'factor overall', 'genetic parameter fat', 'encompassing myostatin', 'cross 216 mxp', 'variation rfi', 'tested sample 2189', 'region gene total', 'relevant literature', 'growth restriction', 'concordant result', 'fat af', 'gin infection enhancement', 'gradually declining decade', 'altering fatty', 'information similar', '36 faecal', 'assigned ssc10q14', 'bta6 replicated', 'force palmitoleic', '44g 622c', 'cc difference', 'located near scd', 'milk mineral content', 'genetic disorder', 'deviation data son', 'force horse', 'δ2 lma δ2', 'qc explained 12', 'qtl assist', 'precursor cell', 'health husbandry', 'problem piglet', 'sire swedish red', 'raw firmness', 'flow vegfa', 'bta9 analysis identified', 'nba nm seven', 'associated mean standard', 'fourteen genome', 'explained qtls', 'located far qtls', 'genetic variability remains', 'averaged cow 50', 'friesian dairy cow', 'trait enzootic pneumonia', 'polygenic sex', 'longer productive', 'plymouth rock using', 'cross second', 'mixed model case', 'mammary rnaseq', 'dehydrogenase family', 'gain 05', 'eqtl colocalize qtl', 'extent spite', 'identify region cattle', 'variance component restricted', 'provides evidence npc1', 'model used statistical', 'volume pcv faecal', 'chromosome 14 using', 'aim study search', '250 kb', 'cutaneous invasion conclusion', 'shelled chicken white', 'level 297', 'family clustered human', 'using squares', 'conclusive goat', 'induce indirect improvement', '12331t resulting missense', 'comb fowl gallus', 'mttp protein result', 'multifactorial disease clinical', 'performed microsatellite', 'thirty marker', 'rainy season', 'adipocytes 10', 'activated receptor ppar', 'heterozygote chosen', 'production virus induced', 'data previous study', 'snp provides starting', 'associated saturated', 'cattle use', 'bf imf respectively', 'gene detect novel', 'heritability cn cn', 'ssc18 marker arf5', 'adg3 month month', '59e 04 fat', 'myogenic precursor', 'thermotolerance dairy', 'cost genomic level', 'duroc hampshire population', 'primary cause bone', 'chromosome detect qtl', 'regression gridqtl', 'utilised genome', '15 false discovery', 'female reproduction', 'study determine extent', '17 chromosome yielded', 'montbéliarde cow 442', 'yield significant', 'bovine tissue mammary', 'explored rainbow trout', 'regulation tissue remodeling', 'lactation trait livestock', 'trait suggest study', 'warner bratzler peak', 'descended commercial', 'meat quality reproduction', 'map order map', 'identified normande bta01', 'improving semen trait', 'aa ag genotype', 'quality production trait', 'ovine host', 'benefit increase', 'associated rlf', 'nr6a1 gene sheep', 'allele associated', '20 snp significantly', 'stillbirth qtl affected', 'commercial population meishan', 'locus potential improve', 'indicator male fertility', 'cost poultry industry', 'estimate varying 17', 'association studied stress', 'measured qtl', 'affecting cm2 cm3', 'milk component objective', 'illumina ovine hd', 'measured animal slaughter', '21 snp significantly', 'literature liberal approach', 'associated evaluated fertility', 'separate group 371', 'variance presented', 'interleukin il2', '226 538', 'level significance compared', 'including additive effect', 'carrier 62 single', 'present putative', 'conceive tbrd', '878bp 398 165bp', 'different haplotype', 'member documented negative', 'suggests common mechanism', 'pathway critical', 'length trait', 'separated family detected', 'selected high twinning', 'periweaning failure thrive', 'located gallus gallus', 'higher mutant sheep', 'strong evidence major', 'component score', 'negative relationship volume', 'analysis selected', 'beta adrenergic receptor', 'including bw breast', 'selection purpose', 'population polymorphism', 'chicken performed individual', 'dataset effect', 'low growth rate', 'transcript cart gene', 'puberty gilt ssc17', 'mutation underlying swine', 'controlling gluc', 'identified 38', 'invasive villous', 'trait 160', 'marker localized', 'body weight carcass', 'major economic production', 'identified overrepresented process', 'fecxi fecxl fecxo', 'qtl completion', 'effort identification', 'cm used genotyping', 'performed obesity index', 'ovulation rate 17', 'widespread pig', 'available 272', 'imqp f1 boar', 'effect dgat1 a232k', 'cm2 cm3 lactation', 'eqtls associated gene', 'breed difference suggest', 'h3h3 diplotype', 'particularly prevalent outdoor', 'breed 660 novel', 'inflammation making', 'factor polygenic effect', 'segregation previously reported', 'animal specie human', 'eca2 48', 'moderately highly heritable', 'teat important selection', 'interestingly altered mir206', 'qtl facilitates', 'correlation ranged 56', 'gene highly', 'library length akr1c4', 'gain 48', 'affecting number tumor', 'used identify 21k', 'obtained heifer bred', '761 zebu', 'pooling strategy reduced', 'regulation regulated', 'variation bovine follicle', 'snp chromosome 18', 'lipoprotein analysed positional', 'ossification adipose tissue', 'candidate genomic research', 'process endochondral', 'lod qtl', 'lead complex phenotype', 'region oar3 24', 'transformed pcv statistic', 'using single qtl', 'need refined study', 'immune response good', 'canchim charolais', 'selection focussed improving', 'assessing productivity farm', 'gwas ssgwas', 'lg prl recorded', 'low blood calcium', 'number left', 'outdoor production', 'significantly differentially', 'refine qtl', 'assessed accuracy genomic', 'enzyme responsible biosynthesis', 'significant behavioural problem', 'lead improved', 'heritability environmental variation', 'tolerance pt average', '1033 day', 'associated c17', 'attribute investigated using', 'required implementation marker', 'result additionally', 'consist mainly erythrocyte', 'identify predictor forecast', 'thirty single', 'ct ldl qtl', '_csrp3_83 cm', 'lactoglobulin content different', 'intron3 g3072a', 'rbc specific', 'number mummy mum', 'brings 13 number', 'analysis 11', 'circumcincta larva l3', 'relative area', 'qtl represent real', 'total 461', 'survivor sample detected', 'sheep breed human', 'carcass trait f₂', 'new zealand romney', 'showed wt allele', 'arhgap39 gene', 'thickness previously identified', 'report seemingly', 'yellowness myoglobin', 'detected trait composite', 'polymorphism lalba_g 242t', '500 jersey 83', 'located sus', 'breed useful', 'dgat1 gene elucidate', 'protein ligase e3b', 'marker association haplotype', 'variance ranged 16', 'fdr suggested potential', 'disease valuable tool', 'validate subtraits affected', 'china result', 'adrb3 gene', 'established using bonferroni', 'pietrain sired cross', 'affecting biological mechanism', 'miniature sire previously', 'effect live weight', 'potentially useful', 'qtl determining', 'dairy cattle functional', 'jersey cross breed', 'genotyping half sib', 'significantly worse fit', 'performed combined linkage', 'window associated imf', 'size reproductive seasonality', 'scan accounted', 'segregating small family', 'f2 generation estimate', 'nematodirus egg count', 'wd repeat', '80 mb 48', 'measured different time', 'used additionally', 'mainly difficulty', 'dgat1 selected', '05 additional qtl', 'cattle affected', 'reticuloendotheliosis virus', '1036 dpr', '76 significant test', 'white swine using', 'computed complete', 'gene window explained', 'overall body size', 'qtl direct gestation', 'useful resource', 'objective internal organ', 'assisted selection using', 'contained gene associated', 'significant 05 chromosome', 'region utr 2799g', 'bta23 value 10', '78 03 90', 'occurrence studied snp', 'studied great', '627 aa', 'wise level isu', 'difference sib', 'large quantitative', 'mouse conspicuously close', 'regional variance clarify', 'increase experimental power', 'index score', 'snp detect', '01 residual feed', 'effect significant', 'used genotyping', 'revised qtl analysis', 'advance sequencing genotyping', '24 sm ssc7', 'fat meat chromosome', 'messenger rna evidence', 'showed snp07', 'accretion independently', 'meat production product', 'synthetic commercial', 'new refined', 'encodes putative protein', 'snp enlarged sample', 'ssc2 detected using', 'organism current', 'yield percentage bta26', 'snp ucp2', 'identified major qtl', 'production wool', 'amino acid', 'efficiency livestock', 'circumference identified chromosomal', 'backfat intramuscular fat', 'based haplotype summer', 'cattle real', 'clade nexin', 'cnv encompassing anxa10', 'incubation time sheep', 'production allelic', 'chromosome 14 22', 'anxa10 cow associated', 'known affect pigmentation', 'method parameter estimation', 'effect qtl m2', 'reproduction chicken', 'potential genetics variant', 'ease carcass', 'bull used test', 'comparing analysis method', 'small proportion', 'thawing abnormal spermatozoon', 'respectively accuracy prediction', 'commercial hanwoo population', 'trait wise critical', 'association mapping central', 'family average', 'ssc4 ssc9', 'service 16', 'performed resulting', 'gene location total', 'linoleic acid ratio', 'pedigreed white', 'inherited component', 'cattle quantitative trait', 'successively 50k', 'weight confirmed', 'cm fertility', 'milk performance behaviour', '13 constant contained', 'score bf', 'specific map map', 'strain addition antibody', 'percentage variance explained', 'probability infection based', 'joint data', 'differentiation process present', 'cdna obtained liver', 'descendant usmarc', 'fold 95 ci', 'decreasing dmi rfi', 'identified ib', 'potential relationship particular', 'collected commercial', 'data provide', 'opposite homozygote', 'significant observed polish', 'promoter activity spp1', 'gdf9 bmp15', 'interaction network consistent', 'elisa tests', 'breed 54', 'suggests tested', 'small high', 'number founder breed', 'pork meat derived', 'indicus comparison published', 'anxa10 vivo', 'genetic variance presented', 'mir206 snp data', 'age sample', 'myod myog mef2', '10 sick', 'protein kinase activity', 'duroc pig determined', 'domperidone related', 'characterize expression variation', 'oc location using', 'seven time period', 'previously undetected qtl', '304 informative genotype', 'significant qtl body', 'teat considerable', 'region performed genome', 'mitochondrial function', 'relatively large number', 'beef steak united', 'f94l segregating limousin', 'family trait value', 'highest fst', 'potential antagonistic effect', 'puberty predictive factor', '3096c significant', 'nr3c1 gene', '86 synonymous', 'fasn gene associated', 'gilt trait included', '17 17', 'addition foot leg', 'practical approach', 'little variation number', 'correlation twinning rate', 'bovine tuberculosis btb', 'seemingly failed confirm', 'comb analysis selection', 'containing xirp2', 'lm significant', 'growth respectively gga4', 'improve dietary need', 'rarely applied', '10 allele log', 'trait backfat thickness', 'analysis 230', 'exists measurement', 'subset 229', 'amblyomma hebraeum', 'lysine position', 'daily gain cattle', 'finding suggest', 'set genome scan', 'snp pde1b', 'fat composition specifically', '05 total', '27 hereford', '06 genome analysis', 'family indicating cw', 'used data 000', 'day length', 'cm aim study', 'subsequently 14', 'insemination conception', 'approach growth', 'model averaging procedure', 'fitted single snp', 'cw cd', 'phenotype group', 'anxa9 02 holstein', 'ptprm nup88 adck4', 'trait related feed', 'binding target mrna', 'result concordant', 'identified anova stage', 'population polymorphism 492', 'mutation linked', 'mutation created', 'identify marker associated', 'network gene underling', 'glucose level genotypings', 'aim detect', 'showed rs400827589 correlated', 'protein lg', 'emmax revised', 'bta26 bta27 multitrait', 'analysis 21 958', 'associated ercr sperm', 'lrrn6d map', 'ier3 bta23', 'sheep better', 'level close', 'foreign origin', 'bta16 bta11 bta26', 'cell mediated immunity', 'region component', 'mirna ca', 'ncccwa genetic map', 'male female progeny', 'thickness bf', '19 day', 'observed sscx trait', 'trait glm gga4', 'identified ah1 haplotype', 'data collected 298', 'infection corresponding region', 'bmp family support', 'resistant f2 chicken', '272 kg', 'dicer1 progression', 'bull total 13', 'genetic variation region', 'snp cry2', 'loss minolta', 'using 11 single', 'dmy fp', 'measured population polymorphism', 'challenged pleuropneumoniae serotype', 'low level skatole', 'block gga27 harbored', 'acid pig methodology', 'dfiadj respectively', 'approximately time lower', 'role organ', 'calpastatin sample snp', 'gene correspondence', 'suggesting strong candidate', 'association weight matrix', 'difference seen', 'rs132865003 rs133498277 fasn', 'detected polymorphism potential', 'chromosome neuronal cell', 'bp indels', 'imputation accuracy', 'approximately fifth chicken', '12 gene bdh2', 'control knowledge genetic', 'concentration serum measured', 'snp sc significant', '33 subcutaneous', '3020a play role', 'predisposition environmental', 'assembly enabled conduct', 'assigned cluster', 'produced 497 multivariate', 'boar meishan population', 'conformation addition foot', 'rs14657336 rs13684613', 'chromosome 12 25', 'distal region conclusion', 'region gga15', 's0008 high', 'egg counted separately', 'sscx epididymal', 'contained 746', '10 phenotype suggestive', 'rate 90 excluded', '800 single', 'qtl significance level', 'possibility interaction nos2', 'black plumage', 'feather pecking aggressive', 'beadchip performed pilot', 'regulate appetite pig', 'r2 493', 'intrinsic membrane', 'number properly', 'industry study', 'repository 214 cow', 'change potentially', 'using regional', 'real datasets chinese', 'different porcine autosome', 'ssc1 10 11', 'ppargc1a located', 'glm procedure', 'cattle chromosome 15', '1226t negligible', 'relationship known', 'chromosome scd', 'located conditioned', '17 growth', 'future livestock breeding', 'worldwide selective', 'production 300 age', 'carrier non carrier', 'merino backcross progeny', 'native breed male', 'sharp qtl peak', 'wide 01', 'outside weaning', 'trait order', 'identified snp used', 'exon transcript', 'considering importance segregating', '01 genomic effect', 'affected control', 'cm c14', 'protein yield content', 'candidate twinning', 'interestingly chinese', 'ld asp298asn single', 'massarray sequenom', 'variation observed trait', 'architecture biological', 'craniofacial neurocognitive skeletal', 'health concern consumer', '371t 805g snp', 'resource population furthermore', 'associated testis weight', 'effect highly significant', 'backfat thickness sixth', 'distribution single model', 'cft trait reinforced', 'mon normande holstein', 'evidence overtransmission', 'tropical country', 'model subsequently', 'correction line', 'construction genetic linkage', 'linkage analysis used', 'related fat production', 'examined single', 'ube3b pirm syndrome', 'marker cssm66 lying', 'parent grandparent', 'result charolais holstein', 'porcine 62k', 'piglet cnw', 'result provides', 'national database total', 'additive quantitative trait', 'employed identify associated', 'snp 38017 34240', 'detected eqtls', 'haplotype diversity revealed', 'population 195 subsequently', 'point early late', 'acceptance investigate genetic', 'aiming uncovering', 'breed 236', 'wide combined linkage', '942 young', 'eca 10 27', 'health type trait', 'disequilibrium ssc4', 'previous association', 'region cnvrs divided', '799 ewe', 'additionally aca', 'using gb data', '515 787', 'analysed estimated ld', 'gtf2ird1 utrn', 'chicken economic', 'evidenced strong population', 'strength intercross', 'developed simultaneously', 'economic trait benefit', 'key gene genetic', 'locus affect birth', 'technology roche', 'criterion mapped chromosome', 'diet major protein', 'metabolism lipid metabolism', 'component ii', 'chicken genome', 'marker linked quantitative', 'binding domain', 'locus 10', 'model included relatedness', 'region complex 15', '15g fm209043', 'effect marker model', 'purpose used candidate', 'trait segregating', 'uniparous sheep single', 'point identifying', 'hypothesis elovl6', 'suggested increasing', 'parameter estimated genome', 'infectious disease important', 'insr cfd minolta', 'emerging problem', 'ssc15 strong', 'mln snp appears', 'chromosome related', 'texel commercial sheep', 'included quantitative', 'gene number significant', 'improve bone health', 'indicated allele coming', 'mycobacterium avium ssp', 'igg2 trait', 'variation glycolytic potential', 'length shank growth', 'controlling false', 'qinchuan red yellow', 'investigated 30', 'group single', 'elisa panel', 'fdr false discovery', 'associated respiratory disease', 'significance level parametric', 'data analyzed square', 'horse chromosome', 'naturally exposed sheep', 'score linear', 'individual subsequent', 'located intronic', 'trait directly affected', 'rate region contains', '717 chinese', 'different data set', 'number porcine', 's0008 influence', 'mapped 126 128', 'indel isu', 'bft hanwoo cattle', 'identical region', 'belongs group', 'consists 462 snp', 'desaturase scd', 'lumbar fat', 'pneumonia like epl', 'puberty fundamental', 'worthy characterization', 'ca 44 fe', 'qpcr result suggested', 'identification gene', 'herc5 herc6', 'trait 31', 'using 600', 'snp effect phka2', 'la performed using', 'complementary tool identification', 'nucleotide polymorphism distributed', 'protein fat yield', 'male animal', 'rna expression', 'mstn demonstrated', '016 polymorphism', 'glm compressed', 'domestication related behavioral', 'rate male salmonid', 'comparison trend breed', 'mutation 874g effect', 'variability immune', 'located previously identified', 'knowledge regarding', 'analysis conducted hypothesis', 'breed parity', 'change shape', 'improved texel polygenic', 'polled locus ifnar1', '05 nsb 05', 'investigated pig sequence', 'pik3r1 pla2g12a hif1an', 'color distant telomeric', 'ssc7 qtl analysis', 'muscle lung', 'value tnb', '42 243 snp', 'resistant susceptible control', 'complex network', 'genetic architecture quantitative', 'experimental limitation previous', 'haplotype chap', 'value chromosome', 'additional hpaii', 'line potential', 'genetics cattle behavior', '600 chicken genotyping', 'identified suggestive', 'suggesting gene underlying', 'sheep applied', 'originated obese erhualian', 'pooling selective genotyping', 'meat spot frequency', 'alternative transcript fetal', 'objective study confirm', 'study indicate', 'multibreed multitrait', 'ifcifc abt performed', 'meat chromosome', 'milk riboflavin content', 'fatty acid qtl', 'non zero covariance', '42 01 84', 'heifer method dataset', 'significant genetic region', 'similar rfi', 'health evaluated family', 'different underlying genotype', 'trait correction multiple', 'crucial role regulating', 'gene obtained sorcs2', 'approach used search', 'component analysis genetic', 'list genomic', 'remain wide', '612 difference', 'probability false positive', 'subtraits correspond', 'prrs host', 'test value decreased', 'result genome scan', 'weight growth rate', 'phenotype regressed additive', 'animal model implemented', 'potentially confounding', 'day correlated', 'stage abnormal', 'able identify single', 'bacteria intestine', 'included 157 polymorphic', 'obtained high genomic', 'tmem154 consistent association', 'illumina snp beadchip', 'rs42670352 associated rfi', 'developmental change', 'marbled high marbled', 'sib male chicken', 'acsl1 gene identified', 'confirmed qtl eca1', 'modern broiler ascites', 'phenotypic variance canonical', 'lactation 20', 'snp altering', 'leukocyte trait erythrocyte', 'genotyped tested', 'performance beef cattle', 'ewe mutated allele', '12 chicken breed', 'containing gene important', 'threshold determined', 'context dependent qtl', 'resistance infection causative', 'blackface suffolk', 'refined 33', 'sheep paper present', 'tlr gene', 'component qtl chromosome', 'observe effect allele', 'followed gene identification', 'longevity measured', 'east asian', 'high homology insulin', '27 hereford approximately', 'group conclude', 'component reproduction', 'gray lipizzan horse', 'polymorphism 1033', 'ventricle hypertrophy accumulation', 'gene involved ossification', 'including putative qtl', '16 eqtls', 'gene selected candidate', 'granulosa cell identified', 'analysis construct', 'boar commercial', 'cheesemaking process', 'measurement ranging farrowed', 'skin percentage', 'http bovineqtl', 'qtl provides', 'liberal approach taken', 'litter size second', 'pcr expressed', 'meishan pig snp', 'prevalence entropion 01', '667 f2', 'prnp locus', 'rate 23 32', 'significant qtl affecting', 'like single', 'size smaller cross', 'using 791', 'chicken genomic sequence', 'marker mainly located', 'analysed backfat thickness', 'determined large', 'principal component', 'single genome wide', 'loss egg', 'large effect underlie', 'chromosome region contribute', 'expression significantly 05', 'compare region', 'snp uchl1 adjacent', 'maternal effect 13', 'sw1355 sw1823 main', 'qtl reproductive trait', 'adjusted 420 day', 'approach refine qtl', 'cfd 306c', 'country significant', 'ii experiment 17', 'bodyweight gain using', 'population facilitate genetic', 'narrowed 24', 'allele mutation', 'score phenotype quantitative', 'snp consistently', 'validate eqtl', 'bcse alternatively', 'bp partial utr', 'second structure pre', 'yield certain', 'measured infection', 'oar 12 18', 'agree previous', 'resistance cd tlum', 'locus affected entire', 'respectively digested', 'production trait including', 'analysis employed association', 'prediction gblup variance', 'currently using molecular', 'faecal cfu genome', 'response influence approach', 'region explored genetic', 'different zero', 'association trait type', 'sire model ranged', 'trait confidence', 'variant observed new', 'backfat conclusion', 'c522t bpi exon', 'pathway linked', 'cow desired', 'associated dietary quality', 'explained 19', 'involved physiological stress', 'heterogeneous residual variance', 'prediction genomic estimated', 'fat imf clear', 'length utr cloned', 'revealed total 62', 'data analysed selective', 'significant effect bw49', 'aim confirming quantitative', 'identified disease', 'result indicate loss', 'chromosome trait analysed', 'finger gli2 neuronal', 'additive qtl', 'locus qtl precision', '16 genomic', 'pig genotyped wur', 'keyhole limpet hemocyanin', 'affecting quantitative trait', 'overlap span', 'piglet cnw respectively', 'slc2a9 empirical 007', 'study identify genomic', 'previously identified pleiotropic', 'response infection nematode', 'higher compare val', 'broiler leghorn apovldl', 'affected lm qtl', '45 multipoint analysis', 'growth trait carcass', 'phenotype control non', 'sample locus complete', 'perform calpain proteolysis', 'indicated distinct chromosome', 'ssc7 beneficial characterize', 'qtl trait related', 'microsatellite marker analyzed', 'binary nature trait', '598 animal charolais', 'fcr ssc2 associated', 'physiological role onset', 'molecular marker candidate', 'multiple single snp', 'fowl detect qtl', 'size present', 'linear regression daughter', 'analysis illumina 600', 'circumference month age', 'close swine leukocyte', 'candidate marker', 'quantitative trait lacking', 'breed 0e', 'chicken enhance', 'high level skatole', 'lt minolta duroc', 'result demonstrate effect', 'aldbsscg0000001928 expression', 'static developmental', 'contributing season', 'detection significance', 'chromosome sscx', 'mineralized salt ad', 'decrease age 110', 'process furthermore important', 'dairy trait', 'significant snp c14', 'trait 14', 't314c detected', '10 result', 'wealth knowledge complex', 'quality replicated', 'qtl analysis suggestive', 'significantly decrease', 'increased susceptibility diabetes', 'low lactation concentration', 'data genetic evaluation', 'order ass ability', 'qtl coincided previously', 'increase growth obese', 'chain analysis different', 'testing animal', 'logarithm value', 'trait bighorn', 'hepatogenous mycotoxicosis sheep', 'trait separately mixed', 'egg weight recent', 'specific gene', 'potentially improve understanding', 'showed association saturated', 'analysis consistently', 'ontology showed', 'qtl using 600', 'mitochondrial fusion process', 'gene linkage prnp', '19 porcine', 'absolute value dif', 'west african', 'integrity paternal broiler', '15079217delc rs723240647 coding', 'location confidence interval', 'locus 82 88', 'identified 40', 'aforementioned technology investigated', 'polymorphism result 17122a', 'protein level identified', 'group respectively', 'including total 1213', 'knott regression analysis', 'haplotype substitution similar', 'genetic parameter performed', 'goat cattle controversial', 'roh analysis', 'major fraction', '0009 lean percentage', 'percentage saturated', 'low heritability major', 'sample cohort', '07 lw androstenone', 'agent enzootic bovine', 'different family', 'landrace 13', 'map2k6 participate gonadotropin', 'animal better', 'different bco2 genotype', 'calving ease animal', 'trait required animal', '312 microsatellites', '768 cbs pig', 'qtl length limb', 'snp scd', 'sire evaluation', 'sow genotyped 194', 'provide starting point', 'cpm gene contains', 'criticized risk factor', 'based nil commercial', 'bead chip', 'respective candidate gene', 'sheep primary', 'control cow genotyped', 'discriminating putative', '10 20', '000 snp gwas', 'advance genome', 'gene region plag1', '46 qtl previously', 'bmp7 gene identified', 'bta10 bta5', 'majority male large', 'ssc1 report time', 'polymorphism genotyped pyrosequencing', 'depigmented heterochromia pattern', 'gene fak pak', 'nonlinear model', 'isolated diarrheal', 'lesion ryr affected', 'qtlexpress qualified', 'fam198b tmem144', 'approach overcome limited', 'polymorphic microsatellites', 'recent genetic study', 'fixed improving', 'muscle tissue time', 'trait conducted', 'concordance region', 'comb mass egg', 'family created crossing', 'separately design trait', 'chromosome bta6 interval', 'plant breeding experiment', 'backfat thickness study', 'functional role imf', 'currently unavailable', 'circumference cannon circumference', 'remarkably qtl region', 'approach accurately account', 'ranged 14 population', 'weight different stage', 'known promising candidate', 'region using gene', 'additive genomic effect', '23 showed experiment', 'repeat cg nucleotide', 'permutation 100', 'highly heritable trait', '5746 holstein friesian', 'omy 17 jointly', 'rt polymerase', 'mt involved biologically', 'sw1953 18 04', 'allele appeared desirable', 'bw 35 42', 'challenge revealed', 'improvement current elite', 'genome wide efficient', 'qtl ranged nitrogen', 'gga gga1 gga4', 'hampered identification qtls', 'fat1 region statistical', 'production body', 'strongly affecting backfat', 'nutrition fat content', '570 712 snp', 'cc dc 01', 'control variety', '24 ph', 'csn3 gene', 'unique haplotype identified', 'ld adjusted', 'interesting result', 'deletion variant near', 'specific channel catfish', 'collectively 21 candidate', 'genome scan cpd', 'explained single snp', 'rfi bf goal', 'count explored', 'evaluate association carcass', 'immunocrits 470 litter', 'kinase signaling skeletal', 'increasing country', 'size cm region', 'fasn acetyl', 'utilized milk', 'cm resolution', 'analysis polygenic', 'epistatic effect epistasis', 'horse study examined', 'protein sp1', 'step elongation cycle', 'locus significantly', '12 static qtl', 'atp5b large', 'similar occasionally', 'chromosome japanese', 'set 820 snp', 'haplotype breed', 'season analysis used', 'known genotype', 'threonine acc alanine', 'crossbreed respectively', 'tested son 297', 'lumbar bft', 'suggestive lod 35', 'indicated haplotype formed', 'meishan pig single', 'corpus lutea number', 'range phenotype diabetes', 'connection variation fatty', '50k genotype various', 'carried chicken', 'pietrain pig ppara', 'mating parent', 'corresponds critical region', 'cast located chromosome', 'holstein qtl identified', 'differ footrot resistance', 'index enriched platelet', 'fat moisture content', 'using local', 'revealed highly significant', 'family offspring sire', 'corresponding development melanoma', 'present possible', 'lead better understanding', 'western pig finding', 'wise level permutation', '009 increased', 'shank growth different', 'harboured qtls production', '14 informative', 'lean muscle', 'classical breed cross', '79 significant', 'univariate outbred', 'required advantage', 'aspect social', 'feeding fasting consumption', 'leg weakness pig', 'increase pulmonary', 'effect harvest', 'determine qtl segregating', 'snp analysis', 'gga1 affecting', 'polymorphism snp significantly', 'closely linked dio3', 'tested bvd pi', 'trait showed', 'faecal tissue', 'novel avfec qtl', 'ssc dfi bf', 'tail fat development', 'association significance locus', 'consisting snp respectively', 'distal play important', 'snp myadm', 'hematocrit rectal temperature', 'association body mass', 'explained 27 18', 'telomeric end', 'single trait mapping', 'gland extract', 'snp scd region', 'candidate gene modulating', 'capacity 96', 'effect detected', 'length mass', 'element piii transcript', 'pooling strategy', 'ppargc1a subsequently haplotype', 'locus behavioural', 'history breed fatness', 'tt ebpβ transcription', '28 trait', 'difference ability', 'step control infection', 'applicable selective breeding', 'total particularly', 'detected utr restriction', 'transformed trait', 'trait making', 'confirmed generation', '118 119 33', 'preliminary evidence individual', 'cause increase 43', 'muscle growth result', 'imf important', 'new family', 'strategy proposed', 'wisconsin herd', '158 bp', 'fcr broiler identification', 'selected genome', 'effect 1574a allele', 'tb outcome disease', 'difference cattle breed', 'effect lepr polymorphism', 'developing footrot', 'early pregnancy ep', 'human salmonella infection', 'residual feed intake', '01 additional ssc1', 'cow high resistance', 'trait investigated holstein', 'qtl haplotype analysis', 'alter bmp5 interaction', '92 553 haplotype', 'information adg', 'tailing weight 009', 'trait prkag3 region', 'previous detected chromosome', 'model carried cm', 'sgc horse using', '16 weight', 'related severity ovlv', 'longitudinal approach able', 'egfr candidate', 'growth mammal', 'high genomic', 'mutation influence', 'feather peck', 'study revealed overlap', 'analysis revealed qtl', 'tenderness qtl pressure', 'line 60 snp', 'unknown homeologous', 'defined locus', 'incorporation genomic information', 'regression slaughter', 'life bta2 lrp1b', 'mnb209 span genetic', 'ssc6 significant', 's26449 random', 'd2 receptor drd2', 'crimp detected 28', 'based duroc', '572 progeny test', 'correlated drip loss', 'fast growth', 'fine mapped potential', 'include quantitative', 'qtl 05 located', 'growth trait utilized', 'placenta selected analysis', 'response tonic immobility', 'score average instron', 'cebpa gene detected', 'testosterone estrogen confirming', 'concentration holstein allele', 'locus extensive search', '12 finding', 'related milk', 'extended 58 informative', '80k single nucleotide', 'commercial pig breeding', 'putative link il8', 'myogenic factor', 'calculated single qtl', 'called vacaria fecg', 'proven negative effect', 'sporidesmin resistance fe', 'fine scale', 'homologous recombination', 'marker significant qtl', 'ratio female', 'related sign', 'related milk production', 'individual wt', 'strategy improvement', 'inra f₁ dam', '24296 swr1637', 'current study 1010', '1206 895 ng', 'muscle atp5b', 'reported modulate resistance', 'count milk energy', 'physical position man1c1', '75 cfu', 'dairy qtl effect', 'rediscovery mendel law', 'thickness us_m', 'meishan breed provides', 'milk chinese holstein', 'cell measured age', 'data using qtl', 'resistance free living', '37 candidate', 'fat percentage churra', 'gene coding', 'strategy avoid physiological', 'pig breed polish', 'content expression positional', 'compared obtained', 'joint analysis paternal', 'value 02 region', 'suggestive locus detected', 'red pied', 'strongly associated wbsf', 'role bone development', 'chip association test', 'cattle human', 'breeding practice beneficial', 'feather tract width', 'novel genetic variant', '15 direct', 'consortium prrs', 'identify promising gene', 'bmd endosteal', 'approach result dh', 'qtl thirteen', 'difference family', 'excess fat tissue', 'snp rs81358375 associated', 'independent variable', 'resulted 159 76', 'breeding mastitis resistance', 'histocompatibility complex qtl', 'line partially', 'qtl exceeded genome', 'restricted maximum likelihood', 'qtl explained 21', 'ripk2 identify polymorphism', 'study associated milk', 'polypeptide fshb', 'neuronal gene', 'family member inhibits', 'potential estimate loin', 'qtl region allele', 'way result', 'significance analyzing imputed', 'gwa analysis identified', 'proxy trait', 'classified small', 'improvement genome', 'origin identified', 'f2 crosses method', 'breed secondly quantitative', 'attention breeding program', 'line low', 'assessed genetic variation', 'region involved microtia', 'purpose higher', 'step hypusine formation', 'derived fast growing', 'parasitaemia anaemia remain', 'total snp significantly', '832g 919g 05', 'snp information', 'trait serum biochemistry', 'nte result', 'ssc17 lwgt ssc4', 'protein binding', 'mapping program', 'locus qtl 97', 'detected nordic holstein', 'order analyzed using', 'analysis used broad', 'data seq dataset', 'bone mapped chromosome', 'myofiber diameter snp', 'height underlie', '62 respectively', 'lcorl expression influence', '18 intramuscular fat', 'linear model biological', 'novel addition', 'location genetic', 'analysis indicate acsl1', 'variation calving performance', 'illumina60k geneseek80k platform', 'expression egwas performed', 'bta13 analyzed', '09 kg', 'salt ad libitum', 'consistent use embryo', 'previously chromosome study', 'involvement determining', 'selection gene', '59 08', 'micrornas mirnas 20', 'hard detect', 'total 472', '20 item', 'available evidence indicates', 'disease virus', 'gebv based ssc4', 'wild type mutant', 'consistent hypothesis gin', 'contortus infestation', 'polymorphism panel 30k', 'agreement result', 'detect ld', 'btb offer complementary', 'result established cohort', 'tenderness allow genetic', 'incidence infectious', 'sheep result', 'dairy cattle conducted', 'hypothesis elovl6 533c', 'soay domestic sheep', 'finnish landrace', 'pietrain chinese meishan', 'data concerned 1186', 'dna sequence analysis', 'growth muscle', 'race predicted', 'comparative analysis region', '2379t resulted haplotype', 'trait using single', 'study evaluate effect', 'gene identified genotyped', '2003 2004 2004', 'serpina6 affected', 'map sscrofa10', 'sheep 43 significant', 'consistency method', 'powerful analysis compared', 'prefer high protein', 'detected significantly associated', 'population 350 individual', 'genetic variance pig', 'recent development', 'procedure collecting', 'new splice variant', 'thirteen significant individual', 'water content', '360 west african', 'piglet sex', 'tmem144 cxxc4', 'analysis indicated evidence', 'lipid composition aim', 'rock gene involved', 'involved starvation', 'variant allele', 'unaffected calf comparison', 'development neural crest', '67 qinchuan', 'family 2978', 'belgian texel romanov', 'direct calving', 'wfe conducted 912', 'acid assayed backfat', 'age 155 184', 'fatty acid related', 'associated reproduction', 'carcass presented result', 'given genome', 'variant achieved', 'likely harbor', 'effect 86 corresponding', 'feed contributes', 'hand muscle', 'weight 05 body', 'sperm frequency', 'region ssc17 growth', 'adg 01', 'study using 658', 'economically significant impact', 'addition growth', 'density bd important', 'trait identified contribute', 'thirteen qtl identified', 'composition respect bone', 'sliding snp', 'included estimating variance', 'influence protein', 'acetyl coenzyme carboxylase', 'white respectively known', 'population transcript', '38 trait including', 'association study wssgwas', 'disease pig', 'including change blood', 'lgals9 eno3 eprs', 'chosen candidate', '140 day', 'identified polymorphism potentially', 'bovine carcass', 'mortem anoxia', 'genetic mechanism reproductive', 'intercross combination', 'separately criterion', 'gene sixteen', 'polygenic qtl', '10 encompassing eps8', 'using backcross pedigree', 'interval correlated', 'proximally vicinity', 'test supporting hypothesis', 'seven growth body', 'monocyte mon measured', 'trait y7f', 'inadequacy overcome employing', 'skeletal investment chromosome', 'common fat', 'gemma method', 'separately nematodirus', 'support fine', 'starting 22', 'organ pig', 'including italian', 'variance cell', 'tbrd considered locus', 'gga1 205 cm', 'detected northern hybridisation', 'beta induced tgfbi', 'conformation muscle', 'shank source leg', 'condition determined', '10 22 associated', 'interval decreased', 'vca breed propose', 'study parasite resistance', 'egg weight chromosome', 'infection trichostrongylus colubriformis', 'candidate gene bta14', 'revealed deletion downstream', 'complex trait multiple', '41 112', 'breed pcr', 'monounsaturated fatty', 'analysis chose', 'comb sexual ornament', 'ros0025 50', 'affecting regulation body', 'phosphorous antiporter significant', 'sexual ornament particularly', 'role na', 'berg kinsella ranch', 'region relatively small', 'record aged year', 'genotype gg higher', 'autosomal recessive', 'milk fever', 'triglyceride lipase markedly', 'result base', 'selection program', 'indicates high', 'immediate translation', 'study earliest', 'available investigated', 'acid mufa', 'containing protein xirp2', 'using heterogeneous residual', '874 snp remained', '16 estimated', 'score occurrence', 'hen phenotyped', 'according current', 'dfi identified sus', 'human contamination consumption', 'improvement targeted', 'melim tumor', 'pathogen haplotype', 'overfitted indicating snp', 'order verify', 'located pig chromosome', 'ph 45 polymorphism', 'closely linked sw344', 'arranged distinct', 'constructed bacterial artificial', 'pancreas weight duodenum', 'melanoma gwas indicated', 'adg9 12 birth', 'line altering', 'criollo descent spanish', 'metabolism energy partitioning', 'affecting total', '012 respectively', 'belgian texel single', 'mineral content bos', '16 showed chromosome', 'basis research genetic', 'receptor ghsr', 'basis genome based', 'trait milk fat', 'suggests oh', 'chicken anka', 'hap3 hap4 duroc', 'axis sympathoadrenal', 'partly overlap region', 'brd essential selection', 'identified similar location', 'data present', 'investigation putative qtl', 'hen derived intercross', 'resistance single nucleotide', 'scd polymorphism fatty', 'association lld analysis', 'broiler layer', 'estimated scottish blackface', 'multiple linked quantitative', 'genotype c2a2 c2a2', '1829t coding', 'bird brazilian', 'pulmonary artery pressure', 'effect 05 snp', 'factor quality nutritive', 'genome wide highly', 'conducted experimental', 'muscle abdominal fat', 'contribution epistasis', 'analysis region reached', 'presence segregating', 'sexual selection specifically', 'days lactation aimed', 'human specie', 'mouse homozygous', 'snp rs13905622', 'glm 19 snp', 'teat daughter 1097', 'cattle genome influence', 'intrablock value 10', 'phenotyping additional', 'absent 95', 'measure lm', 'historically large ear', 'provide general', 'ultrasonically measured', 'population combined', 'signification level', 'allele observed expected', 'condition lead', 'response tonic', 'gene rs41694656', 'service bta 14', 'similar berkshire', 'region moderate size', 'chl_milk gwas performed', 'measure identifying', 'production female', 'calf mortality homozygous', 'validated used', 'ph phenotypic', 'map locus associated', 'trans vaccenic acid', 'parameter estimated using', '25587 unknown', 'tough meat despite', 'property mcp', 'used linkage map', '34 05 estimate', 'central zinc', 'limited information available', 'mechanism regulating', 'pig selection increased', 'likely located', 'physiological mechanism', 'suggestive lod', 'trait phenotypic variance', 'nordic red cattle', 'trait 321 holstein', 'generated targeted', 'genotyping significant selected', 'detection bovine quantitative', 'looked possible association', '28 used select', 'greater potential', 'tool selection', 'avlwt adjusted', 'detected significant qtl', 'appreciable fraction qtl', 'substitution predicted', 'organism current study', 'located dock7', 'new potential', 'qtl affecting milk', 'weak evidence', 'genomic heritability estimate', 'additional qtl region', 'controlling false discovery', 'acid involved intracellular', 'characterization potential', 'chronic emaciation', 'implication immunity high', 'tox high', 't56039403c 808c snp', 'sequencing identified synonymous', 'shape distinct', 'different population novel', 'relevant additive effect', 'high number identified', 'rao composite clinical', 'natural suis', '293 08 kg', 'carrier sire', 'qtl ultimately', 'breed respectively family', 'rb1 gene', 'background numerous qtl', 'constructed guarantee reliability', 'correlated measurement day', 'igg subclass', '14 fell', 'red brown colouration', '001 exceeded', 'cnv associated', 'stage suggestive marker', 'identified population associated', '16 37 depending', '01 dbwavg', 'haplotype evidence', 'hcr1 gwaa identified', 'genotyping significant', 'identified pleiotropic qtl', '1n value', 'genome scan genetic', 'cat motif', 'island red line', '37 bf 29', 'carcass trait internal', 'number service calving', 'used positional', 'study seek', 'meat quality analyzed', 'snp association tick', 'h3 low', 'wide qtl hock', 'peroxisome proliferator activated', 'genotype correlated', 'colour egg', 'snp 30', 'squared value', 'regression multiple', 'genbank accession dq489319', 'individual aa genotype', 'mir 184 using', 'region need refined', 'f2 population primer', 'obtained sorcs2', 'phenotypic alteration', 'analysis using range', 'qtl ph associated', 'indel mutation identified', 'existence gh1 pou1f1', 'btb susceptibility established', 'snp indicating', 'living qib', 'association myog snp', 'composition selection strategy', 'used linear', '70 spanish', 'yolk trait', 'cut qtl lipid', 'haplotype study useful', 'genotyping 378 progeny', 'activity follicle', 'regression individual', 'complex interaction', 'initial single', 'left snp', 'depth irs4', 'released october', 'number stillborn pig', 'better understand underlying', 'age ww long', 'slightly 01 02', 'broiler employed', 'butt carcass', 'abdominal fat qtl', 'associated desirable', 'trait resulting locomotion', 'milk danish jersey', 'decrease usability furthermore', 'identify single', 'enriched lp positional', 'ibk economically important', 'trait moderate', 'qtl qtl1', 'constructed crossing pig', 'mainly erythrocyte', 'qtl identified body', 'inferred genomic', 'qtl marbling bta6', 'located region reached', 'pigmentation eye', 'structure locus located', 'white german', 'implementing additive dominant', 'yield trait dominance', 'population showed general', 'increase imf content', 'breakpoints interval consistent', 'study consistent previous', 'different resource', 'gwas reported', 'cmlm 21', 'component qtl methodology', 'genotypic regression fitted', 'activated gamma non', 'inheritance wild', 'ghr phe279tyr', 'additional snp rxfp2', 'female male', 'leptin receptor gene', 'cell precursor derived', 'code enzyme', 'haplotype potential causal', 'igf2 substitution valuable', 'partial genome', 'fertility trait danish', 'compound covariate', 'feature linear', 'gm redness ssc8', 'idh3b ryr2', 'association marker phenotype', 'sick cow testing', 'affecting teat', 'effective genetic', 'activity 0003700', 'result help overall', 'cortisol 25 mutation', 'near gene hydroxytryptamine', 'ass mutation', 'genotype sex', 'given snp', 'using molecular approach', '01 prt', 'wise suggestive', 'detecting qtl parent', 'phenotypic record', 'roan horse', 'investment chromosome', 'involved lipid storage', 'segment flanked', 'superovulation performance', 'ewe egypt', 'trait carried genome', 'snp marker 18', 'pl synthetic', 'order magnitude', 'indicated individual variation', '105 pony cob', '10 trait total', 'causative mutation paternally', 'transcription factor finding', 'cattle consisting', 'age data estimated', 'aimed detecting', 'equally spaced', 'unclear study', 'motility abnormal sperm', '18 fat', 'control identify genomic', 'variation region', 'comprised regressed', '21 day post', 'recorded variability', 'analyzed include genotype', 'snp explained variance', 'enhance selection', 'overlapping genome', 'selected herd', 'abt tendency association', 'functional mutation intron', 'specific linkage', 'effect 33', 'smma 105 significant', '27534932a genotype compared', 'day gga3 18', 'fertility stature german', 'confirmed associated phu', 'biomarkers used', 'ube3b transcript analysis', 'fowl gallus gallus', 'pneumonic lesion genome', '05 confirm', 'simulation pedigree data', 'related cheese yield', 'yorkshire inter cross', '23 major', 'ne 13 low', 'fertility measure', 'map identified', 'gene identification silico', 'receptor 1a', 'presence melanoma', 'biochemical function genetic', 'impact genetic variation', 'ebv highly', 'association emmax approach', 'contained rambouillet', 'pig lead', 'variation spp1', 'analysis revealed chromosome', 'red cattle bull', 'genotypic effect estimated', 'egg 57 day', 'yearling adg9 12', 'genotyping 789', 'improved eggshell quality', 'trait haplotype identified', 'method refined', 'model genetic', 'period male', 'dwarf layer individual', 'calf strikingly underweight', 'domain containing kndc1', '21 mb allele', '464 sb yearling', 'underlie meat quality', 'chromosome 13 locus', 'curd solid', 'improved linkage map', '89 cm', '381 219', 'addition biological', 'significance fat tail', 'conclusion validated', 'family significant effect', 'genotype varied breed', 'imf linked qtl', 'implication reproductive physiology', '16 17', 'chromosome 18 half', 'available analyzing validation', 'bovine endometrial', 'arhgap6 nr3c1 gene', 'performed individual', 'holstein cow 19', 'danish breed', 'reached weight younger', 'showed significant', 'trait confirm', 'eye disease', 'segregating white duroc', '581 animal summer', 'marker suggestive evidence', 'bull result', 'study 60 illumina', 'average feather', 'experiment explained phenotypic', 'level statistical', 'genome wide search', 'measurement defining', 'newly associated', '24 ph lm', 'resulted similar result', 'sow productivity sow', 'trait present', 'diversity divergently', 'mapping animal', 'pig industry better', 'sod1 runx2 identified', '13307g snp1', 'frequency polymorphism analysed', 'palatability beef used', 'total 462', 'virus blv causative', 'kr6 kr9 12', 'dairy cattle sequencing', 'concentration genetic', 'identify genetic locus', 'evaluated identify region', 'porcinesnp60 beadchip 50', 'matched litter', 'trait higher osteochondral', 'composed 325', 'gene regulate inflammation', 'snp identified 9657c', 'reducing saturated', 'affect pigmentation', 'discovery rate 24', 'load dpi genetic', 'mineralization adipose', 'ulceration presence', '07 bmp15 candidate', 'different locus lactation', 'capacity meat', 'yield milk composition', 'consisted gas chromatography', 'allele inducing', 'operating intra', 'genetic marker large', 'naturally artificially selected', 'architecture underlying', 'performed gwas carcass', 'industry increase meat', 'androstenone landrace identified', 'used result', 'region genomic', 'test qtdt significant', 'development largely contributed', 'zc3h12c 25x10', 'bta14 bta20 gelbvieh', 'involvement genomic', 'fetal tissue', '72 qtl confirmed', 'qtl related lipid', 'identified pt', 'steer collected', 'concentration undesirable', 'maternal nonreturn rate', 'result indicate improved', 'holstein individual', 'share major conserved', 'receptor npffr2 based', 'age onset puberty', 'understand possible mechanism', 'selection program initiate', 'comparing multi trait', 'gene tex11 ar', 'nongenetic factor genome', '229 lamb qtl', 'mutation nt963 located', 'haplotype comparison indicated', 'performed model assumed', 'gene qtl strongly', 'trait fully', 'selection nguni', 'overall finding', 'result demonstrated cast', 'total 1883', 'horse fold higher', 'missense silent mutation', '27 bootstrap confidence', 'daughter tested disease', 'rs80983858 located 3255', 'time lower', 'near pleiotropic', 'measurement range parasite', 'significant estimate', 'maf 01 total', 'backcross population derived', 'different haplotype inferred', '469 unique snp', 'evaluate effect qtl', 'beadchip tm', 'harbor gene biological', 'pig white', 'using simple', 'regression ebv lp', 'area ggaz', 'unique capability', 'snp finding', 'cm interval analyzed', 'lg prolactin prl', 'milk fever dairy', 'kilda scotland', 'association related', 'level associated', 'kg haplotype 23', 'bovinesnp50 snp', 'quality trait marbling', 'genome scan 10', '3112c snp complex', '456 ip', 'covering approximately 80', 'homolinolenic acid', 'retrained evaluation population', 'subfamily member member', 'motility 20', 'male salmonid', 'controversial main objective', '16 service', 'disease combined single', '13 000', 'likely involved fatty', 'possible functional', 'colour higher concentration', 'strength broiler gene', 'weaning lamb', 'performed subset', 'position 50', 'research focused', 'gwas fertility', 'earlobe provide', 'identified normande cow', 'cattle stillbirth calf', 'affecting deformation chromosome', 'ratio total unsaturated', 'pif1 purebred german', 'aqp11 cooking', 'seven female', 'total 358 768', 'coding glucose', 'qtl associated specific', 'effect fatness growth', 'trait including growth', 'blood sample genotyped', 'study establish association', '386 animal created', 'novel snp flanking', 'qtl region required', 'rapidly reduces incidence', 'previously bta5 evaluate', 'footrot score', 'female thirteen', 'measured 987 individual', 'biological process consistent', 'growth important consequence', 'ram conclusion', 'values 794', 'calculated change heat', 'mixed linear', 'bta 20 23', 'sequencing including 13', 'litter better', 'region npy gene', 'ew multivariate conditional', 'eth10 locus appears', 'suggest rate', 'qtl analysis wool', 'gin infection related', 'trait qtl environmentally', '0e 05 alga0057985', 'complicate identification link', '84 cm constructed', 'erhualian pig according', 'cross pig', '22 mapped region', 'horn scurs horn', 'test restraint test', 'repeatedly mapped', 'coding phosphate', 'dominance model zc3h12c', 'dmi rfi validation', 'lamb half', 'polled female', 'previous report trait', 'economically important livestock', 'jiaxian jx', 'shoulder loin eye', 'associated footrot', 'weaning using', 'differential level sod1', '7th rib rump', 'genotype tibetan', 'oc partly', 'body weight gain', 'consisted old experiment', 'arms pcr', 'interval quantitative trait', 'haplotype applied dna', 'property cmp', 'despite depth comparison', 'database overrepresentation', 'significant 2571', 'snp 30 65', 'ssc11 ssc14 livp', 'polymorphism fatness trait', 'enriched kegg pathway', 'phenotypic level', 'originating angus', 'qtl affecting intramuscular', 'sf5 cast_101781475', 'performed gemma software', 'polish coldblood', 'beef cattle net', 'index estimated end', 'composition associated', 'occurs sow', 'crossbred population', 'sheep nw conducted', 'showing largest', 'providing supporting evidence', 'classified carrier 62', 'genetically diverse breed', 'pcgs associated trait', 'public health burden', 'relationship outside region', 'sow different breeding', '29 linkage group', 'association abundance', 'good alternative', 'count data transformed', 'mcp signal', '12 significant marker', 'model utilized substitute', 'suggesting dominance considered', 'analysis included', '0001 0040 haplotype', 'raw weight data', 'total 369 f2', '1622 steer', 'substitution effect assayed', 'potentially important', 'controlling leucocyte', '24 27 mb', 'composition located ssc6', 'suggests trait', 'regulation bovine growth', 'content strongly affected', '2281a 2108c snp', 'acid level', 'variance animal', 'parity 05', 'important revealing', 'gene f1', 'assigning gene biological', 'cattle 97', 'detecting mapping', 'lot generation', 'gene compared', 'important aquaculture production', 'sc implemented', '10 13 bta27', 'identified bta', 'enrichment analysis list', 'panel imprh', 'rs319678464g rs330427832c', 'explained divergent selection', '14 14 10', '188 single nucleotide', 'association cause amino', 'detected genome', 'fst localized', 'host resistance gin', 'susceptibility ibk', 'trait including lifetime', 'int9 snp', 'training genotyped', 'second region accounted', 'suggests time', 'used study result', 'hap1 associated', 'function wound', 'transited breeding', 'biological process oocyte', 'suggesting effect cnvs', 'snp fasn', 'significant regression method', 'modulator bind myod', '21 significant 54', 'fat increasing', 'haplotyping 7637', 'population multi', 'showed rs13687126 pit', 'wh rump', 'array total', 'associated proviral concentration', 'trans genomic', 'grandprogeny ssa20 19nuig', 'error estimated', 'restricted reported incidence', 'fabp fabp gene', 'viremia day', 'gene cloned rt', 'weight shearing', 'partly new qtl', 'characterization variant gene', 'cattle effect', 'epistatic pair explained', 'mm backfat', 'region bta14', 'shank refine', 'provides unique', 'grandsire line', 'version 110', 'effect incidence mastitis', 'categorical trait cause', 'log10p values', 'software performed', 'primary secondary immune', 'detected stepwise', 'lo sh', 'sire previously reported', 'muscle infection pig', 'qtl ph15 gga2', 'agonistic gregarious', 'concluded fabp4 ppp3ca', 'capacity selection', 'feature sex chromosome', 'pd αs2 cn', 'genomic region putative', 'role inherited disorder', 'significance threshold 1e', 'significant missense', 'snp extreme', 'csrm60 bovine', 'btb domain containing', 'known bovine', 'level brsv', 'trait broodstock population', 'superovulation response', 'regulating phagosome', 'fayoumi line', 'study using high', 'mutation using new', 'porcine ibp4 gene', 'shelled chicken 252', 'birth spite normal', 'rs135560721 significantly', 'loc100138021 taf7l gene', 'fecx carrier', 'single snp successively', 'mutation mutation affecting', 'specific glycosylation', 'chip illumina san', 'using fst peddrift', 'largest chromosome 13', 'acting transcription', 'retn 1473g', 'associated important pork', 'mapped ssc6q12 comparative', 'partridgelike chromosomal region', 'ranch kinsella alberta', 'released october 2012', 'welfare economic concern', 'useful information annotating', 'substitution 3096c significant', 'tassel program mixed', 'chromosome trait maximum', 'interval s0312 s0113', 'succinyl coa', '10 respectively highly', 'map close myod1', 'locus qtl 13', 'silico cloning rt', 'whilst australian cattle', 'cattle fed', 'significant qtl fat', '32 charolais cattle', 'gibbs sampling variation', 'assisted selection improved', 'association c14', 'cow weight', 'expression phenotype duroc', 'large flop ear', 'harboured snp', 'important effect', 'subsequent gene discovery', 'fi interval 49', 'half sib north', 'breed appears underlying', 'non carriers mll', 'using mixed', 'cause growth retardation', 'value birth', 'wild pig commercial', 'acyloxyacyl hydrolase', 'high density', 'ca 63 zn', '18 heifer', 'tnb pig', 'breeding identify', 'showed fecbb affected', 'member ra oncogene', 'balancing selection force', '65 linkage', 'model plink', 'breed using', 'suggested novel pig', 'block 183 kb', 'previously discovered', 'suggested pde1b', 'associated higher breaking', '49 day hatch', '30 cm 55', 'located major', '0418 fat', 'force 18', 'related ketosis susceptibility', 'sib pairs included', 'length horn base', 'method used data', 'mb window detected', 'particular gene body', 'polymorphism abcg2', 'quality data snp6', 'tested standard', 'livp piglet litter', 'substitution nm_213910', 'analysis association polymorphism', 'resistant animal arr', 'fkbp6 revealed', 'individual tt', 'solution control', 'different datasets', 'included dppa2', 'box foxp1 es', 'autonomy phenotype actively', 'reported significant snp', 'matrix applied ibd', 'ssc7 possible', 'major carotenoid deposited', 'major locus responsible', 'il il interferon', 'haematological trait essential', 'chemical trait associated', 'quality palatability trait', 'binary case control', 'lohmann tierzucht rhode', 'abdominal fat 19', 'scrapie basis study', 'significant association withers', 'analysis suggested effect', 'trait pcr rflp', 'number bull artificial', 'cow tested map', 'birth weight significant', 'mutation tcf12 201', 'acid sfa respectively', 'analysis interval', 'cl349415 significantly associated', 'advanced understanding complexity', 'gestation length variability', 'e4 37 208', 'regulation adipogenesis', 'correlated fatness nt', 'presence allele', 'expression analysis using', 'cost labor traditional', '12 fatty acid', 'average approximately 17', 'gene extensively studied', 'polymorphism chromosome', 'animal descendant common', 'includes 580', 'intrinsic membrane protein', 'ray absorptiometry line', '14 respectively highlighting', 'stimulation contrast transfection', 'dd association analysis', 'locate quantitative trait', 'cattle variability mitf', 'basis deposition', '11 respectively', 'protein ampk involved', '11 cm 63', 'significant subgroup analysis', '01 residual', 'reproductive tract collected', 'issue genetic architecture', 'locus explaining', 'cited literature', 'fat thickness result', 'comprising 378', 'serum biochemical', 'comprising 378 horse', 'arg307gly substitution mutation', 'function anxa10 vivo', 'size sow homozygous', 'substrate irs4 gene', 'corrected value 4e', 'fa based winter', 'obtained dual energy', 'organism study various', 'ld compared identify', 'phenotype candidate', 'nucb2 visfatin leptin', '42 manchega rasa', 'breed study presented', 'tibia length mass', 'low fat food', 'success genetic', 'number fw', 'slaughter processing tm', 'polymorphism significant effect', '118 previously reported', 'different breeding environment', 'mineral homeostasis', 'duroc boar meishan', 'effect beta', 'segregating commercial', '11 trait', 'gene participated', 'associated py pp', 'revealed oocyst shedding', 'period polymorphism', '17 bovine', 'sccs bos', 'mendelian expression', 'siw large intestine', 'repeated ai service', 'divergent fcr', 'marker genotyped chromosomal', 'report maternally', 'provide basis cloning', 'shortly birth', 'factor potential high', 'yorkshire large', 'universal exposure', 'dik8044 indicating marbling', 'metabolic turnover', 'descent analysis defined', 'genotyped cattle le', 'process sequencing identified', 'study functional analysis', 'qtl ssc3 genotyped', 'analysis result agreement', 'result showed highly', 'prkag3 ph known', 'ebv end phenotypic', 'using square linear', 'affect cie drip', 'contributor quantitative', 'molecular technique', 'primer based calpain', 'pig appealing determine', 'threshold level determined', 'adjacent significant', '15 unique qtl', '18 heritable 67', 'capn1 explains', 'interaction jak stat', 'commercial duroc based', 'identified qtlmap bco', 'generation meat animal', 'study involving 390', 'tested according', 'test torsional strength', 'mmp2 mapped present', 'window approach selected', 'genome reducing sequencing', 'calpastatin expression', 'resequenced calpastatin', 'contributing rln risk', 'estimation regression', 'lmm rf analysis', 'total 65 qtl', 'porcine bac', 'pork facilitate', 'breast weight tender', 'confirmation fec', 'ovinesnp50 beadchip 50', 'scd v293a gene', 'improve mapping', 'corresponding phenotypic record', 'segregation analysis 100', 'weight detected', 'peak milk yield', 'genome scan experiment', 'significant association imputed', 'model included effect', 'located ssc3 peak', 'indicating abhd16b', 'obesity problem', 'count 16 region', 'work step', 'condition developmentally linked', 'parasite combination different', 'keeping snp effect', 'identify closely', 'snp exceeding', 'nucleotide polymorphism chip', 'bird tt', 'weak bone', 'abtb2 gramd1b ndrg1', 'gene acsl4', 'advantage joint multibreed', 'genetic mechanism semen', 'specific effect trait', 'gga2 comparison', 'throughput genotyping', 'data obtained study', 'restricted gene', 'abt obtained', 'interval estimated', 'level pep', 'using commercial', 'melim duroc cross', 'snp beadchip suggestive', 'gga1 feed', 'efficient selection program', 'broader genetic', 'region chromosome 18', 'data highlight', 'development swine', 'marker residing near', 'carcass chromosome 10', 'infinium hd', 'fat carcass fat', 'aa observed vrindavani', 'lipase lpl key', 'qdg mapping identified', 'zero conducted', 'revealed 10 significant', 'resulted lean fat', 'nucleotide polymorphism myog', 'different genetic background', 'age exceeded', 'acting ci acting', 'altered expression primary', 'bull remaining steer', 'ma bone', 'breeding practice', 'suggested analysis', 'ncapg lcorl arrdc3', 'tested association distinct', 'synthetic sino european', 'practical application breeding', 'allowed perform genome', 'detect molecular', 'ass feasibility', 'development insulin', 'produced transferable embryo', 'depth cd', '08 association', 'obtained showed', 'predicated heavily', 'region harboured', 'differ mean', 'explained significant qtls', 'attempted refine qtl', 'chain sample', 'trak1 loc101102529', 'genetic correlation detected', 'novo short', 'mastitis periparturient period', 'csn1s1 allele', 'confirmed association study', 'ram mountain alberta', 'wk measured', 'economic problem', 'gpat4 involved', 'ists expanded finnish', 'mutation 526', 'horse marker set', 'conducted 12 marker', 'detected cebpd gene', 'association ph1 ph24', 'gene recently associated', 'study underlying causative', 'indicate evidence', 'min ultimate', 'provided opportunity', 'gene decrease', 'bovinesnp50 snp calving', 'genomic study recent', 'previously reported snp', 'survival columnaris', 'mechanism imf', 'performed corrected phenotype', 'peculiar pigmentation', 'regressed proof drps', '100 500', 'scan 467 progeny', 'qtl significant multi', 'sire homozygous size', 'versus multiple linked', 'trout ass genetic', 'architecture loin eye', 'level trait associated', 'using poisson model', 'beef production feed', 'including fam184b ttl', '362 69 qtl', 'qtl comb mass', 'establish genome', 'overlapping phenotypic', 'squares qtl', 'origin using', 'major biological pathway', 'type pathogenic bacteria', 'variance tnb', 'variant association testing', '739 ewe belonging', 'bcwd resistance controlled', 'gwass total number', 'bonferroni genome', 'heterosis occurs fat', 'allele position', 'group consecutive snp', '20 genotype', 'pathogen multiple', 'quality trait korean', 'critical role risk', 'mirnas intriguingly gene', 'mapping performed identify', 'blackface texel suffolk', 'block ranged', 'nearby position present', 'plumage colouration bird', 'model incorporating allelic', 'performed commercial population', 'oleic acid novelty', 'possible objective present', 'tissue contrast', 'denominated cholesterol deficiency', 'gene ssc15 far', 'weight 12', 'erhualian constructed', 'scan based', 'yield family regression', 'shear force palmitoleic', 'discovery rate le', 'family zinc', 'testing gene', 'broiler association analysis', 'pck1 display', 'protein percentage statistical', 'significant effect genotyped', 'lower yield', 'target selection', 'ph marbling', 'linkage disequilibrium actual', 'affecting brd essential', 'better adaption', 'independent pool', 'chinese lulai', 'spring 2005', 'coa carboxylase alpha', 'chip commercial', 'identified gwa', 'replication association cattle', 'snp 10 snp', 'bird rs13997811', 'effect variance accounted', 'generation iberian landrace', 'detected analysis', 'circumcincta haemonchus', 'infected versus non', 'survival time', 'snp 90 animal', 'related trait important', 'seen studied domesticates', 'novel variant', 'qtl detected snp', 'gastro intestinal nematode', 'structure influencing trait', 'utr frequency snp', 'cm 12 gene', 'feather furthermore', 'mineral content important', 'dgat1 549 allele', 'low breeding value', 'heterozygous horse', 'gfra2 0038', 'animal source', 'gdf8 member', 'phaeomelanin eumelanin non', 'genotyping snp genotyped', 'locus surpassed suggestive', 'htr2a rs17664565 oxtr', 'european large white', 'frequent cause', '18 family', 'bta 14 total', 'chromosome threshold', 'polymorphism bovine il8', 'role determination', 'provides opportunity make', 'nanyang ny', 'ovulation rate difficult', 'region ssc7', 'linked highly', 'week qtl', 'handling confinement', '12 month', 'increase fine', 'statistical significance result', 'accounting sub structure', 'isolated egyptian buffalo', 'qtl detection analysis', 'finnish landrace finnsheep', 'cause reduction', 'factor limited gwas', 'tenderness assessed', 'igf2 good marker', 'ruminant reared grazing', 'deposition major qtl', 'association region bta', 'available 1185 1137', 'grammar gc method', 'bta11 peap bta14', 'count trait thirty', 'ft located', 'lcorl arrdc3', 'affected mastitis', 'reduces incidence', 'variance adding', '172 microsatellite', 'cb pig', 'associated ft', 'diversity divergently selected', 'included covariate', 'gene ovlv lentiviral', '20 holstein', 'location 39 mb', 'annotation snp located', 'haplotype construction', 'marker arranged', 'c1924t significant association', 'consensus dairy qtl', 'selection program developing', 'various novel', 'signaling 10 prediction', 'using pspl3', 'threshold obtained initial', 'association support', 'positive genome scan', 'earlier published showed', 'expression detected qrt', 'relationship sex maturity', 'skatole produced tryptophan', 'proposed linkage information', 'gene isolated using', 'considering snp', 'btau1 affected', 'consistently related', 'bull conclusion', 'beneficial influence average', 'holstein qtl', '600k affymetrix axiom', 'snp pathway enrichment', 'oar6 18 24', 'phu breast', 'uk qtl study', '1000 bull', 'ipn resistant', 'nox4 tgfbr3', 'suggest expression', 'whilst genetic', 'development human mammal', 'number snp located', 'igf2 in7 g162c', 'small overlapping', 'triplet delivery', 'conclusion study international', 'significant qtl adfi', 'marker identified', 'meat tenderness zebu', 'sd 33', 'allele chinese cattle', 'avfec packed cell', 'birth breeding value', 'challenged ipnv', 'count avfec avfec', 'mild baby', 'nonsynonymous leptin receptor', 'anka broiler characterise', 'sample difference', 'gene inhba close', 'haplotype result', 'sheep previously divergently', 'ex1 ex11', '12 13 22', 'serum lipid using', 'livestock recently', 'snp28 utr snp', 'detected snp', 'factor like', 'mortality constitute inherited', 'bite wound brings', 'progeny produced wagyu', 'silesian hucul', 'allow improvement', 'snp explained 25', 'region located', 'regulation bone mass', 'indigenous breed cultivated', 'weight cannon', 'black pied', 'curve using', 'worldwide effort improve', 'adipoq promoter', 'snp region 29', '10 19 identified', 'mum 10', 'binding protein psmc1', 'earlobe color phenotype', 'cattle shed', 'severe animal welfare', 'gene whc previously', 'class mhc pathway', 'animal mixed model', 'score qtl', 'size conclusion', '24 pathway', 'host genetics consortium', 'result study confirmed', 'slovenian belgian draught', 'gwas powerful', 'based snp calculated', 'ssc6 84', 'snp variation promoter', 'determining variation', 'effect 73', 'red breed swedish', 'tumor ulceration', 'epistasis add', 'conclude result', 'novel dna', 'sire derived crossing', 'analysis data consisted', 'objective shaped', 'study replicate result', 'country mainly', 'identification molecular mechanism', 'pig study', 'precise mechanism remains', 'fatness trait commercial', 'hf sire', 'described veterinary expert', 'result kit', '74 cm herd', 'guideline deduced simulation', 'carora romosinuano', 'test tdt', 'tested statistical', 'heat treatment mapped', 'model led', 'polymorphism analyse', 'sheep half sib', 'founding sire higher', 'dramatically decrease false', 'mastitis resistance negative', 'significant map', 'qtl analysis comb', 'behavior ssc1 ssc2', 'indicate significant', 'chromosome overall result', 'determining complex trait', 'genome research', 'indicating differentially', 'interval likely position', '0001 dgat1 allele', 'respectively differentially', 'ghr ghrelin', 'genotypic mean', 'mycobacterium avium', 'gene encodes putative', 'qtl overlap', 'lipid biosynthesis lipolysis', '11 69 snp', 'evidenced higher', 'ca revealing strong', 'colocalized gga3 gga5', 'close ovine gene', 'group model included', '47 copy respectively', 'identified hmga2 gene', 'important agriculture medicine', 'index swine healthy', 'outcome highly pathogenic', 'time point onset', 'conformation performance trait', 'multigeneration pedigree population', 'genetic progress improvement', 'snp4 chr 16', 'identified previously known', 'performance linkage', 'determined chinese red', '13 candidate gene', 'influence age', 'mupp1 protein possibly', '33 71', 'given predicted change', 'population gain', 'qtl affecting linolenic', 'mitochondrial pathway', 'structure order', 'selection furthering understanding', 'efficiency 35', 'gene fatness trait', 'performing qtl', 'region used', '338 used', 'affymetrix high', 'kbp body conformation', 'lipoprotein constituent', 'litter size important', 'association angus 0275', 'analyzed dna', 'maximize genetic', 'seasonal reproduction litter', 'body weight backcross', 'erhualian bamaxiang pig', 'qtl indicate significance', 'snp phenotypic', 'suggestively associated snp', 'performed using intercross', 'region component trait', 'lung thirty single', 'fpd aggressive', 'mature mir206 mir133b', 'effect modeled random', 'involved udder trait', 'examine association ghrl', 'area harboured snp', '301a 426t 1226t', '08 phenotype chromosome', 'cooking loss number', 'chromosome length', 'cm direct negative', 'level consistency', '29 23', 'carcass using', 'bovine viral', 'study identified qtl', 'beginning end', 'sc identify segregating', 'ability maintain', 'significant log10p 68', 'fertility trait finnish', 'improve selective breeding', 'animal genotyped porcinesnp60', 'using estimated breeding', '18 mb porcine', 'complex index longevity', 'lumbar vertebra 01', 'revealed 12', 'esr1 higher lbt', '62 mb candidate', 'commercial duroc hampshire', 'yorkshire resource', 'activin pituitary', 'qtl ovis', '40 significantly 05', 'virus challenge strong', 'fold increased compared', '40 59 mb', 'study characterise novel', 'expression gwas carried', 'novel candidate region', 'milk yield family', 'provided novel information', 'reported calf specific', 'important epigenetic', 'divergent il8 activity', 'age qtl', 'age candidate', 'determine association polymorphism', 'basic association', 'form encoded distinct', 'industry aim', 'information lead', 'akr1cl2 akr1c1', 'total chromosome showed', 'locus qtls associated', 'major genome', 'composition accretion feed', 'genotype bb ab', 'detect qtl influencing', 'eviscerated weight pew', 'member calmodulin', 'fat concluded', 'fixed used generate', 'role modulation cascade', 'bovine hd beadchip', 'expression identified', 'study provides list', 'population subset', 'intramuscular fatty', 'stat6 candidate', 'expression imbalance serpina6', '23 27 sire', '82 cm current', 'abcg2 ibsp mepe', 'emphasizes nr3c1 important', 'heritabilities resistance ipnv', 'gwas 534 f2', 'utilized aid', 'decr1 core binding', 'measured faecal', 'standard association', 'function sympathetic', 'allelic form', 'size subset', 'bmp15 implicated high', '48 phenotypic standard', '95 bayes', 'niemann pick', 'furthermore altered', 'previously established', 'test cov434', 'lamb selectively', 'comb including data', '947 young', 'fat water', 'highly correlated body', 'scan analyzed line', 'qtl affecting protein', '50 cm chromosome', 'improvement livestock contributes', 'surrounding encompassing', 'various single marker', '17 bp insertion', '70 05', 'background leg', 'mapping using subtypes', 'belonging 30 gene', 'score muscle color', 'late lactation production', 'tailing weight 003', 'showed evidence overtransmission', 'result bovine tuberculosis', 'compared lbt', 'effectiveness dopamine antagonist', 'study detected gga', 'pcr fragment', 'derived sire', 'network candidate', 'mlc conformation', 'level influencing content', 'quality trait recorded', 'gland tested', 'result supported existence', 'black cattle variant', 'developing breeding scheme', 'qtls 10', 'study indicated class', 'association confirm', 'c522t bpi', 'confirm present result', 'variant 11', '35 79 body', 'susceptible lamb 14', 'allele positive ssc7', 'variant exist arm', 'detection method use', '13 40 16', 'component method detect', 'validated different', 'dpi genetic parameter', 'effect qtl trait', 'qtl identified growth', 'snp associated genetic', 'bw70 fi', 'intake 05', 'analysis gene qtl', '1596 3p 5678944a', 'identified affect plumage', 'approaching human', 'associated fa', 'included 431 interations', 'recording combined', 'genotyped 47 snp', 'chinese laiwu pig', '18 qtl including', 'responsible limb development', 'plymouth rock background', 'breeder select', 'chain sample used', 'known regulator hiv', 'pig association', 'zbtb38 linkage', 'intake 200', 'selection program genetic', 'waist 05', 'puberty previously identified', 'marker 56', 'apart strongest', 'affect egg', 'phenotype bta7 20', 'pig recombinant qtl', 'pork ph shared', 'comparing frequency different', 'line sample 230', 'aft suggesting involved', 'trait heritabilities qtl', 'rao related', 'exhibited increased ovulation', 'iia gene acvr2a', 'perform calpain', 'cross model data', 'distance cortisol', '784 bp bta13', 'tenderness region bovine', 's100t showed significant', 'fitm2 linked myh', '45 half sib', 'episode psychotic illness', 'microsatellites showed', '05 concluded', 'performed considering', 'associated variant milk', '200 f2', 'allele bh pa', 'applied cross breed', 'illumina 54k bovine', 'extended f2', 'position 238 bp', 'contrast single locus', 'tcap known', 'month nanyang', 'prediction 02', 'region dik0079 rm006', 'including callipyge', 'heifer open', 'expression suggesting', 'eye width', 'variation bovine chemerin', 'gene ontology result', 'based size', 'ultrasound marbling ultrasound', 'transmitting ability 705', '14 high', 'used igf2 substitution', 'compared 47 explained', 'dra result revealed', 'important validate marker', 'improve simultaneously', '493 753', 'chip marker association', 'variable normalized', 'improve milk', 'financial problem world', 'identified region b9d2', 'process important', 'characterized disturbed development', 'analysed single nucleotide', 'length provided', '36 02', 'genotyped mapping approach', 'different qtl bta', 'health status', 'regression fitted', 'percentage order', 'recently released pig', 'fresh pork', 'plin1 chromosome', 'reaction single stranded', 'candidate fertility', 'cm interval containing', 'elisa sample positive', 'gene b9d2 tmem145', 'fever vaccine based', 'result shown rt', 'animal welfare reason', '242t likely', 'animal engaged', 'affected level mature', 'allelic variant underlies', 'resistance breeding evaluated', 'gene ubiquitously expressed', '72 gene', 'project comprising 2333', 'dtd pattern heritability', 'ascites right ventricle', '14 bta14 30', 'chinese erhualian intercross', 'efficient powerful', 'mean high vs', 'reveals mpdz represent', '455 pig porcine', 'holding capacity 21', 'marker unrelated population', 'significant association muscle', '113 mb significantly', 'detected haplotype based', 'operator model isi', 'skeletal measurement growth', 'economic trait study', 'new half', 'seven qtl', 'ssc11 33043081', '85 83', 'play integral role', 'implies significant loss', 'cattle osteopontin opn', 'extreme estimated breeding', 'based single marker', 'length agreement', 'genotype increased', '92 identity human', 'alternative control', 'measurement requires', 'association study gwas', 'pooling approach using', 'study using 56', 'analysis divided stage', 'consistent qtls using', 'association genome wise', 'investigated cattle specimen', 'thorax waist', 'representing 98 family', 'located bta11', 'individual trait', 'publication tested', 'milk sample bacteriological', 'fcr trait', 'growth rate live', 'hereford sire half', 'potential single', 'associated fat percent', 'playing crucial role', 'cast calpain', 'conception days', 'showed predominant', 'utilized ass role', 'ability ewe present', 'content mchc measured', 'gene potentially related', 'new solution', 'attributable bta 20', 'nearest positional gene', 'animal slaughter cross', 'empirical 006', 'recorded 577 animal', '10 affect different', 'crossbred half sib', 'commercial white', 'fec serum level', 'swedish red', 'approach using 14', 'stepwise regression analysis', 'cow sire genotyped', 'rs314448799 accumulative', 'peak region qtl', 'shear measurement requires', '90t play role', 'eca 4q relative', 'control qtl utilised', 'fresh curd', 'using illumina porcine', 'balance mammal', 'bull iii', 'generate calf easily', 'breeding strategy reducing', '12 significantly', 'composition pig', 'cbg causal', 'y7f significant effect', 'fabp genetic polymorphism', 'candidate locus gene', 'standard method', 'dismutase sod1 gene', '130 132', 'option gensel putative', 'cow mainly', 'location lei0071 identified', 'alberta applying false', 'different method', 'new marker pig', 'shown harbor', 'snp potential use', 'leukemia date polymorphism', 'qtl mouse', 'nucleotide polymorphism analyzed', 'protein fatty acid', 'bwg aa bird', 'detected correlated trait', 'shown affect egg', 'promoter 269 amino', 'linked sensory', 'suggestive evidence additional', 'effect direct', 'bayesian method', 'criterion jolliffe', 'id locus study', 'width rdw study', 'content diverse', 'sequencing bac clone', 'breed tropical climate', 'using linear regression', 'holding capacity negatively', 'lower fcr', '039 snp 29', 'animal new homozygote', 'porcinesnp60 beadchip order', '888g 910a 995g', 'girth qtl', 'trait study conducted', 'affect ph color', 'mirna precursor sequence', 'animal serpine1 significantly', 'marker experiment wide', 'breed 80', 'ca 456 ip', 'fat meat percentage', 'associated ft located', 'significant week maximum', 'trait charolais', 'microsatellite marker initial', 'new modeling', 'percentage living qib', 'pnpla3 gene linkage', 'autosome selected', 'lipidome comparison plasma', 'cd36 showed', 'affecting spawning date', 'function observed', 'simple sequence', 'association study provides', 'iga activity', 'rfi 002', 'symptom dwarfism accompanying', 'association sperm', 'result study using', 'distance animal moved', 'association fork length', 'f4ac governed muc13', 'intake identify', 'trait 38 attributed', '789 respectively genetic', 'selected marker', 'dopaminergic pathway', 'analysis approach', '25 microsatellite', 'yield linked pleiotropic', 'lda total', '200 daughter', 'weaning average', 'heterozygous lm', '05 second', 'variant frequent sequence', 'gene set analysis', 'growth extent different', 'blood pig', 'production livestock order', 'genotype gh', 'difference line', 'identified coding region', 'development provide insight', 'population chromosome trait', 'primal meat', 'density snp assay', 'parallelly help selection', 'producer marker', 'significant breed', 'success addition dna', 'ssc 15 glycolytic', 'type breed', 'total 181', 'cm described qtl', 'variation help establish', 'intensity score', 'effect cg snp', 'cm showed significant', 'designed snp', 'nesp55 gene used', 'depression important', 'position considerably qtl', 'causal mutation useful', 'marker genotyped used', 'calf le', 'ab 01 bb', 'genotyped ancestor improve', 'pig performed using', 'prolactin signaling', 'swine revealed', 'element residing', 'consumption usually', 'age calving', 'factor required ovarian', 'multivariate model backward', 'treatment undesirable alternative', 'animal identified', 'domain containing 38', 'rs419096188 located intron', 'day postinfection suggested', 'low tail', 'disease result', 'phenotype identifying animal', 'showed strong association', 'chromosome lfec target', '12 unrelated', 'normal horn small', 'consisted 785', 'recessively inherited monogenic', 'second performed weighted', 'precursor region micrornas', 'genotyping total', 'lamb produced mating', 'sex spleen', 'sc 16', 'showed significant associated', 'informative marker marker', 'inheritance moderate large', 'affected bone biomechanical', 'highly significant conditional', 'pleiotropic qtl mapk', 'plcb1 map2k6', 'micrornas mirnas', 'orthologous hsa11 70', '47 head 43', 'scan chromosome wide', 'improved prediction equation', 'linkage rh', 'demonstrated genome', 'mainly lncrna', 'variance gwa study', 'harbored individual', 'infection eosinophil', 'region chromosome 31', 'lead reduced', 'obtained result suggested', 'protein prox1 gpcr', 'angus sired', 'hr ltl phult', 'trait early puberty', 'qtl affecting cattle', 'significance bta 17', 'sorbs1 nfkb2', 'chromosome selected snp', 'production trait polish', 'using single snp', 'dam unaffected', 'pork ph searched', 'utilization layer hen', 'cut qtl', 'calving trait calving', 'data available eighteen', 'included additive effect', 'estimated approximately', 'association hock', 'regression half sib', 'age service', 'carried genome wide', 'posterior mode', 'snp coding', 'variant qtl effect', 'treatment sample crop', 'protein 8b associated', 'recommended case', 'translational modification ptm', 'potentially benefit', 'sd 021', 'seven anonymous gene', 'lactoglobulin allele enable', 'cm interval rxrg', 'population 05 significant', 'purebred pb way', 'associated fl', 'extreme cross', 'chicken challenged', 'order identify potential', 'spotted phenotype', 'impacting secondary', '705 irish holstein', 'included novel', 'pparγ gene total', 'multiple breed population', 'later use molecular', 'weight belly', 'origin effect qtl', 'major goal current', 'stem cell', 'population snp ncapg', 'form estimated', 'fat ssc9 13', 'underlying earlobe color', 'whittemore halpern', 'loin eye', 'low somatic', 'cocaine amphetamine', 'fracture laying', '10 effect', 'legally harvested', 'impacted different region', 'associated daily', 'snp lepr', 'population excluding carrier', 'weighted scores', 'common senepol', 'dominant white dominant', 'population growth', 'explaining 23 percent', 'hypothesis causative', 'related fatty', 'trait influenced quantitative', 'effect body size', 'sign ptosis intellectual', 'complex study', 'year round oestrous', 'homologous sequence', 'marker swr67 sw2067', 'post imi gene', 'article report', 'advanced quantitative', 'bayesb fit', '02 solute', 'effect animal health', 'latest sheep', 'reaction limiting', 'result qtl affecting', 'important trait sheep', 'mucin play', 'secondary tertiary protein', 'linkage mapping rh', 'trait correction', 'accuracy prediction slightly', 'puberty map', 'gga 19', 'scale f₂ population', 'predict vivo', 'exclusively little effect', 'ga significant', 'protein function widespread', 'igf2 gene', 'analysis 16', 'genotype increase', 'grader visual', 'receptor fshr', '155 cnvrs 43', 'biological relevance 12', 'enrichment analysis performed', 'insulin like growth', 'uncover underlying', 'challenge vv mdv', '29 mb ssc1', 'chip based', 'chip used', 'lead vitamin', 'swine genome implication', 'nvd average', '230 bp', '59 steer ranged', 'useful detect', 'xia nan jiaxian', 'qtl chromosome identified', 'icf range', 'initial result suggest', 'assessed using fold', 'cm genetic', 'consequence rainbow trout', 'program work carried', 'simulation test factor', 'identified unlinked snp', 'common trait', 'conducted extract information', 'horse rhenish german', 'selection furthering', 'respect qtl result', 'using pre', 'muscle characterization', 'mutation increasing cbg', 'effect appropriate', 'higher concentration', 'kingdom texel', 'eye iris completely', 'gene reported influence', 'second objective', 'study feasible', 'study wssgwas used', 'pig phenotype ranged', 'essential increasing', '46 cm shared', 'exhibit exceptionally', 'identified promising gene', 'humerus bone', 'red dominant', '20 referred', 'lying approximately', 'genetic variance economically', 'cluster gene resides', '290 progeny tested', 'affecting stress response', 'performance core gene', 'region detected trait', 'line construct gcg', 'atp5b identified', 'plw meat', 'harboring significant', 'carcass trait hanwoo', 'gland extract sge', 'investigated association l1', 'linked effect', 'polymorphonuclear leucocyte neutrophil', 'cow frequency genotype', 'training set rf', 'faced equine researcher', 'significantly enriched mirna', 'likely enzootic pneumonia', '629 control', 'unselected population', 'brown colouration chicken', 'role casein gene', 'association genotype mtdfreml', 'genome compared trait', 'acid c10', 'suggestive qtl chemical', '19 major', 'aj292286 1330g showed', 'bmpr1b previously', 'rs42670352 gene', '137 178 snp', 'chemical trait diagnostic', 'ewe produced', 'ii experiment', 'significant association 10', 'location gga14', 'metabolism gene lacking', 'presence highly', 'qtl gp chromosome', 'retardation anaemia', 'severe disease', 'bta5 igf', 'trait pig population', 'taurus qtl region', 'analysis ketosis dairy', '1730a e577d', 'joint result provide', 'claw weight', '28 trait phenotypic', 'rr cattle', 'trait trait analysis', 'opportunity marker', 'intronic variant pclo', 'specific strep dysgalactiae', 'expression pattern', 'variation genotypic mean', 'growth trait like', 'backcross merino flock', 'associated serum', 'index c16 c16', 'kinase map2k6 phospholipase', 'daughter differed', 'initially 285 microsatellite', 'fat fatty acid', 'potentially involved lipid', 'region respectively recent', 'duplication locus trait', 'gene study help', 'possible mutation affect', '494 576', '14 cm', 'infected animal sample', 'piglet genetic', 'qtl chromosome suffolk', 'facilitate discovery', 'snp 296 54', 'record animal subset', 'design body weight', 'ff 370 number', 'concentration beta lactoglobulin', 'gwas average daily', 'dairy cow higher', 'effect originates birth', 'roh estimated', 'gene associated specific', 'marker set 1255', 'pde1b gene candidate', 'snp search', 'gh locus displayed', '69 qtl associated', 'potential estimate', 'involved pig production', 'study later use', 'performed detect chromosomal', 'marker disease', 'significantly affect internal', 'qtl qtl1 15', 'layer accounted phenotypic', 'significant genomewise fat', 'variation complex', 'previous study furthermore', 'temporal pattern', 'weakness identified autosome', 'mineralisatinon limited pig', 'associated esc resistance', 'pta dpr 20', 'lower muscle', 'carcass trait lamb', 'additional dna sequence', 'approach half sib', 'protein kinase cd27', 'bluppf90 postgsf90 result', 'snvs known fcr', 'cattle missense', 'platform consisted', 'position 55 78', 'ld analysis region', 'nba identified 14', '10 used analysis', '242 cm', 'allow distinguish breed', 'population included xuelong', 'little known', 'qul negative', 'site endonuclease', 'cnv association study', 'encoding nudix nucleoside', 'marker located bovine', 'present nucleotide sequence', 'eggshell hamper', 'confidence interval large', 'effect sample', 'oxytocin hydrolysis ncapg', 'hpa axis exerts', 'male pig slaughtered', 'c14 study', 'report polymorphism', 'trait favorable', 'asia loss', 'anxa10 analysis', 'line help', 'epistatic interaction fat1', 'rs109546980 rs42404006 rs42303720', 'duroc based breed', 'infection cost', 'gastric inhibitory', 'coat colour variation', 'taurus autosome bta', '35 cm controlling', 'studied conclusion complementary', 'cb pig result', 'pivotal producer profitability', 'bw10 13', 'growth merging', 'population direct', 'length 12 week', 'hct hemoglobin hgb', 'reduced cost', 'position epistasis', 'adg bos', 'chromosome ssc6 ssc8', 'resolution qtl position', 'variant transfection', 'livestock knowledge genomic', 'classical approach exclusion', 'sh3gl2 gene', 'qtl associated multiple', 'significantly associated 05', 'polymorphism mastitis resistance', 'market carotene', 'expression analysis association', 'method moderate evidence', 'overlapped previously reported', 'variant snvs', 'snp promoter region', 'measured included dressing', 'gain yr', 'located lcorl', 'economic loss search', 'associated pigmentation', '18 autosome sequencing', 'adverse effect calf', 'index body weight', 'gland preferentially enriched', 'aim present work', 'analysis calving trait', 'method closed population', 'bta contained gene', 'bmd method data', 'level marker information', 'ssc12 fatty acid', 'using statistical environment', 'protection disease outbreak', 'quality duroc related', 'trait false discovery', '14 respectively', 'discovery 29 new', 'current study designed', 'result bull', 'qtl udder', 'family study', 'association slc39a7 gene', 'effect mastitis resistance', 'caused mutation prkag3', 'develop validate 50k', 'important protein', 'mln snp', 'ph cooking', 'slaughter metabolic process', 'mechanism affecting rfi', 'including edn3', 'infectious keratoconjunctivitis pinkeye', 'total 459 israeli', 'short distance', 'ra type iib', 'weight different', 'signal overlapped', 'exert role', 'efficient future', 'growth ultrasound carcass', 'population consisted 3579', 'reported snp il8', 'missense snvs pgm2', 'suggesting snp', '18 tibia', 'muscle development belgian', 'variety medical', 'conducted explore candidate', 'new qtl position', 'effect causing', 'non double', 'gene acsl4 serpina7', 'window largest', 'function apob gene', 'scheme larger prediction', 'analysis lavc combined', 'chicken h1h5', 'sib duroc', 'sample resulted 51', 'ii conduct', '206 boar', 'region harboring gene', 'region obvious', 'tonic immobility', 'susceptibility milk production', 'converted snp marker', 'sc ebv significant', 'obtained following', 'association separate', 'bc1 generation 71', 'measurement plasma', '05 identified', 'directional association fertility', 'f2 animal resource', 'muscle kidney', 'participated wide', 'duroc allele systematically', 'kg allele respectively', 'tenderness blonde aquitaine', 'variance study', 'country improve', '390 duroc boar', 'seen notably analysis', 'usually designed', 'value illumina', 'cellular hypoxia defense', 'variation bovine breed', 'autosome including pig', 'variation validation dataset', 'determine biological', 'hin1i mspi polymorphism', 'superior ab', 'white synthetic', 'dna damage response', 'animal population', 'regression model gwas', 'association study 062', 'combined fact me1', 'progeny broiler', 'locus genotyped', 'gene encompasses', '37 significant', 'catfish family taken', 'factor number', 'rib help reduce', 'geneseek80k platform consisted', 'gender genome wide', 'hybrid panel imprh', 'nr6a1 member nuclear', 'polymorphism snp 12', 'weight difference chicken', 'phenotyped fcr genotyped', 'recessive model respectively', 'construct encoding bovine', 'omy9 window detected', 'aa genotype yellow', 'lm 18 474', 'trait sc', '36 snp located', 'cdna sequence', 'gene participates epigenetic', 'chromosome bta2 10', 'conducted plink software', 'locus qtl detection', 'method context qtl', 'measured dna extracted', 'association analysis historical', 'snp strong association', 'family ld', 'trichostrongylus colubriformis animal', 'revealed 44', 'identified significantly', 'effect sex housing', '2836 ear', '20 snp', 'variability tnb vartnb', 'legendre polynomial', 'sample collected october', 'multiple cattle', 'gga4 led', 'gene makoei', 'improving muscle mass', 'maturity approximately', 'shown milk', 'locus analysis applied', 'constant contained gene', 'bayesc moderate', 'associated morphological', 'fat longissimus muscle', '20 24 cm', 'family seven suggestive', 'epas1 mrpl48', 'mouse similarly', 'snp associated aggressive', 'population method', 'practiced region', 'animal visual', 'factor process', 'high throughput snp', 'interval 49 70', 'association pork quality', 'width group snp', 'close influence major', '10 study', 'duroc molecular', 'difference ebv lp', 'progeny carcass', 'theoretical basis chicken', '18 436 759', 'level hw 30', '23 site variation', 'identified different genomic', 'validated combined', 'conformation polymorphism protocol', 'accounting effect', 'rf analysis', 'suggested polygenic', 'weight bwt 428', 'association drip', 'time cost fish', 'milk protein percent', 'f2family chromosome', '285 cow high', 'reproductively competent', 'eared duroc pig', 'stat1 fabp4', 'snp ggaluga151406', 'synonymous snp rs14491030', 'breed performing', 'incidence record 15', 'totally linked located', 'weight epididymal', '435 chinese indigenous', 'simplicity negligible cost', 'term search', 'dominant qtl', 'fshb promoter response', 'calf compared', 'parameter performed genome', 'study humoral innate', 'existing marker map', 'new pig', 'gene abhd16b bovine', 'pecking using', 'consistent behavioral', 'function hematological', 'aim performed', 'est affymetrix probe', '5019 bp respectively', 'process late', 'stillbirth located', 'progeny derived white', 'analysis report qtl', 'ca 63', 'effect qtls important', 'remaining quality', 'microsatellite marker spread', 'needed evaluate', '184 using rna22', '1948g snp associated', 'palatability lipid content', 'applicable dna', 'mapping allow cross', 'quality constrained fact', 'pig distinct', 'height sex specific', 'percentage revealed significant', 'extreme chicken', 'maker causative gene', '554 chinese qinchuan', 'sc h2 h3', 'performed characterize', 'result western', 'improvement agricultural', 'influence polygenic', 'mstn sod2', 'sscp strategy', '18 eca18', 'chromosome igf2', 'horse chromosome 10', 'signature selection run', 'a868g used', 'flock comprising', 'locus finally', 'snp data 304', 'heat measurement', 'descendant original sire', 'facial wrinkle evolutionary', 'great pig industry', 'pig result', 'capacity composite index', '18 cm', 'change potentially importance', 'scan date', 'bta13 ier3 bta23', 'effect daily gain', 'limit negative costly', 'furthermore snp genome', '12 fore', 'chose best', 'eye completely depigmented', 'day anatomy', 'measured predominantly adipocyte', 'genome sequencing genomic', 'ranging 30 140', 'significant physiological underpinnings', 'utilized random', 'used high', '33 qtl peak', 'bayes factor respectively', 'proteolysis analysis', 'ep estimate', 'south western', 'validation large', 'variation beef', 'local animal', '18 rorc 3290t', 'heme biosynthesis determined', 'reliably performed qtl', 'btb infection cattle', 'overlapped locus', '115 kg', 'alpha chain lh', 'confirmed analysis protein', 'determined productivity', 'effect generally significant', 'a213c bp insertion', 'hoxa family gene', 'gpe 539 derived', 'allele larger', 'underlie variation breed', 'use united', 'covariables association analysis', 'luteum number haplotype', 'sample broodstock population', 'showed moderate potential', 'evidence addition functional', 'evaluated previously', 'imputed sequence', 'run gwas', 'trait significantly', 'cloning resistance gene', 'tissue partly', 'contribute sensorial', 'vasoconstriction depressed', 'region mb containing', 'gene trait', 'member member ra', 'population 195 trickle', 'suggest large', 'gga4 gga12 gga14', 'identified plausible positional', 'bacterial infection', 'bp slc39a7', 'hsd17b12 cacna1d inclusion', 'identified detected', 'mb draft', 'mechanism contributing', 'multiple breed genomic', 'provides low resolution', '1881g 627aa described', 'genotypic variation', 'resistance improved', '10 13', 'gene clarify complex', 'exclusively gga1 regression', 'affected growth', 'kg enhanced protein', 'test navicular disease', 'ctsd gene enzyme', '77 gain block', 'gamma soay sheep', 'difficult detect genetic', 'sheep chromosome ovis', 'aimed identifying', 'genotype significant', 'lesion recent genome', 'total 21 significant', 'addition snp 55g', 'candidate gene slc11a1', 'effect stress response', 'mastitis major', 'genotyped 337 fertile', 'recessive allele determining', 'research snp caused', 'analysed detect compare', 'meishan pig prolific', 'clarify molecular contribution', 'animal welfare economics', 'gain insight', 'region overlapping marker', 'effort develop', 'suggests specific', 'using illumina ovine', '19 trait', 'distinct phenotypic', 'region fasn', 'igf2 acsm5 classified', 'produced 300 day', 'tumor invasion dst', 'add understanding complex', 'qtl exclusion', 'reported qtl carcass', 'qtl qtl feather', '634 109 single', 'mirnas lncrnas', 'recommended pig', 'required breeding', 'fecx gr fecx', 'qtls detected', 'significant kyphosis', 'onset puberty selected', 'snp used genome', 'model boar taint', 'beefbooster m1 line', 'influencing pigmentation color', 'mapping central porcine', 'changed transcription', 'fe key', 'tt genotype rs13997812', 'genetic variant japanese', 'identify mutation understand', 'sharp qtl', 'horn development objective', 'response activin pituitary', 'analysed polymorphism', 'industry strong impact', 'crh promising candidate', 'affecting proportion', 'qtl seminiferous tubular', 'genotypic distribution', 'average bft lumbar', 'pregnancy btas 11', 'cattle use small', 'decrease false positive', 'entropion 01 breed', 'width snp', 'used confirm', 'phe⁷ melanocyte', 'sscp dna sequencing', 'demonstrated research commercial', 'f2 population issued', 'weight landrace allele', 'independent mutation', '26 genome wide', 'gga10 22 26', 'npc mutation npc1', 'influence relevant trait', 'man2b2 resequenced meishan', 'significantly represented pathway', 'fecx shown segregate', 'thickness cohort population', 'oocyte conclusion study', 'solute carrier family', 'gga gga4', 'possible marker', 'including newly developed', 'mutation event', 'chicken 17 sib', 'underlying pig ear', 'ld freezing', '910a 995g 4321a', '11 indicated previous', 'identifying predisposing', 'large white synthetic', 'trait 21', 'indicating cnv', 'population typed microsatellite', 'cm carcass gradefat', 'qtls purebred population', 'identify cnv associated', 'cattle significantly', 'holstein using granddaughter', 'eating satisfaction carcass', 'unaffected animal breed', 'effect disease', 'postnatal psychosis occurring', 'existence difference genetic', 'index 84', 'fed diet', 'receptor htr2a', 'variation growth', 'phu hspg2 snp', '70 megabase', 'using bovinesnp50 beadchip', 'discovered attempted', 'window snp snp', 'detected sequencing', 'method dissect qtl', 'complex trait useful', 'susceptible individual based', 'corresponded qtl', 'infection objective study', 'appear common brown', 'recombinant offspring', 'vicinity ar', 'skeletal structure strong', 'mir1 mir206 micrornas', 'index region', 'involvement fabp gene', 'increased body', 'postweaning pig', 'revealed analysis', 'landrace intercross ii', 'mapping slc37a1 gene', 'selected carefully phenotyped', 'known heterozygous distal', 'cc genotype 11', 'sequence variant significant', 'region abcg2 evaluate', 'stimulation thought', 'number snp', 'finally 734 chicken', 'sex average feather', '50 86 phenotypic', 'inhibin βa', 'mean lod', 'trait gilt sow', 'sire genotyped 362', 'haplotype constructed based', 'analysis examine genetic', 'sire log 10', 'affecting trait multiple', 'low proviral', 'possible identify', 'kinase non', 'bta26 03 05', 'marker significant correction', '874g genotyping', 'using bayesian approach', 'finland sweden denmark', 'targeted genetical', 'altering carcass', 'basis microtia', 'carrier affected', 'qtl bta2 bta3', 'fitness breeder selection', 'polymorphism observed ehhadh', 'activity gr', 'protein epidermal fabp5', 'density tested using', 'furthermore intermediate heritabilities', 'fitness measured', 'difference observed carcass', 'idea future marker', 'mb sck2', 'selection progress exploiting', '2228t snp', 'marker added allow', 'snp chip genome', '18362g 18377t 19873t', 'nrr90 nrr56', 'piglet born number', 'rib polymorphism', 'region explaining 95', 'bone fracture', 'landrace meishan bamei', 'focused viremia', 'conformation fatness measurement', 'ng compared ct', 'influence prrsv specific', 'enterotoxigenic escherichia coli', 'mir 184 detected', 'disease veterinary practice', 'fertility holstein', 'progeny tested measured', 'snp3 individual gg', 'regulatory snp snp5', 'estimated account risk', 'follicle qtl inadequate', 'french dairy cattle', 'calving 1983', 'increase power especially', 'composition reported diverse', 'remain productive enzootic', 'igf2 in7', '05 average backfat', 'available dairy', '5p13 p15 7p12', 'gene refinement', 'osseous fragment pof', 'genomic regulation meat', 'animal coincidence indicate', 'structure present', 'nudix nucleoside diphosphate', 'interferon inducible guanylate', 'polymorphism group', 'seven leukocyte', 'bcl abo vav2', 'backward elimination model', 'electric location method', 'background study perform', 'sost known associated', 'signature divergent line', 'chip mixed effects', 'fumigatus raspf7 measured', 'snp analysis addition', 'gene research ma', 'recent selection signature', '05 range', 'effect variables', 'ssc2 s0143', '07 0e', 'crim1 rxfp2 tbx5', 'trait lightness redness', 'identified interesting coincidence', 'shear force day', 'state health', 'associated haplotype important', 'breeding tool improvement', 'conducted multiple qtl', 'probability qtl later', 'significantly associated meat', 'respectively strong positive', 'limiting rate', 'level le active', 'parent method', '24 77 chromosome', 'produce daughter efficient', 'performance weak eggshell', 'multi gene interaction', 'function widespread use', 'polymorphism egg quality', 'spine length loin', 'sc compared common', 'averaged genetic map', 'sutai duroc', 'acid exception', 'hybrid grand daughter', 'end second parasite', 'different single multiple', 'gene hmga2 sox5', 'drumsticks thighs', 'gene functionally associated', 'genotyped resource population', 'homeostasis cartilage', 'resolution qtl contain', 'level observed', 'qtl feather length', 'consistently associated fi', 'imf content soxhlet', 'origin trait analyzed', 'germany austria', 'ci imf reconfirmed', 'cluster affecting milk', 'using line cross', 'study included million', 'size sow', 'f2 intercross divergent', 'type ft', 'etec f4ab f4ac', 'genetic factor common', 'background numerous', 'case tumor regress', 'milk sample agreement', 'stage large', 'gene interval', 'charolais limousin bull', 'breed resistance linkage', 'mendelian dominant', 'ncapg arrdc3', 'available phenotypic data', 'pig lacking study', 'trait locus overlap', 'qtl mapping approach', '153 fat', 'irs4 posse domain', 'genetic diversity chicken', 'myostatin transforming', 'marbling 05 genotype', 'qtl inverted teat', 'fat thickness goal', 'qtl ssc4 ssc11', 'chromosome ipn ipn', 'lower test', 'genotype e4 37', 'generation respectively ultrasound', 'snp identify associated', 'mm based estimated', 'protein interaction network', 'good candidate', 'fish using', 'presented boar 23', 'snp associated small', 'tg_x05380 422c marbling', 'proximity play functional', 'demonstrate approach dairy', 'kidney knob', 'npy gene pcr', 'lamb scored presence', 'sc common mastitis', 'analysis revealed ghr', 'male f2 individual', 'mummified foetus', 'process overrepresented 500', 'pta dpr 68', 'selected based snp', 'effect interaction marker', 'allele backfat', 'human 12q21 12q23', 'association fat', 'density genotyping', 'set 3379 single', 'swine marked', 'constituted draft', 'mechanism leading', 'exon intron used', 'weight birth', '12 polymorphic', 'milk elevated expression', '03 particular qtl', '464 sb', 'involved dna damage', 'hormone receptor gene', 'cell make', 'model study', 'nba tnb pig', 'illumina porcinesnp60 beadchip', 'considerable nonsignificant effect', 'jersey 83', 'mean value genotype', 'used measure growth', 'scan measurement lamb', 'hap aa associated', 'livestock population achieved', 'threshold qtl qualification', 'term 0005634', 'additional marker genotyping', 'landrace specific', 'cue similar study', 'focused bmp7 singularly', 'detected different chromosome', 'igf insulin', 'putative qtl region', 'weighed classified fat', 'content milk using', 'genotype multiple', 'infected parasite suggesting', 'lean tissue', 'region sequenced', 'region chromosome chr', 'tissue infection', 's2 65 grouped', 'efficient promoter', 'sheep analyzed polymorphism', '215 216 305', 'breed specific large', 'lm lm', 'egg weight age', 'close microphthalmia associated', 'maximum genetic', 'erythroid index', 'adult specific factor', 'area 90', 'linkage analysis schp', 'cattle limit', 'consumer purchasing attitude', 'gene regulating feed', 'detection linked', 'experimental wise', 'calf contributed', 'array plate used', 'weight explained', 'loin loin', 'tenderness measured', 'sire 56', 'blup gblup', 'straightforward utilize shrinkage', 'region nramp1', 'initially analyzed', 'understanding different', 'bta18 significantly associated', 'parameter statistical', 'transformed serum viremia', 'centre lacombe alberta', 'expression independently', 'hgd identified', 'marker target qtl', 'm2 model assuming', 'estimate obtained population', 'poor 2009 dense', '200 mb', 'composition 28 trait', 'association economically important', 'percent instance outbred', 'regulation lascs scs', 'type type iv', 'erhualian cross occurred', 'cox transformation', 'trait feed', 'trait nucleotide large', 'aa substitution', 'significant result', 'cross genome', 'level 05 haplotype', 'content milk chinese', 'provides comprehensive', 'threshold 15', 'influenced multiple chromosomal', 'finding provide basic', 'lod score 34', 'small le phenotypic', 'snp window', 'rate single', 'seventeen qtls', 'infection dpi pig', 'trait pc measure', 'sahiwal population utilized', 'difference chinese indigenous', 'probability allele', 'serum 139', '14 18 19', '31 significant association', '0038 allele', 'site study sheep', 'head 43', 'specific effect incidence', 'size fleckvieh subpopulation', 'performed ingenuity', 'beadchip study', 'statistical association', 'bradyzoite number', 'protein involved regulation', 'scenario different number', 'proteomics approach', 'itih protein binding', 'values effect', 'consumer acceptability limit', 'qtl region localized', 'concentration finding', 'quality requested', 'selected previous genome', 'suggest marker assisted', 'na defense', 'snp echs1', 'pathway rfi respectively', 'gga5 splitting', 'genetic difference', 'eca3 raw 86', 'progress genetic', 'frequency fit hardy', 'qtl detected suggestive', 'asymmetry developmental', 'horse pwh', 'measured granddaughter', 'cruz website rb1', 'sequencing complete coding', '240 observation', 'compared inheriting brahman', 'osteoporosis layer', 'elovl6 gene conclusion', 'incidence pathogen daughter', 'result support presence', 'ldl pig', '10 usp32 lrpprc', 'complex gene network', 'additionally qtl genotypic', 'significantly impact', 'qtl protein fat', 'bta 16', 'normal semen', 'varied 10 phenotypic', 'sow largely depends', 'kr trait suggest', 'enlarged 16', 'identified overrepresented', '926 mon 9400', 'joint snp eca10', '23 significant', 'candidate nba tnb', 'consistent published', 'ma animal', 'boar pietrain extent', 'nuclear transcription factor', 'comprehensively evaluates', 'bta11 46 70', 'sire measured leg', 'genomic region gallus', 'gene expression identified', 'mixed model linear', 'percentage diameter', 'region revealed hap', 'search european wild', 'selection trait daily', 'qtl produced', 'weight gizzard weight', 'commercial hanwoo', 'frequency il8 haplotype', '882 bull', 'dik4782 br2936', 'compared analysis using', 'group preliminary qtl', 'qtl plasma', '114g evaluated transcriptional', 'sire family trait', 'leg foot improve', 'maximum heritability', 'using 50k', '28 497 pb', 'angularity ang', 'companion animal', 'color sc facial', 'polish coldblood horse', 'genetic distance haplotype', 'hmga2 located', 'position cm', 'qtl foetal developmental', 'renamed pou1f1', '3533t exon', 'study investigated association', 'weight 110 kg', 'family yielded', 'miniature pig family', 'family dna pool', 'bta10 bta26 chromosome', 'dyd variance', 'variation le genomic', 'yield fat milk', 'haplotype identified total', 'reveal interaction', 'annotation revealed', 'snp partly', 'rate using microsatellite', 'extreme tolerance susceptibility', 'remains elusive', 'predictor single', 'addition ctsz impacted', 'derived founder', 'mineral peptide', 'polymerase chain', 'porcine nr3c1', 'study identify chromosome', 'substitution pro192leu coincident', 'showed negative relationship', '12 chromosome 11', 'lactoglobulin abundant milk', '18 prl 92', 'gene gene interaction', 'effect 02', 'functional analysis region', 'greasy fleece', 'identified bull', 'genetic variance bw10', 'genotype cc exhibited', 'intercross red', 'association located', 'identification season', 'line analysis genetic', '0005634 value', 'genotype order aa', 'comprehensive set', 'expressed adult', 'rate homozygous hanoverian', 'level lge22c19w28_e50c23', 'use new genetic', 'ngef ewsr1', 'growing broiler pure', 'white duroc', 'association melanoma development', '01 02', 'vf2 near ar', 'associated average wool', '28 sigma', 'polymorphism atp1a1', 'showed experiment', 'cross bird genotyped', 'determine explained heritability', 'thirteen original', 'selected set dna', 'humoral innate immune', 'thirty phenotype', 'swr345 ssc2', 'encoding transcription', '18 20 21', 'function cascade activation', 'addition best linear', 'tth111i separately', 'milk physiology mammary', 'action candidate', '15 ltnb lnba', 'gene likely play', 'pressure demonstrating', 'experimental study', 'positive test', 'quality segregating snp', 'snp31 intron genotyped', 'cm low', 'fetal growth trait', 'milk trait chineseholstein', 'qtl influencing fat', 'eqtls pig testis', 'evaluate effect promoter', 'qtl positive negative', 'qc identified', 'level 35e', 'performed gwa polymorphism', 'tenderness omega pufa', 'locus qtl mapping', 'different lactation lactation', 'basis eventually', 'dihomo gamma linolenic', 'expression resistant', 'gwa rhm approach', 'probability aforementioned snp', 'regulatory site important', 'result obtained sscp', 'measured approximately', 'snp panels used', 'dairy ewe various', 'thirty phenotype primiparous', 'test established', 'approach difference traced', 'chromosome gga', 'characterise qtl', 'ss61530518 bta6 10', 'age stage', 'fatness score shape', 'bovine autosomal', 'study combine detailed', 'trait qtn accounted', 'showed 599g associated', 'lea 02', 'total 153 qtl', 'region respectively association', 'complex condition world', 'pi p3 pi', 'appeared fixed', '150 001 increased', 'prediction equation molecular', 'parturition lead truncated', 'sperm defect ists', 'ssc4 region high', 'used association test', 'gestation length bta2', 'csrp3 mrna', 'locus localized confidence', 'animal genotyped total', 'analysis heritability estimate', 'qtl carcass attribute', 'snp using affymetrix', 'gene physiological process', 'based genomic', 'suggest growth qtl', 'trait dairy ewe', 'group marker', 'serum ammonium sulfate', 'used molecular marker', 'abortion dystocia', 'piglet indicated', 'shown decrease', 'resource population facilitate', 'skeletal frame morphology', '16 33 qtl', 'acvr2a transcript japanese', 'study report association', 'bmp2 ppp1cc sp3', 'stature specie qtl', '90 animal 6723aa', 'haplotype increased acvr2a', 'mouse using', 'square analysis showed', 'thr pro', 'exhibited large', 'feather pigmentation genome', 'strongly associated racing', 'research marker assisted', 'highest subcutaneous', 'estimate 47 60', 'bta6 15', 'relative percentage', 'understand genetic determination', 'design economic', 'modulation physiologic', 'conduct gwas single', 'nervous development', 'mammal variation ovine', 'dna array available', 'spanning bta29 addition', 'adjusted multiple comparison', 'phenotype contribute higher', 'information use breeding', 'cdna region', 'different statistical', 'haplotype validated internally', 'dd higher marbling', 'multiple testing gwas', 'black chicken', 'mb distal region', 'population suggested discovery', 'case group', 'metabolism fatty acid', 'association posterior', 'income investigate genetics', 'chromosome yielded lod', 'regulation ca2 release', 'unrelated chromosomal', 'pathway suggests', 'severity index score', 'performing qtl mapping', 'bmpr1b previously associated', 'selection mutation analyse', 'centromere data', 'improve milk cmp', 'percentage csfv', 'regulation adipogenesis fat', 'mscc kit', 'variation effect', 'βa qtl combined', 'chromosome lfec1 marker', 'ap unl population', 'div2 swine breed', 'study used genome', 'identification qtls femoral', 'snp26 utr', 'rate allele', 'genetic variability possibility', 'identified fasn snp', 'approach used study', 'level il 12', 'purebred merinoland', 'length tibia', 'bayesian method respectively', 'analysis analysis haplotype', 'cu 90 fe', 'array interval region', 'infection multiple animal', 'circumference brahman tropical', 'linkage analysis large', 'stillborn nsb', 'frequency 55', 'lung testis', 'linked lay haplotype', 'trait cattle using', 'length polymorphism employed', 'used population', 'load dpi ndv', 'key identifying marker', 'meat yield shoulder', 'qtl characterized', 'thickness trait pre', 'allele enhanced', 'status mammary previous', 'indicate genetic progress', 'sheep genome', 'polymorphism resulted significant', 'provide data', 'snp effect research', 'igf2 genotype', 'close elovl6', 'record 23 865', 'consensus region', 'yield chromosome 14', 'different trait consistent', 'fabp revealed', 'disequilibrium region interval', 'lysine variant', 'causing estimated', 'associated response prrsv', 'accomplished mixed', 'test used set', 'qtls hematological', 'protein percentage body', '47 snp near', 'caused mycobacterium avium', 'h5n2 survivor', 'grandsire family 373', 'mrna level follicle', 'significant qtl rtn', 'haeiii forced pcr', 'homozygosity contains', '20 quantitative phenotype', 'dependent relationship measurement', 'analysis model allowed', 'located intron clrn1', 'gene acvr2a associated', 'holstein norwegian', 'rs135560721 significantly associated', 'using single multi', 'seven pair', 'effect modulated certain', 'currently possible identify', 'objective holstein known', 'paep mfge8 src', 'model candidate', 'white outbred population', 'reservoir bacteria genome', 'lmm random', '75 british yorkshire', 'mechanism mammary gland', 'allele negative', 'snp assay interrogate', 'network interaction', 'dbp ligand', 'qtl 001 marker', 'cell cry2 fundamental', 'utr acyloxyacyl hydrolase', 'quantitative phenotype', 'proposed causal', 'adult sheep hypersensitivity', '05 ph 45', 'total 60', 'sibs broiler', 'ap 05', 'genotype rs13687126 larger', 'site candidate', 'large validation population', 'complex mode inheritance', 'corpus lutea polymorphism', 'number detected qtls', 'set analyzed using', 'effort needed', 'genome scan large', 'allele using pspl3', 'landrace pig including', 'copb1 mapped', '26 69 cm', 'orphan receptor rorc', 'trait locus large', 'haplotype reproductive fertility', 'polymorphism 15118664g 15118683c', 'lifetime kilogram', 'level leucocyte', 'bta14 72 mb', 'pattern related', 'acid arachidonic acid', 'evaluation snp', 'performed fto polymorphism', 'challenge faced equine', '16 snp 10', 'protein network', 'qtl significantly affected', 'region bta18 second', 'la 44 heritability', 'outside mhc', 'memorial field station', 'gene functional', 'possibility genetic improvement', 'porcine tcap gene', 'gene general transcription', 'harbouring qtl', 'retinol trans retinal', 'esc resistance notably', 'performed identical descent', 'value changing', 'hpa axis reduced', 'backfat intramuscular', 'weight significantly different', 'maturity bw', 'mtnr1b gene year', 'ph15 ultimate ph', 'significant multiple line', 'allow confirmation', 'including retinol', 'confirms earlier', 'cost increase', 'disease cause severe', 'hd seq data', 'properdin protein play', 'fitting fixed covariate', 'acid cla cla', 'significant finding', 'reproduction trait chicken', 'hgd ecorv', 'meaningful variable', 'correlated gestation', 'snp identified dna', 'consisted 285', 'known associated osteoporosis', 'conducted using emmax', 'southwest asia carry', 'ability tolerate excessive', 'play role growth', 'variation porcine fatness', 'ensembl bioinformatics analysis', 'identified 44', 'aiming explain', 'helpful identifying', 'study coronary artery', 'associated 18', 'line titan used', 'coded standardised', 'trait located ssc', 'gene family member', 'contribute goal', 'animal g38819398a', 'significant association live', 'fatness qtl identified', 'nrr 56', 'pig time', 'untranslated region porcine', 'growth adipose', 'microsatellite marker located', 'score 70 cm', 'targeting gga4 27', 'qtl explained 19', 'trait log 10', 'muscle body', 'genotype environment gxe', '11040379c 167h', 'irx4 encodes', 'protein respectively gene', 'role pathology le', 'based knowledge reproductive', 'potential thyrotroph embryonic', '28e 06', 'influencing ear', 'genotypic data', 'increased calving', 'size practiced', 'total serum', 'haplotype analysis scd', 'cn positive', 'associated teat', 'locus c18', '11 qtl', 'pinpointing novel quantitative', 'mapping followed', 'egg spawn individual', 'sequence porcine insulin', 'igf1 enrichment analysis', 'swine quantitative trait', 'affected milk yield', 'pcr rflp showed', 'achieve gwas performed', 'clinical immunological', '57 000 snp', 'ache lrrc14 fuk', 'different spatial temporal', 'seq multiple', 'adhesion notch signaling', 'protein play', 'specific partly', 'study gwas standard', 'qtl affecting calving', 'cow categorical phenotype', 'distant cattle population', 'protein 80', '911 korean', 'carcass physiological', 'ssc9 ssc10 ssc14', 'presented best goodness', 'lean cut ham', 'referred rs16469410 overall', 'analysis involved susceptibility', 'gene region ssc4', 'phenotype breed genome', 'defined snp', 'targeted sequence', 'analysis expression qtl', 'background large', 'described 8656c', 'meat colour le', 'signal functional variation', 'marker chromosome linkage', 'affect early fertility', 'analysis identify marker', 'study detection quantitative', '12 lei0079 ros0025', 'ssc6 half sib', 'nellore cross bos', 'important selection trait', 'cm bta6', 'phenylalanine leucine position', 'detect chromosome', 'obtained smd', 'ssc near', 'yield linked', 'color parameter lightness', '11 gamma', 'genotyped son', 'responds thyroid hormone', 'siglec12 ctu1 znf615', 'marker white', 'causal genetic factor', 'chi2 209', 'closest gene analysis', 'snp genetic group', 'production trait f2', 'new genomic region', 'pa sire maximum', 'harbouring quantitative trait', 'involved study', 'wildtype haplotype', 'simultaneous mapping interacting', 'approaching human observer', 'water soluble', 'screened chicken', '0207 estimated', 'picture emerged italian', 'addition foot', 'limb development', 'myofiber differentiation', 'defence haemolytic complement', 'size varied 29', 'suggested sequence variation', 'identified age puberty', 'qtl probability', 'significant marker affecting', 'quality trait fat', 'previously shown involved', 'maternal stillbirth maternal', 'cattle bull', 'neurocognitive skeletal', 'chip genotype', 'marker candidate region', 'effect single nucleotide', 'parameter used growth', 'ssc4 qtl highly', 'tissue muscle lung', 'efficiency beef', '25 nt endogenous', 'likelihood ratio test', 'estimated genetic size', 'sequences mapped qtl', 'f2 offspring', 'gallus chromosome', 'snp cyp2e1 gene', 'analysis 16 showed', 'background rate', 'synthesis tt', 'improve nba heritability', 'copb1 coatomer', 'expression regulated 30', 'deviation sd 021', '21 candidate', 'carcass trait physiological', 'carried 934 male', '52 07 23', 'novel qtl proportionally', 'promoter region odc', 'postmortem sensory assessment', 'chromosome responsible meat', 'different country combined', 'used producer designate', 'bta 14 associated', 'interaction word', 'trait bta11', 'fragment covering exon', 'granddaughter design 10', 'ists defect', 'iberian breed common', 'tanzania ndv', 'data obtained progeny', 'increase weight snp', 'associated follicular igf2', 'calf direct effect', 'influence morphological', 'effect qtl gga1', 'belgian draught horse', 'selection decision population', 'region chicken', 'count 35', 'linkage disequilibrium locus', '689 1050 pig', 'developed taurus indicus', 'univariate sire', 'low sire respect', '03 90', 'carcass composition organ', 'sample size experiment', '01 analysis precise', 'gene phenotype data', '15 card15', 'accumulative en', 'ww yw', 'predict bone strength', 'yield fy respectively', 'eosinophil change secondary', 'friesian cow', 'association reported hgd', 'mutation hoxd', 'human result multi', 'responsible pituitary development', 'cgi bin gbrowse', 'content baier layer', 'sheep population studied', 'killing newborn offspring', 'jx cattle population', 'index exhibited', 'h1 98', 'wide level 11', 'genomic sliding', 'antibody response keyhole', 'qtl dairy sheep', 'dcd pm', 'haeiii locus lean', 'growth development insulin', 'identification quantitative trait', 'gene unlikely', 'chaperone hsp90aa1', 'large sized', 'significant qtls divided', 'candidate genome', 'c18 content population', 'result commercial duroc', 'snp 169', 'thickness cohort', 'channel fat weight', 'set new', 'length chest depth', 'f0 68 f1', '214 pig', 'conclusion based', 'born alive dead', 'defence disease mechanism', 'adjustment familial', 'phagocytosis animal', 'omy27 omy17', 'analysis hic1', 'composition qtls', 'evaluated 11', 'family conclusion host', 'myog genotype significant', 'reproduction generally', 'seven single nucleotide', 'design data', 'f1 bull high', 'phenotype line', 'close indicated', 'cm 60', 'tested single nucleotide', '05 level', 'lower muscle compact', 'qtl type new', 'marker associated quantitative', 'polymorphism flanking', 'genotyped half', 'holstein seven', 'lod chr', '183 dna marker', 'qtl derived', '26 69', 'rfi1 rfi2 respectively', 'study 13 07', 'ghr gene largest', 'step approach', 'step mixed model', 'marker gene diacylgcerol', 'based analysis revealed', 'carcass weight rib', 'candidate gene lyrm4', 'color result', 'binding domain nbd', 'polymorphism located exon', 'analyzed growth', 'muscle color post', 'activity analysis showed', 'genome scan performed', 'report association informative', 'site transcription', 'weight qinchuan', 'aflp marker significant', 'eqtls significantly associated', 'finished grain 180', '622c 793g', 'qtl cryptic', 'detected chromosome ipn', 'measured androstenone dna', 'protein cholesterol ldl', 'carried considering breed', 'trait documented effect', 'value beef cattle', 'factor fatty', 'model sire', 'scd locus', 'associated afc ep', 'study documented', 'causal mutation milk', 'luxi lx qinchuan', 'background reproductive trait', '276 animal representing', 'genotype strong', 'sample sample pedigreed', 'providing 6911 marker', 'anestrus failure', 'age puberty', 'separately work', 'polymorphism strongly', 'il gene correlated', 'sw2130 chromosome', 'born litter better', 'trait selection', 'bl hip', 'map intron2', 'texel sheep tm', 'large scale f₂', 'expression liver muscle', 'prevalence haplotype nordic', 'rich protein family', 'susceptibility pleuropneumoniae', 'small design significant', 'weight routinely', 'sequenced characterized', 'outbreak identified different', 'enhance opportunity positional', 'using family yield', 'analysis carried unravel', 'mixed model basic', 'mining significant association', '18 20', 'small number sample', 'snp mutation site', 'androstenone indole', 'large dataset', 'individual breed analysis', 'phenotyped number rib', 'rate average', 'determined gas chromatography', 'evidence mstn', 'synthase fasn acetyl', 'number gene small', 'associated ld adjusted', 'investigation revealed variation', 'following sequence analysis', 'igfl1 region', '01 fcr', 'genomic region containing', 'panel unrelated sheep', 'hmga1 gene', '15 obtained cw', 'specific peptidase', 'androstenone covering', 'cross sire iap', 'pig ucp3', 'locus erhualian specific', 'white 100 landrace', 'produce better quality', 'chromosome main effect', 'ssc16 ssc18 number', 'association fertility', 'treated missing data', 'infectious bursal disease', 'reduced heritability', 'skewed hardy weinberg', 'fp phenotypically', 'showing significant association', 'criterion family relationship', 'based 41 validated', 'controlling f4ab', 'variance growth largest', 'identified previous study', 'lack knowledge', 'region nramp1 shown', 'identify important genomic', '1317 cobb', 'lep lepr polymorphism', 'polymorphism pic', 'study large phenotypic', 'male large normal', 'analysis using package', 'fat combination', '461 132 snp', 'acids cattle includes', 'pig pou1f1', 'selection history breed', 'individual number', 'associated resistance gastro', 'lactoglobulin gene bovine', 'method analyzing milk', 'decreased 305', 'association ascites', 'performed highly prolific', 'included million', 'eca3 79 543', 'moderate effect qtls', 'analysis locus c18', 'probable location confidence', 'pleiotropy order', 'sequenced data genome', 'considered associated', 'study single', 'region specific gene', 'loc101102529 cg', 'multiple testing limited', 'previous study suggest', 'chromosome 11 12', 'shank length 05', 'large white boar', 'average bft', 'heredity study', 'oc partly overlapped', 'immune status specificity', 'million record trait', 'blup procedure used', 'method genotype', 'large phenotypic variation', 'relationship series genotype', 'disease comparative mapping', 'gene reported study', 'region required', 'polymorphism snp allele', 'region necessary verify', 'associated host resistance', 'trait bta11 btax', 'rbc morphology', 'data genome wide', 'overlap identified tanzania', 'deviation effect sex', 'fcr single', 'connected energy', 'respectively age dna', 'expressed adult skin', 'ibs calculation used', 'result obtained showed', 'area intramuscular fat', 'contributor quantitative trait', 'lincoln unl', 'gene centromere', 'test life daily', 'variance bodyweight gain', '15 glycolytic', 'showed bird carrying', 'dsn endangered', 'likely captured tag', 'weight adjusted 210', 'genomewise significant variation', 'heifer reproduction', 'criterion pig breeding', 'polymorphism detected included', 'polymorphism odc gene', 'video image', 'role demographic', 'group reduced', 'effort association', 'different time period', 'background inherited', 'discerned sahiwal', 'identified used map', 'suggestive qtl inverted', 'aimed detect', 'growth fully explored', '05 genotype cc', 'power test detect', 'gene identified 10', 'tissue compared', 'f2 backcross holstein', 'limited knowledge complex', 'deficiency holstein', 'tissue metabolism proposed', 'variance harbored 129', 'gain efficiency', 'gene meat ph', 'efficacy strategy', 'force cooking', 'ibk phenotype', 'new region allergen', 'chromosome mhc', 'blood gas identified', 'gene furthermore', 'offspring half', 'implicated spermatogenesis', 'acid desaturase', 'value lower', 'model increase', 'demonstrated different level', 'linkage analysis significant', 'pig 05', 'subtypes identify functional', 'id located distal', 'taurus autosome 18', 'individually explained relatively', 'demonstrated higher expression', 'composition meta analysis', 'early identification susceptible', 'gwas discover', 'percentage university', 'population diverse environment', 'recently identified', 'showed p3 locus', 'presented mosaic pattern', 'porcine economic trait', 'qtl study previously', 'trait chromosomal', 'region chromosome located', 'reported moderate high', 'gene pwl', '16 afe', '25587 unknown site', 'domestic animal human', 'affect loin toughness', 'model zc3h12c', 'potential association tunel', '02 term anai4', 'animal using targeted', 'gene plin1', 'genome scan chromosome', 'response innate immune', 'catabolism transcriptional', 'adiponectin adipoq gene', 'gene respectively including', 'qtl longer significant', 'population selective genotyping', 'old 102 case', 'loss strong', 'involved inflammatory', 'ion transport located', 'indicator level', 'week age custom', 'alga0035896 71', 'contribute internal', 'information useful increase', 'receptor pparγ', 'analysed study analysis', 'reported 156 snp', 'white population segregation', 'length human mitochondrial', 'phenotypic variation milk', 'qtl using combined', 'region adl0201 mcw0241', 'cover conformation score', 'associated fertility involved', 'significant seven suggestive', 'force tenderness juiciness', 'chemerin gene', 'german holstein family', 'effect expressed', '04 bvd pi', 'total 33 trait', 'gene estimated', 'additionally phylogenetic', 'defined passing', 'second generation crossbred', 'qtl c14 c16', 'decreased feed intake', 'trout family 480', 'tox3 gene', 'fe qtl detected', 'snp 10 chromosome', 'chicken furthermore comparative', 'result long', 'explain 30', 'centromeric region chromosome', '285delttct bp', 'included nonsynonymous', 'report specific', 'genetic correlation association', 'growth trait white', 'study gwas convenient', 'prolactin receptor', 'background majority', 'role complex', 'card15 important pattern', 'region including ar', 'snp pair used', 'value located', 'statistical model', 'protein bcrp', 'carcass weighed classified', 'far genetically', '954 animal 20', 'affect plumage variation', 'signal centromeric region', 'cost involved pig', 'showed quantitative', 'fertility economically', 'data 372', 'hd 70k', 'herpesvirus suhvi', 'milk related cheese', 'eighty snp', 'genotype respectively gg', 'transformed using log10', 'study allele derived', 'cla vaccenic acid', 'point inner outer', 'region body composition', 'affect clinical subclinical', 'different type', 'using genomic information', 'lean bone', 'jb1 jb2', 'period seen', '541 individual chinese', 'genome scan serum', 'general model feed', 'intelligence energy', 'leaving genotype 45', 'ovarian follicle development', 'significant position 29', '1536 snp marker', 'animal resistant', '34 051', 'retention 48 bp', 'associated economically important', 'trait sow investigated', 'f2 male 24', 'play critical role', 'poultry flock subsequent', 'snp lcorl transcript', 'analysed gwas approach', 'yield py fy', 'resistance clinical', 'mass selection', 'ease important', 'needed confirm functional', 'correlation dominantly', 'composition significant effect', 'genetic association racing', 'micrornas interestingly', '100 1000', 'leading conclusion variance', 'g16 animal conclusion', 'related effect', 'snp cyp2e1', 'gpc6 present result', '66e 04', 'ii examine effect', 'acid improve', 'technological processing', '13 erhualian', 'linkage analysis conducted', 'downstream intron haplotype', '300 serum testosterone', '353 animal', 'representing 10 18', '17 classical trait', 'autosome qtl reached', 'advantage gene', 'fat yield 34', '30 chromosome chr', 'disequilibrium underlying', 'difficult measure sex', 'ovine chromosome implemented', 'model used study', 'japanese brown half', 'resistance fe multigenic', 'effect lyst', 'significant 54', 'weight genetically correlated', 'superovulation chinese', 'contribute exceptional prolificacy', 'animal available', 'good marker fatness', 'machine milking', 'bayesc moderate density', 'offspring model', 'tool detection candidate', '700g snp', 'concentration level milk', 'shorter additive dominant', 'imported norway 1970', 'marker prioritized used', 'index culture', 'parasite suggesting universal', 'level respectively', 'analysed qtl affecting', 'growth metabolism study', '12 11 new', 'region associated fld', 'result test', 'ssc17 respectively study', 'highest milk producing', 'study experimental animal', 'contributing whirling', 'process examine', 'intensity given coat', 'mastitis resistance', 'pathway present interesting', 'fsil design', 'primarily 38', 'power instance', 'included gwa', 'pax3 variant breed', 'mch mcv respectively', 'ssc6 carcass trait', 'cdna gene cloned', 'meat color japanese', 'gga23 detected shank', 'marker narrowed', 'clue understanding genetic', 'model using squares', 'family evaluate', 'parity trait', 'large flop', 'qtl identified wool', 'needed using', 'snp marker closely', 'underpins horn', '39 snp significantly', 'genetic variant affect', '385 large white', 'developmental qtl affected', 'genetic selection identification', 'health benefit monounsaturated', 'snp variable ca', 'controlling systematic environmental', 'locus consistent', 'study 062', '590 region characterized', 'footrot linkage disequilibrium', 'trait chinese holstein', 'production product', 'probably tissue', 'cluster contributes', 'total 41 significant', 'region limited marker', 'related male female', 'total significant qtl', 'potentially implicated immunity', 'design used', 'heritable suggesting selective', 'different granddaughter design', 'abomasal ph serum', 'cm marker', 'statistical computing', 'large number iteration', 'study additional', 'enhance power', 'hair dark', 'quality grade qul', 'ranging mild', '47 explained informative', 'finding helpful', 'jowl weight', 'exon t3602c', 'research used', 'milk evaluate effect', 'probably represent true', 'udder depth', 'detected testis role', 'porcine rfi regulated', 'equine guttural', 'animal successful', 'explaining high heritability', 'population 743 chinese', 'induced obesity nervous', '173 snp', '817 cow', 'crossed genome wide', 'dynamic method', 'lamb genotype associated', 'use acaricide manage', 'index 93', 'gene network growth', 'physical distance', 'marker ld', 'meat yield showed', 'apparent age', 'identified contrast', 'snp high linkage', 'rear leg rear', 'duroc pig allowed', 'model combined lc', '40006g mutation associated', 'composition aim genotyped', 'heifer belonging farm', 'incubated nuclear', 'probability computed allelic', 'yield grade', 'biology lp', 'infanticide identified', 'single family 510', 'rac alpha serine', 'grammar genomic control', 'fescue used examine', 'influence wool', 'prss2 cckbr', '01 004 02', 'chicken reference population', 'feed efficiency major', 'mitf nbeal2 underlying', 'second region', '05 snp haplotype', 'collected piglet', 'technological quality', 'saturated fat intake', 'version used pre', 'predicting meat tenderness', 'ssc2 qtl tg', 'suggest data derived', 'thickness middle detectable', 'density qtl', 'mass whilst genetic', 'fabp gene', 'obtained previous sire', 'beadchips illumina usa', 'qtl ssc1 12', 'resistant female rvtv', 'thyroxine insulin', 'parameterization multivariate model', 'weight left', 'pig pde4b', 'considering clinical', '169 c57r showed', 'level qtls affecting', 'haplotype make possible', 'wg42 mb region', 'database confirm', '300 ssc7', 'tested pig population', 'mammary gland morphology', 'major physiological', 'adg determined pig', 'ga appeared', '2004 2004', '7825 78', 'evaluation association 105', 'accretion ssc8', 'deutsches schwarzköpfiges fleischschaf', 'gene association analysis', 'identify locus affect', 'pattern seen ssc15', 'provide important', 'change expression', 'based indicator trait', 'using 100 microsatellite', 'smaller number', '40 dj high', 'lipid transportation', 'thoracis nellore finished', 'increase 78 43', 'calving extent perinatal', 'snp nominal evidence', 'gene cloned homologous', 'iv control marek', 'limousin jersey', 'prediction bft cwt', 'metabolism method', 'week covariate identified', 'complex fat protein', '03 90 23', 'phenotyped feed', 'trait value 708', 'chicken single nucleotide', 'result single', 'genotype 01 association', 'phenotypic information', 'effect detected 40', 'population haplotype', '21 showed significant', 'mutation showed perfect', 'chromosome bone index', 'calf bwt wwt', 'necrosis virus', 'additional causative snp', 'panel unravel genetic', 'annotated near', '164 marker', 'confirm population', 'dairy beef cattle', 'enzootic area quantitative', 'milk protein kg', 'snp association study', '305 milk', 'identified total 17', 'comparison sequence', 'genetic background lma', '000 snp showed', 'le active restraint', 'involved pathogenic', 'lumborum mll width', 'modelling epistasis', 'feather development theory', 'kompetitive allele', 'independent network', 'number marker 54', 'subclinical day', 'effect 32', 'backfat 19', 'haplotype block approximately', 'health production', 'position 192', 'mapping plasma', 'small family', 'mutation positional', '338 genotyped haplotype', 'paternal versus', 'variation evolution', 'result underpin feasibility', 'reproduction chicken unclear', '19 fat', 'interpreted using simplistic', 'snp 62', 'confirmation qtl chromosome', 'validate association significant', 'genomic novo', 'weight water', 'ghana tanzania', 'multiple comparison 17', 'muscle damage post', 'suggested possible effect', 'type diabetes', 'qtl analysis intercross', 'progeny novel', 'effect litter', 'improvement trait fundamental', 'number fish directly', 'mating strategy', 'associated igat significant', 'association specific', 'spanning 1987', 'detected significant 12', 'outbred population iberian', 'selecting sexually precocious', '24 snp', 'trait nellore cattle', 'abt moderate fabp3', 'background ear', 'homozygous major', 'dyd lactation', 'identify candidate variant', 'selection hold', 'improve power', 'produce fresh', 'snp polymorphic line', 'onset positive', 'cattle data', 'increase number detected', 'sperm concentration number', 'bayesr resulted limited', 'egg weight marker', 'trait significantly represented', 'genotype lda expression', 'capacity increase', 'snp reveal genetic', 'reduce impact', 'reared tropical environment', 'identified validated', 'position smaller', 'genetic architecture resistance', 'trait recently identified', 'permutation test family', 'animal quickly efficiently', 'mid fat', 'mstn haplotype', 'difficulty calf mortality', 'greatest ratio', 'offspring 314 association', 'population built', 'performance trait analysed', 'adg tested discovery', 'identify polymorphism significant', 'combination single', 'effect bw70 fi', 'segregating sire comparison', 'weight 23', 'frequency pool obtained', 'alberta hybrid bull', 'pig despite moderately', 'variant en lr', 'population generated cross', 'genome influence ability', 'novo sequencing', 'based line cross', 'chicken bone', 'missense mutation valine', 'american dairy cattle', 'tbrd considered', 'trait approach reveal', 'marker spanned', 'role meat', 'strong ld asp298asn', 'change ile442met ncapg', 'breeding genomic selection', 'qtls resource', 'w80x association analysis', 'snp06 significantly', 'decrease propagation salmonella', 'fatness trait breed', 'phenotype overall result', 'box q1', 'result quality control', '968t snp', '421 953', 'muscle development little', 'indicated haplotype', 'variant allele called', 'qtl qtl associated', 'bw10 bw13 respectively', 'trait locus eqtls', 'determine significance threshold', 'backcross population', 'crimp detected', 'sp9 wdr92', 'using animal model', 'vrtn variant complete', '22 region containing', 'sequencing 18 mb', 'fi fcr interval', 'developed dna marker', 'thyroxine binding', 'feathering chick 78', 'italian pig', 'cross interacted dam', 'independent origin different', 'longevity increasing', 'genome landrace specific', 'occurrence eyelid', 'testing computational demand', 'phu combining', 'disequilibrium detected bovine', 'facilitates fine scale', 'mastitis important production', 'variant fcr', 'covering chromosome ssc2', 'parity similarly', 'trait clinical', 'common underlying mechanism', 'containing vrtn mutation', 'associated carrier', 'gene respectively finding', 'association locus', 'genetic control identify', 'component feed', 'cacna1d inclusion 39', 'milk composition software', 'measure resistance mastitis', 'tmem145 wwc2 cdkn2aip', 'significance level 01', 'hypothesis gin resistance', 'function valued', 'ph postmortem', '10 sus scrofa', 'polymorphism 2421t', 'susceptibility diabetes', 'androstenone affecting level', 'bone carcass', 'finished pasture', 'organization play', 'substitution effect alpha', 'breed intensive selecting', '163 single', 'higher monotocous', 'obesity excess fat', 'pde6g polr3h', 'detecting multiple qtl', 'phenotype duroc', 'totally linked', 'control prevention', 'substitution coding', 'chromosome level', 'development pig genetic', 'swine fever vaccine', 'showed strongly higher', 'flanked dik0079', 'higher power', 'structural variant', 'sscrofa10 italian large', 'imf provide specific', 'valuable improve', 'comprehensive coverage', 'newcastle disease nd', 'yield fy milk', 'detect qtl', '5678944a genotypic distribution', 'functional teat', 'result indicated snp', 'hampshire duroc synthetic', 'collected 34', 'using bovinesnp50', 'variant ornithine', 'abcg2 igf1 mainly', 'conducted identify validate', 'deviation calculated', 'false positive correction', 'hybrid grand', 'iga level iga', 'permutation total', 'genetic regulation process', 'conducted infected', 'igf2 acsm5', 'population quantitative trait', 'pair differential gene', 'genetic variation worm', 'used marker identify', 'ttn 233 intermediate', 'animal data collected', 'cross despite lack', 'interval ci', 'wide mapping initiated', 'chromosome 11 mapping', 'trait bta6 bta7', 'originating layer', 'holstein square regression', 'pleiotropy boar taint', 'associated longissimus dorsi', 'associated tg', 'cnv association', 'region genome influencing', 'development weaning', 'low ne', 'region validated qtl', 'analysis underpowered', 'affect different aspect', 'correspondingly harbouring close', 'influence increased', 'multitrait group model', 'appeared tcf12', 'architecture longitudinal trend', 'primary infection oar', 'analysis suggested', 'experiment wide gw', 'ft chinese dongxiang', 'generation red comb', 'chicken fast growing', 'chromosome respectively', 'immediately upstream group', 'polymorphism ablating polyadenylation', 'relate semen', 'bull tested', '55 60 locus', 'ineffective low heritability', 'snp located inside', 'total 52', 'using 50 genotype', 'variance holstein breed', '155 gpr155', 'tibial dyschondroplasia leg', 'lepr mc4r', 'candidate conclusion sequence', 'cattle report', 'melanin id located', 'hgd protein sequence', 'immune response novel', 'genomic region significant', 'early expression', 'qtl eca7', '20 genomic region', 'best knowledge study', 'evolutionary genetics', 'susceptible using 57k', 'required animal', 'marker linked finding', 'response mastitis detailed', 'improve milk fat', 'including sp1', '124 microsatellite', 'genetic architecture underpinning', 'muscle 350 duroc', 'involved mechanism affecting', 'function identify', 'growth finishing', 'breed 141 crossbred', 'gga1 identified similar', 'locus additionally', 'female ovulation', 'xianan crossbreed respectively', 'acop proportion', 'moderately virulent', 'frequency mutant allele', 'fast multi locus', 'breed association investigate', 'yield desirable', 'snp8 snp14 linkage', 'effect accompanying relationship', 'higher incidence', 'considerable variation water', 'marbling tc', 'tt genotype cc', 'cattle provide', 'exon 13 intron', '723 male', 'explained relatively small', 'extract information paternal', 'fcr data', 'bta14 regional effect', 'scan 20 additional', 'separately study', 'region addition', 'association tick burden', 'gene expression associated', 'jointly experiment involving', 'analyzed result showed', 'precision earlier', 'trend sheep farming', 'oxytocin hydrolysis', 'family 1026 lamb', 'value effect distal', 'high resistance', 'qtl associated systemic', 'obstruction rao chronic', 'grading trait', 'age microsatellite marker', 'cn positive effect', 'flock used interval', 'sib pair model', 'chip panel porcine', 'disease control', 'biomechanical strength', '76 bos indicus', 'observed bta', 'reported ovulation twinning', 'serpina6 affected cis', 'weight dominant', 'quality carcass trait', 'gene affecting location', 'linked microsatellite', 'challenged separate infection', 'nerve growth', 'commercial poultry flock', 'information collected 599', 'qtl chicken', 'presented represent gwas', 'suppressing expression gene', 'deposition white', 'pathway regulates', 'qtl effect allelic', 'herd 332', 'qtl gestation length', 'step poor', 'placenta harbored qtl', '593 nelore', 'located interpreted', 'eczema fe hepatogenous', 'pig level', 'gain percent premium', 'porcine lipid qtl', 'growth trait compared', 'loin measurement polish', 'correlated female sexual', '156_157del 0003 light', 'background previous genome', 'raw 86 10', 'common population finally', 'phaeomelanin seen charolais', 'variant putative impact', 'including chinese indigenous', 'backfat thickness estimated', 'quality chicken breeding', 'trait v371m', 'ptm form', 'accuracy 50 47', 'locus approached significant', 'mammal potential', 'significant association body', 'yield abdominal fatness', 'lamb confirm', 'trait swine industry', 'pcr restriction', 'ube3c association', 'stimulated adrenal', 'earlier genome', 'derived used qtl', 'pietrain trait recorded', 'possibly ovulation rate', 'combination exhibited', 'composition trait dairy', 'case favourable', 'existed weaning weight', 'associated cognition neurotism', 'derived antibody summary', 'rs42670353 associated', 'identified partial', 'specificity staph aureus', '127 icelandic', 'white aldehyde dehydrogenase', 'chromosomal region putatively', 'mutation figf strongly', 'strongly linked', 'total family variance', 'commercial awassi sheep', 'gga27 52', 'altered morphological', 'mapped gga1 lei0079', 'set 164 marker', 'involved porcine lipid', 'ease performed genome', 'promoter addition', 'opposite snp', 'explain 40 43', 'genetic association tested', 'used tool study', 'experiment confirmed published', 'detected qtl large', 'trait biased farm', 'carcass weight grade', 'associated lcorl genotype', 'detect polymorphism intron', '379 gray lipizzan', 'included gwa analysis', '007 genotypic model', 'level haplotype derived', 'region utilization marker', 'heritabilities ca 72', 'result additional', 'mixed gastrointestinal', 'involved white', 'success pig', 'variant large', 'target trait', 'milk lalba', 'embryonic mortality categorical', 'concentration duroc', 'targeted gene correlated', 'analysis classified', '97 kb region', 'fertility event analysis', '14 growth fatness', 'gp skeletal muscle', '15118756c 15118774c 15118951g', 'result biological function', 'major known', 'map genomic region', 'ii model snp', 'variance estimate', 'bacterial infection suggested', 'indel mutation 633_', 'mouse recognised different', 'score productive life', 'bta2 surrounding', 'trait increasing', 'weight bwt', 'major effect mutation', 'kg milk', 'altered mir206 level', 'ram gwas', 'gene centering significant', 'variation finding contribute', 'weight inbreeding result', 'vertebra cl1 carcass', 'bta6 bta14 total', 'ham weight segregating', 'component estimation', 'analysis suggested identified', 'canalized trait presenting', 'line address', '360 west', 'animal prominent', 'associated mir', 'dna marker located', 'human irs4 posse', 'pik3r4 kif16b', 'selected commercial holstein', 'background new', 'diameter fiber diameter', 'marker gene associated', 'sex specific linkage', 'hock oc homozygous', 'chronic pastern', 'bta14 revealed highly', 'cl349415 significantly', 'mcw0241 chromosome chosen', 'model dmu used', 'raspf7 igga eca', 'mapping genomic', 'possibility interaction', 'beginning 56', 'tmx4 synonymous', 'association analysis availability', 'deposition related', 'using emmax', 'fi strain', 'upstream regulator', 'total 40 604', 'contrast effect', 'expression act putative', '444g associated spleen', 'chromosome probably contains', 'cause painful', 'gain using', 'qtl affecting cm', 'number intramuscular', 'oar3 determine', 'multitrait mixed model', 'proximal end ssc17', 'trait nucleotide bovine', 'physiological metabolic', 'change qtl effect', 'population generated', 'chip data filtering', 'sow using', 'sa detected', 'antagonistic effect', 'select duroc breed', 'tenderness sdk1', 'case obtained different', 'fatty acid concentration', 'analyzed using animal', 'selection increased', 'cie cie', 'force 05 hgd', 'gene explained udder', 'number egg spawn', '83 10 encompassing', 'force slightly', 'multipoint linkage analysis', 'pig industry trait', 'height length', 'mastitis enrichment mirna', 'phenotypic trait related', '18 compared phenotypic', 'sample total', 'qtn bos', 'copies μg possibly', 'identification 11', '14 12 pft', 'conformation fat', 'confirming role', 'effect included analysis', 'transcript level', 'combination environmental correlation', 'furthermore combined haplotype', 'identified ib lr', 'snps uncover polymorphism', 'biceps shank', 'marker ilsts030 26', 'haplotype f2 sutai', 'chicken dongxiang blue', 'sscx qtl entire', 'polymorphic microsatellites used', 'ultimately lead', 'refining previous', '71 parent genotyped', 'genomic selection breed', 'subcutaneous fat', 'score genotypic heritability', 'analysis initially detected', '11 growth', 'fuk nprl3', '0e 04 0e', 'gene expression play', 'greatest variable', 'effect proportion variance', 'linkage qinchuan cattle', 'v371m frequency', 'pleiotropy growth', 'nos3 filip1', '19 quantitative', 'weight body height', 'significant association v371m', 'week dqsl2 explained', '10905e 07', 'component efficient pig', 'transcript trait correlated', 'activity cla', 'quality greater muscle', 'correlated measurement', 'milk production tested', '15 bmp15', 'ph gizzard', 'recessive disorder present', 'traced underlying', 'intramuscular fat determined', '01 genomic', 'showed experiment wise', 'gene sequence iberian', 'gene effect temporal', 'employ variant discordant', '69 85 83', 'used case control', 'contributing trait simultaneous', 'environment interaction', 'lm semimembranosus drip', 'sequencing analysis performed', '633 snp', 'erythroid trait varied', '41 snp', 'locus specifically present', 'parity qtl', 'region chromosome color', '16 slc11a1 region', 'episode vs control', 'pc captured 28', 'imf confirming', 'sequence share 92', '19 tibetan', 'gwass population', 'transcript identified', 'fabp4 csn2 particular', 'selection increase postnatal', 'determines black coat', '24 hour post', 'bivariate trait model', 'particularly individual', 'response different', 'susceptibility bone', 'lay bone', 'nucleotide cpg', 'candidate gene different', 'pig population comprising', 'link degree piebaldism', 'based phenotypic effect', 'contain gene', 'breed suffolk texel', 'impact early', 'line derived swiss', 'snp tgf β1', 'spleen bacterial', 'locus verified multiple', 'fact ewe homozygous', 'fatty acid result', 'significant snp ref', 'attained point wise', 'marker fcb128', 'cm 01 carcass', 'associated 01', 'behaviour generation', 'random family effect', 'significant 0001', 'day total', 'homozygote affecting', 'measured infection intertrait', 'natural grazing', 'expression fdr', 'difference fat yield', 'genome harboring gene', 'high carrier', 'phenotypic record 5000', 'previous discrepancy', 'causative snp lcorl', 'meishan breed favorable', 'snp tph2 rs107856757', 'acaca tested candidate', 'significant locus subcutaneous', '11 behave hub', 'qtl influencing growth', 'reducing incidence milk', 'identifying population specific', 'statistic calculated', 'detecting qtl', 'splitting large', '20 26 based', 'validated tested commercial', 'functional teat located', 'predictor included', 'genotyped 61', 'polymorphism conferring', 'altered mir206', 'individual purpose', 'productive meat', 'mapping approach using', 'ssc10 58 cm', 'h2h2 aa', 'proportion phenotypic variance', 'function future', 'cell cycle lipid', 'protein yield chinese', 'secondary immune response', '330 animal duroc', 'indicated small', 'wt wt', 'daughter produced consecutive', 'previous significant qtl', 'virus genome wide', 'chromosome 10 different', 'dairy sarda sheep', 'incidence mastitis highly', 'rb1 gene quantitative', 'slc12a9 positional', 'moderate heritability estimate', 'previously known', 'cm trait overall', 'population combined population', 'rna seq analyzed', '10 detected single', 'meeting stringent criterion', 'rapid growth objective', 'interaction incorporated awassi', 'influencing leucocyte', '24 47', 'furthermore using', 'snp window analyzed', 'use higher', '600 ag 528', 'steer ranged', 'adipogenic nature iberian', 'chicken efficiency', 'concentration 190 genotyping', 'gene highlight', 'population second providing', 'ifn il', 'trait brown', 'weight number', 'breeding company marker', 'qtl associated average', 'region termed', 'fp qtl bta14', 'identified study aid', 'risk genetic variant', 'snp using snp', 'leukemia date', 'effect harvest weight', 'concerning contribution gene', 'load endometrium vle', 'using markov chain', 'protein turnover appear', 'cattle net', 'scan using affected', 'detected l1', 'qtl test statistic', 'polymorphic selection', 'igf2 expression measured', 'information 44 576', 'behaviour significantly', 'revealing genetic', 'measure correlated', 'vs control', 'ketosis cow', 'expressed skeletal muscle', 'prevalence 10 infected', 'milk danish', 'expected increase adg', 'cobb broiler identify', 'noninbred white', 'gene chromosome 14', 'combination melanin xanthophyll', 'confirmed 442 nordic', 'adjacent snp 137', 'gene function', 'duplicated segment', 'implementation successive', 'information studying', 'lipid composition', 'qtl segregated australian', 'chromosome chromosome 11', 'substitution significant', 'ebv suggest linked', 'known difference founder', 'characterized snp chip', 'retrained evaluation', 'using sequenom', 'position narrowed interval', 'sexually mature', 'role imf analysis', 'tumor week', 'qtl potentially involved', 'test milk', 'microsatellite based', 'variant population', 'approximated single locus', 'rumen data', 'carcass classified', 'oocyte maturation embryo', 'challenge ultimately', 'explain substantial proportion', 'slc39a7 hmga1 gene', '01 additional drop', 'polymorphism snp 304', 'refine putative qtls', 'economic loss south', '100 gene probable', 'bw10 bw13', 'trait examined', 'qtl pqtl conducted', '000 birth study', 'milk yield bta4', 'furthermore qtl identified', 'population available', 'new zealand nz', 'association acsl1', 'bind long chain', 'benefit fish breeding', 'cow high pta', 'trait related ca', 'ne involves', 'different set', 'poor riboflavin status', 'usa effect polymorphism', 'plink software', 'ehh identified', 'using 670 axiom', 'lod score', 'production trait family', 'ucp3 ucp2 generally', 'increased greatly fasting', 'fundamental role', 'obtained second challenge', 'livestock stable generation', 'c1092t locus intron', 'gene milk fatty', 'locus qtl horn', 'important regulatory', 'derived beijing chicken', 'fprs increase', 'composition trait conducted', 'aa 71', 'extreme historical', '107 294 animal', 'population account genetic', '10 causal', 'suis measured genotype', 'greatest impact', 'usually higher power', 'gene affecting carcass', 'trait remaining', 'total 18 15', 'feather chicken study', 'differed modern', 'production conclusion confirmed', 'dxa lod qtl', 'level addition detected', 'antagonistic relationship', 'identified minor', '30 purebred qingyu', 'carcass work', 'affecting production trait', 'resistance infectious disease', 'prolactin concentration', 'qtls ssc6', 'respectively total 472', 'trait potentially promotes', 'representing different', 'imply unfavorable linkage', 'muscle ssc8 sscx', 'present study validate', 'snp following', 'detected ssc9', '14 fa based', '17 18', '630 bp', 'expected affect', 'reporter gene experiment', 'asian derived non', 'important factor', 'acid long chain', 'adg backfat', 'weight threshold utilize', 'ssc10 60 ssc14', 'identify potential linkage', 'initiation protein', 'suggest variance', 'responsible breed specific', 'number ssc9 result', 'muscle ssc8', 'gene dgat1 insig1', 'facilitated access raw', 'luciferase assay performed', 'twice effect', 'apoptosis protein', 'csfv lysozyme', '49 significant', 'qtl exerted', 'trait expressed animal', 'differing historical geographical', 'permutation significance', 'gwas sheep', 'beadchip 911', 'composition porcine intramuscular', 'divergent german', 'bta1 qtl', 'lay preliminary', 'ass level', 'quasi likelihood score', 'cow polymerase', 'according compound', 'axiom pig1', 'property dairy', 'improved mapping resolution', 'gallus chromosome 10', 'parity experiment', 'compared rfi fewer', 'modified animal', 'structure analyzed', 'holstein suggesting', 'production skin lesion', 'effect qtl apparent', 'detected confirmed sequencing', 'factor implication', 'related fertility production', 'fit data', 'validated marker', 'qtl proximal', 'line paper', 'available sample revealed', 'age important trait', 'cattle susceptible ectoparasite', 'longissimus dorsi rna', 'site identified', 'tenderness connective', 'ssc1 study confirmed', 'including trait', 'suggesting polygenic trait', 'indicator trait faecal', 'microsatellite snp', 'gwas identified qtl', 'confirm previous study', 'hypothalamus pituitary ovary', 'cm3 qtl affecting', '1387c lep', 'identified contain', 'score qtl ph', 'population effect genotype', 'study gwas longitudinal', 'pc measure', 'number animal', 'approximately trait genetic', 'making identification', 'showed novel', 'rolling eyelid', 'individual lobe number', 'cull cow carcass', '333 birds sex', 'encompassed pign kiaa1468', 'wide allocated autosomal', 'snp negligible frequency', '500 domestic sheep', 'daughter holstein', 'pin nipple', 'cm 360', 'human infection mycobacterium', 'fifth parity', '817 cow adjusted', 'nhi white leghorn', 'qtl effect founder', 'called fecx', 'opening way gene', 'tbx5 rbm19', 'association milk', 'mscc kit association', 'line study', 'eqtl potential effect', 'map manager', 'rab28 myogenic induction', 'dressing percentage myostatin', 'selection bmts', 'carcass trait performed', 'clarified unclear', 'curve assist understanding', 'susceptibility region', 'per1 per2', 'snp haplotype comprising', 'strongyles fec', '34 phenotype', 'pig 106', 'increasing functional', 'technology genetic selection', 'result total', 'fibre diameter', 'tested significant', 'discovering qtl', 'trait 37', 'breed classical gwas', 'iberian meishan sow', 'included model 20', 'tissue snp', '11 snp', 'layer hen', 'family csn1s1 promoter', 'breed addition 43', 'trait significant imprinting', 'score respectively', 'snp duroc pig', 'associated gr', 'particular snp ars', 'gwa analysis milk', 'association rs81399474', 'fat number pig', 'dongxiang chicken result', 'hay familial', '331 backcross', 'limited power detect', '543bp open', 'molecular characterization potential', 'korean native', 'rm006 developed', 'genetic variation marker', 'source associated ap', 'frequency determined', 'wise level association', 'histocompatibility complex congenic', 'variability functional role', 'low blup value', 'meat carcass trait', 'replacement leucine phenylalanine', 'vaccination biosecurity', 'inhaled stable', 'broiler breeding program', 'high apparent', 'brazil largest', 'association ap', 'affecting meat color', 'potentially relevant annotated', 'trait investigated 106', 'gene examined strongest', 'chromosome qtl segregated', 'omy325uog significantly', 'range 199', 'simulated variance function', 'count platelet', 'bioinformatics pipeline', 'region predicted', 'homolog dlk2 modulates', 'chromosomal significance threshold', 'strength vitro', 'clean greasy', 'support association lepr', 'swedish maternal line', 'gene appeared', 'mechanism underlying metabolic', 'detected 17 different', 'sensor quality control', 'metabolism pde4b involved', '135 cm selected', 'milk detected cow', 'solution overcome', 'growth adult', 'taint strong', '10 effect estimated', 'cell surface', 'chromosome region showing', 'gene related growth', 'paulo goiás march', '37 04', 'determining concentration', 'genetic variance birth', 'receptor growth', 'black cattle sire', 'chicken chromosome suggestive', 'heifer estimate dominance', 'fcb128 rm356 oar', 'recently detected feed', 'follicular igf2 expression', 'conformation promising variant', 'considerably improved', 'affect bone cartilage', 'snp locus located', 'mastitis mapped', 'suggested potential pathway', 'detected sla region', 'including residual', 'variant hydrolase domain', 'near slaii', 'trait overlapped', 'shank typically yellow', 'use gene expression', 'common expression', '12 week age', '56 s2 65', 'progeny testing used', 'colour evident', 'snp gemma emmax', 'gastrointestinal parasitic', 'cl 24269 additive', 'stature strength genetic', 'northern hybridisation liver', 'common abnormality bovine', 'procedure sequential', '1959 potential', 'identify quantify strength', 'beadchip illumina pig', 'consequence differential', 'microrna gga mir', 'microsatellite marker covering', 'region containing qtl', 'genome control immune', 'defined selective', 'mycobacterial infection aim', 'bf shown sensitive', 'based calpain', '1752816097 exon', 'fertile stallion obvious', 'snp 100 1000', 'framework daughter', 'observed earlier growth', 'population commercial dam', 'quality taken', 'tnb compared', 'perform gwas identify', 'yield index', 'derived macrophage result', 'background teat development', 'identify molecular marker', 'test snp tph2', 'performed using 100', 'importance provides support', 'parameter derived', 'porcine genome qtl', 'analysis conducted outbreak', 'candidate influence vertebra', 'genotyped 373 swiss', 'breed linkage analysis', 'dataset consisted record', '566g intron non', '420458 high quality', 'trial heritability estimate', 'different time production', 'composition variability iberian', 'identified 20', 'age chest girth', 'cancer pig', 'meishan breed single', 'generation advanced', 'csfv lysozyme concentration', '466 134', 'disease swine', 'location family likely', 'qtl included cv', 'lost influence behavioural', 'ovine gene 878bp', 'gene bw', 'meat quality metabolic', 'important adverse effect', 'program validating', 'reported resistant', 'rat mouse', 'spacing approximately', 'measured association', 'evidence association porcine', 'snp position 74', 'control approach used', 'cross model applied', 'replicated family significant', 'female used', 'protein lipid', 'weight cwt commercial', 'p13k akt signaling', 'reproductive hormone', 'founder line', 'gene bw bw', 'map based study', 'utr association production', 'genetically determined mapping', 'commercial elisa', 'level gene', 'phenotypic data 353', 'process wish', 'range parasite', 'sib family comprising', 'individual test', 'carried qtl', 'phenotypic genetic variance', 'identified chromosome lfec', 'regulator relevant', 'homolog dlk2', 'study rectal', 'variation affect', 'downstream region', '32 pathway trappc9', 'densely spaced average', 'inheritance 31', 'yearling height bta', 'european asian miniature', '16 deletion insertion', 'study embryonic', 'improved performance trait', 'primiparous cow genetic', 'association milk trait', 'regulated common', 'h3h3 diplotype highest', '10 18 region', 'product major', 'haplotype 34 common', 'mqts aim study', 'cv located functional', 'trait analysis reduced', 'vast majority', 'population boost', 'embryo associated', 'body length hip', 'regression genomic', 'candidate polymorphism', 'identified seven coding', 'value fatty', 'regulate expression gene', 'total qtl exceeded', 'sire grandsire genetic', 'snp selected quality', 'study consistent qtl', 'development objective', 'adjustment multiple', 'bwt 10 partial', 'specific effect multivariate', 'increased decreased iii', 'notably analysis highlighted', 'extreme form', 'body measured 21', '127 microsatellites', 'small genetical', 'allele allele', 'region scrapie incubation', 'aberration malnutrition potentially', 'sheep snp genotyped', 'luxi breed', 'skin furthermore', 'regarding direct', 'noncoding intronic', 'commercial variety white', 'phenotype time evident', 'spatial structure change', 'individual survivor control', 'investigated effect dgat1', 'age laying', 'g840327c gnrh gene', 'associated 15', 'insemination bull distributed', 'mammalian fetal', 'hoxd gene', 'identified angiopoietin pathway', 'different farm', 'value pre breeding', 'analysis regional genomic', 'used finland indicated', 'congenital entropion specific', 'qtl parameter', 'unraveling complex', 'component analysis implemented', 'large number significant', 'determine fatty acid', 'offspring refine', 'significantly associated relative', 'lfec detected', 'mir206 micrornas mirnas', 'explain genetic mechanism', 'autosomal heritability analysis', 'conducted longissimus fat', 'genotypic model jph1', '54 carcass weight', 'parameter derive new', 'genotype rs13687126', 'footrot resistance method', 'field tested', 'involved control feed', 'value studied population', 'axis critical target', 'cystic ovary', '05 ac cow', 'total population result', 'increase supply', 'aim study evaluate', 'ulceration interfering', 'qtl visualization', 'chromosome region contained', 'progeny difference', 'estimated multi trait', 'characterised progressive debilitation', 'known breast', 'seriously economic', 'infection status', '43 gp', 'qtl old', 'shrinkage estimation', 'qtl peak md', 'highlight comprehensive', '221 cow', 'chromosome adjust', 'improved map', 'line divergent phenotype', 'ripk2 snp', 'complex bola', 'identified 10 chromosome', '45080228c 45080335c changed', 'allele multi', 'controlled single autosomal', 'new single', '10 43', 'sacrificial custom praying', 'composition pork', 'provide relevant', 'plw duroc pietrain', 'size important indicator', 'genotyped 172 microsatellite', 'decreased subcutaneous', 'selected qtl', 'variance small breed', 'genotyped generation linkage', 'sequenced genome', 'proving trait feasible', 'gg higher sc', '876 montbéliarde cow', 'ratio blood', 'mstn af320998', 'regional analysis', 'bta 19', '19 detected chr', 'conducted 12', 'different impact growth', '5a specific', 'breed population', 'frequency 26 united', 'genotype snp time', 'cross presented using', 'ldl2 corrected', 'region associated ketosis', 'intergenic region genome', 'immune trait play', 'enlarged sample', 'design body', 'correspond identified previously', 'snp associated respectively', 'analyzed 464', 'parameter trait', 'binding nuclear protein', 'proc mixed loin', 'region utr respectively', 'gene bovine tuberculosis', 'finally prominent', 'position second', 'mapped different region', 'csrnp1 park7', 'microsatellites conducted identify', 'chinese erhualian', 'result gilt', 'peak md', 'influence mt article', 'weight haplotype', 'region including brd2', 'gene 35 snp', 'sample 201 chinese', 'mechanism phenotypic', 'plxnc1 addition', 'imposed trait', 'maximum marker bms1724', 'teat important trait', 'investigation arm ssc4', 'region similar qtl', 'involving missing', 'difference bos', 'data male', '55 located directly', 'implied spot14alpha', 'case ocd', 'using matrix assisted', 'albeit age class', 'gene mterf2 rtbc', 'data bc', '29 using genome', 'serpina1 serpin', 'approach suggested', 'novel qtl confirmed', 'yield diplotypes', 'challenged ndv heat', 'assembly gene ontology', 'globe especially', 'mastitis free control', 'suggested qtl bw', 'weight 70 05', 'analysis able', 'adck4 rear', 'rhm approach chromosomal', '426 angus brangus', '421 hen', 'hypothalamus reduced', 'linked obtained', 'loss result study', 'using microarray gene', 'weight death red', 'yield deviation data', 'independent study shown', 'selection decision studied', 'cross species comparison', 'trait adjacent', 'yield lactation kg', 'genetic background increase', 'individual produced f1', 'column critical', 'growth rate ndv', 'recovered 14days post', 'evaluated independent replication', 'snp significant pathway', 'suggested foki', 'trait neonatal sheep', 'assessed sheep', 'pregnancy parturition comparative', 'included 1260 individual', 'trait locus linkage', 'locus implying commonality', 'bw70 lower fcr', 'gene indicate', 'based sift', 'respectively study aimed', 'retained placenta harbored', 'backfat intramuscular fatty', 'ins ins genotype', 'eqtls value', 'sib pair porcine', 'individual joint', 'cm _ldha_79', 'total 356 microsatellites', '13 eqtls', 'powerful canine result', 'statistic proportion variance', 'segregating texel family', 'controversial main', 'analysis original', 'study quantitative trait', 'created based sire', 'loss lm', 'altogether 26', 'microsatellites 13 single', 'study understand genetic', 'solid coloured horse', 'weight segregating large', 'collected worm egg', 'bovine mapping 10k', 'gene bp', 'agonistic gregarious factor', 'sheep farming', '11 enzymatic', 'threshold unless', '47 interesting', 'holstein resulted', 'variety reciprocal', 'lg growth used', 'broiler population sire', 'fam174a chd1', 'respect pleiotropy order', 'lead advancement pork', '2002c causality', 'vrq vrq result', 'entire male pig', 'make difficult', 'emotional reaction bird', 'study 854', '569 significantly associated', 'routinely accumulated used', 'phenotypic variation observed', 'derived comparison reduced', 'alternatively locus cause', 'carora variation', 'fact common', 'collected data', 'family 245', 'occurs prolonged', 'population braunvieh', 'trait pig genomic', 'variant causal cause', 'protein production near', 'coding snvs', 'interval snp', 'analysis available', 'gene network contributing', 'dissecans ocd intermediate', 'korean cattle bonferroni', 'region associated fertility', 'epithelial cell vivo', 'illumina bovinesnp50 assay', 'spef2 gene associated', 'ld regression 1536', 'lipid trait half', 'recognized pre ensembl', 'approach locus bta5', 'effect sex', 'signaling activity', 'qtl fertility', 'fully explored fish', 'bull genotyped 169', 'concentration boar taint', 'su wld', 'metabolism obesity', 'polymorphism snp 42', 'gene genetic', 'region showed modest', 'searched silico snp', 'range postmortem', 'calf identified sign', 'promoter region explored', 'selection reduce prevalence', 'critical piglet survival', 'tnfsf11 gene 79', 'value dif bayes', 'kg phenotypic', 'low level ld', 'despite enhanced post', 'consistent original line', 'regard number magnitude', 'ovarian function melanogenesis', 'hind leg yield', 'spp1 casein kappa', 'trait low false', 'serum viremia 21', 'population different single', 'genotyped 135 crossbred', 'line 290 progeny', '10 snp sliding', 'leaving genotype', 'sliding window gebv', 'sensory organoleptic', '139 microsatellite', 'genetic group derived', 'bta1 31', 'day record thi', 'program initiate effort', 'tmem154 nominal 10', 'gp influenced trait', 'used 12 trait', 'characterized evaluated', 'composition trait measurement', 'reaction amplicons sequenced', 'intake feed conversion', 'trait locus present', 'available multitrait group', 'genome chromosomal region', 'gene involved mechanism', 'locus nearby', 'blood gas blood', 'dl experimental f2', 'hoxa11 bmp2 ppp1cc', 'androstenone autosomal', 'blood meat', 'bta5 bta26 largest', 'greater 20 cm', 'indicate common', 'showing gene small', '000049 snp', 'anxa10 vivo generated', '01 genotypic', 'molecular function', '20 single', 'considered spl future', 'worm population abomasal', 'fe multigenic', 'number 43 damara', 'jersey deregressed estimated', 'resistance cd', 'large 433a', 'population present', 'aa gg', 'cm suggested', '03 fecx fecx', '067 association detected', 'bayesian bayesc fitting', 'abhd5 regulated', 'trait detected previously', 'obtained study used', 'combined averaged estimated', 'development despite', 'important mineral essential', '001 frequent ct', 'association decreased mean', 'infection weight', 'combination revealed', 'qtl qualification qtl', 'genetic basis key', 'genetic mapping established', 'weight kw carcass', 'fertility associated', 'new method prophylaxis', '98 10 genomewide', 'merino cross', 'anterior snp fdr', 'verified multiple', 'sire production carcass', 'study 230', 'resistance tick heritable', 'number weaned', 'swedish dairy cattle', 'coding snp putative', 'trait btax', 'body weight 71', 'contortus consecutive', 'identified 05 lc', 'epistasis shown', 'snp31 strongly linked', 'lamb animal', 'haplotype spotted non', 'identified 13 eqtls', 'sc region', 'minor role fe', 'preadipocytes overexpression', 'second qtl', 'based rest genome', 'stratification conducting', 'relevantly associated novo', '25 milk', 'sult1a1 cyp2e1 conclusion', 'using marker associated', 'oar18 detected', 'analyzed animal', 'wide fixation coefficient', 'dependent effect addition', 'overlapped marker interval', 'korean cattle hanwoo', 'qtl adjacent', 'status using', 'pig resource', 'bp associated', 'search candidate calving', 'closest gene loc102164072', 'previously detected qtl', 'figf tgf', 'qtl express 33', 'testing aid breeding', 'swine family subsequently', 'ldl pig purpose', 'quality health trait', 'density marker', 'tgfβ superfamily positive', 'lead novel', 'remain confirmed population', 'basis chicken breeding', 'confirm role gene', 'genotype gg ag', 'gene 42', 'apolipoprotein assembly', 'declaring qtl', 'daughter differed age', 'express result showed', 'wise error 01', 'anxa9 fatty', 'genotype binary case', 'evidence epistasis', 'explained pleiotropic', 'qtl qtl specific', '326 erhualian', 'pigmentation dairy', 'primer combination revealed', 'male pig', 'close proximity sequence', 'angus population identify', 'lipid accretion ssc8', '555 determined pcr', 'analysis indicated sex', 'pig pde4b cloned', 'tnb nba piglets', 'genetic improvement pig', 'primary trait analysed', 'chromosome region ssc2', 'regulation metabolic pathway', 'health poultry industry', 'kb considering linkage', 'sample 043 italian', 'total 13 snp', 'tenderness involved activity', 'class arr', 'reported locus containing', 'characterization potential association', 'supported permutation tree', 'pi p2 negatively', 'elovl6 gene positional', 'focused young', 'partly common', 'genetic regulation locus', 'physiological response stress', 'birth weight postnatal', 'confirmed cm confidence', 'sc linked qtl', 'data detected population', 'controlled prp', 'identified 598 animal', '45 190 half', 'cluster bta11 peap', 'model ridge', 'animal available protein', 'earliest gwa', 'reproduction trait performance', 'fat deposition gene', 'heritable inverted teat', 'explored method', 'performance common', 'university western australia', 'snp analysis additive', 'model snp phenylalanine', 'average drip loss', 'year birth haplotype', 'previous study opn', 'case identification', 'symptom oc', 'analysis probesets expression', 'polymorphism present map4k4', 'identified highly', 'marker identify', 'associated skeletal', 'slanting length pelvic', 'advance high', 'good eggshell quality', 'trait measured vivo', 'revealed 61', 'differentiation isolated', 'multifaceted protein', 'ssc6 result', 'disease resistance challenging', 'reported qtls fertility', 'individual descended breeding', 'estimate traditional fertility', 'fine mapping study', 'multiple cattle population', 'chicken reference', 'fmo5 esr1 higher', 'card15 gene susceptibility', 'qtl directly', 'ssc2q indicates', 'beneficial able use', 'apob synthesized', 'muscle compact', 'resistance buffalo', '21 qtl significance', 'generation meishan', 'metabolic acidosis common', 'mixed model based', 'ram divergent', 'transcript agreement reporter', 'pietrain allele meishan', 'beadchip data used', 'qtl analysing', 'array gwa', 'boar analyzed detect', 'cattle gene collected', 'region explaining 28', 'changing photoperiod', 'incidence degree assistance', 'refined 20', 'missense mutation 1148g', 'association analysis suggests', 'solid coloured breed', '277 microsatellite marker', 'lean meat fat', 'trait covering', 'indirectly resulted', 'respectively marker largest', 'ahr cn', 'qtlr tested association', 'creates target site', 'array substantial', 'redness ultimate', 'teat malformation cattle', 'dairy cattle osteopontin', '305 day 590', '38 mb draft', 'described comparison', '79 calf', 'indicator aggression', 'transduction insulin secretion', 'genetic marker adipose', 'trait study gwas', 'length correlated', 'greater variability', 'snp empirical', 'plan possible', 'region close', 'sc production trait', 'study result mlma', 'km time multiple', '10 chromosome 11', 'background feather pecking', 'region 125 846', 'eggshell color egg', 'association analysis finding', 'human resulting', 'parental line dna', 'weight difference', 'confirmed major effect', 'gene correlated lipid', 'sequence containing', 'testing gwas 10', 'affected 21', 'analysis offer additional', 'human relevant', 'beadchip 412 993', 'sampling heritability', 'mediate function melatonin', 'width chromosome', 'major qtls', 'trait measured', 'challenge protozoan', 'cow haplotype tggaca', 'intron nup210', 'informative snp revealed', 'lactate glucose tri', 'significant percentage additive', 'snp simultaneously random', 'sequence coding', 'coloured breed', '76e 07 90e', 'region bovine ankyrin', 'age covariate', 'new marker identified', 'scope selecting pig', 'maturation fast', 'independently bft', 'genotype maternal', 'synthase fasn', 'known associated body', 'association detected qtl', 'chicken plumage color', 'imprinting effect genotypic', 'preliminary framework identify', 'amplicons encompassing', 'trait ovine bovine', 'romanov texel f2', 'sustain normal', 'procedure cattle', 'litter size genotype', 'generation study', 'born alive iberian', 'width cw chest', 'gene slc37a1', 'showed founder', 'density snp map', 'gene interaction incorporated', 'group member', 'qtl fine mapping', 'estimated using weighted', 'used sustainable manner', 'platelet related', 'steer evidence', 'muscle development yield', 'colt quantitative trait', 'taint liver tissue', 'csfv serum', 'moved away', 'high cost intense', 'family linkage', 'taken heat', 'exon 27', 'predominant analysed population', 'phaeomelanin seen', 'date ensure', 'efficiency potentially useful', 'genomic window containing', 'skeletal investment second', 'force score', 'indicate ncapg locus', 'height carcass', 'cross led high', 'yielded lod', 'st kilda scotland', 'affecting power', 'related uterine infection', 'position different', 'son used', 'finding marbling qtl', '01 water', 'livestock including restoring', 'human little', 'cdna sequence missense', 'associated wool trait', 'meishan sow mapped', 'cell differentiation cell', 'junction protein polymorphism', 'protein type slc27a3', 'small intestine', 'gene locus successfully', 'incidence virus', 'implied polymorphic', 'cast high mobility', 'conserved seed', 'androstenone skatole maternal', 'level phenotypic', 'ucp1 investigated using', 'potential gene', '003 weaning weight', 'breed snp', 'involved lean', 'associated eyelid', 'population stratification exists', 'relevance information', 'based framework beneficial', 'phenotype sheep', 'association ssr', 'content trait growth', 'keratin region sex', 'mechanism immune capability', 'validating improving', 'rate ndv response', 'rs107856856 rs107857156', 'bta18 53 58', 'epidermal integrity', 'marginal effect result', 'indicated strong', 'composition identified qtl', 'sample collected piglet', 'imf fixing favourable', 'seven growth carcass', 'foster mother enabled', 'wide signification', 'weight 140', 'age 300 lamb', 'flock genetic selection', 'snp deposited seven', 'ssc7 qtl identified', '12 duroc boar', '724 bird total', 'approach 10 genomic', 'hall syndrome', 'comprised 61', 'skeletal size', 'software package', 'trait endocrine', 'mutation especially subgroup', 'underlying mixed', 'related 05 evaluated', 'accuracy prediction bft', 'condition known microtia', 'effect significant genome', 'power transcribed', 'cattle based experimental', 'cross population identified', 'tharparkar vrindavani allele', 'tick sge', 'snp2 chr', 'color domestic chicken', 'sheep autosome', 'descending order muscling', 'reproductive trait little', 'low moderate heritability', 'genotyped snp', 'selection strategy', 'molecular relevance abcg2', 'candidate regulate', 'harboring snp direction', 'h2 27 05', 'phenotype significant', 'yield py', 'analysis revealed 35', 'vascular permeability', 'mapping ovine chromosome', 'individual better', 'association general', 'galnt1 impact development', 'month year qtl', 'bsri newly', 'impact litter', 'informative study reproductive', 'analysed separately founder', 'data 372 individual', 'chemical pathway ultimately', 'dna sample 152', 'informative microsatellites including', 'specific dilution defined', 'generation grandprogeny ssa20', 'effective predictor', 'nomenclature calpain', 'resistance disease', 'pig conclusion snp', 'obtained approach conclusion', 'significant snp distinct', 'chicken breed specific', 'affecting fatness trait', 'value loin ssc3', 'model population', '488 resistant', 'suggest snp', 'remodeling opn', 'ssc2 13 14', 'group microsatellites', 'ranged 88', 'density gwas order', 'analysis decrease average', 'pair 22 significant', 'susceptibility pig etec', 'wide range tissue', 'h2 h3 h1', 'limousin derived jersey', 'pqct bmd', 'highest mrna level', 'h2 48', 'group gene control', 'pathogenesis equine oc', 'pork color ph', 'previously reported qtls', 'gave conclusive evidence', 'associated esc', 'estimation long history', 'method genome', 'indicated significantly 05', 'small chromosomal region', 'calving trait ref', 'breakpoint present cnv', 'breed sequence', 'country identification', 'mapped near lei0101', 'qtl white', 'nucleotide polymorphism marker', 'laying make', 'bovine chromosome regression', 'confirmatory evidence', 'gonadotropic axis', 'previous qtl studies', 'volume control natural', 'line haplotype associated', 'applied interval mapping', 'result indicated slc45a2', 'snp snp close', 'intergenic variant possible', 'bos indicus heifer', 'resistance protein bcrp', 'study revealed key', 'using f2 population', 'role resistance', 'ultrasound muscle depth', 'result individual', 'trait body', 'gwas performed gemma', 'consequently study', 'g840327c gnrh', 'tested provide', 'region using imputed', 'mapped growth trait', 'crossbred bull 45', '24 52', 'measured genotype analysis', 'service hcr1 repeated', 'recorded specie tick', 'afw percentage afp', 'association published able', 'program focusing', 'study needed order', 'type fat source', 'batch bull', 'lumborum muscle', 'olkuska ewe', '05 rs13905622 aa', 'trait muscle abdominal', 'material linkage analysis', 'study currently unequivocal', 'dorset sheep map', '10ralpha beta', 'animal experimental', 'known regulation binding', 'snp int11 snp', 'pcr transcript', 'nutrition public acceptance', 'simultaneously estimated', 'growth trait ibmap', 'nonrandomly clustered qtl', 'similar pedigree', 'sampling animal', 'using novel', '33 fatty', 'significant chromosome 14', 'according trait', 'shape chromosome', 'impact ex fabp', 'breeding value estimated', 'report developed snp', 'analysis glm', 'reporter construct', 'content protein fatty', 'digestive dairy breed', 'extreme group', '10841g 10936g missense', 'pig recently human', '497 pb 135', 'associated texture', 'observed mc1r marker', 'observed suggestive evidence', 'significant association examined', 'information proposed', 'principal component snp', 'ovine capn3 gene', 'holstein allele qtl', 'commercial pig line', 'cow bta23', 'arq vrq', 'vrtn gene', 'pietrain composite line', 'estimated folding', '300 day ew300', 'marker density cm', 'horn growth deserve', 'individual half sib', 'trait standard deviation', 'genotype entire', 'current study discover', 'fdr 01', 'bovine snp genotype', 'candidate gene play', 'gilt indicator reproductive', '18 19 identification', 'chromosome bta6 distinct', 'associated productivity quality', 'pattern affecting biosynthesis', 'effect rs16681031', 'weight resource family', 'collected 42 post', 'representing acute', 'particularly applied', 'competence disease resistance', 'important plethora reason', 'gga24 gga gallus', 'size region identified', '0053 haplotype based', 'significant qtls white', 'research investigate chromosomal', 'age included model', 'effect halfsib', 'poisson distribution trait', 'analysis identified 21', 'allele revealed effect', 'scan conducted basis', 'androstenone dna', 'fe costly desire', 'individual total 39', 'genetic marker associated', 'non inbred strain', 'panel snp make', 'different incidence', 'fourteen significant trait', 'marker obtained restriction', 'blood group complex', 'known clinical footrot', 'pork quality trait', 'boar 240', 'exon known mutation', 'remaining trait example', '23 04 total', 'combined minority breed', 'vca breed', 'identify association ascites', 'using roh lr', 'filtering quality', 'effect result indicate', 'erhualian intercross genotyped', '40 amino', '15 0418 fat', 'following adjustment false', 'qtl fixed equal', 'gene study improve', 'reference population thousand', 'profile cow breed', 'selective genotyping', 'qtls suggestive significance', 'distribution used', 'egwas total 63', 'mid infrared spectroscopy', 'capacity depends numerous', 'gene associated bw', 'agreement hardy weinberg', 'correlated favorable allele', 'mapping initial', 'finding report', 'information linked', 'number suggestive', 'spotting cattle', 'japanese colour', 'snp group selected', 'qtl region approach', 'lyz kera', 'red family previously', 'snp 190g showed', 'mammalian abcg2 protein', 'trait 12', 'reached 105', 'snp marker 45', 'model snp', 'fam73a associated subscapular', 'family previously', 'regardless post', 'specific tissue consistent', 'supporting association test', 'aim better capture', 'meishan fetus', 'slaughtered carcass weighed', 'applied qtl analysis', 'pig breeding founder', 'sequence comparison sow', '05 01', 'incidence boscc', 'gwas proposed', 'muscle hour', 'mastitis related', 'half sib hen', 'muscle area additional', 'bovine genome research', 'study subcutaneous', 'trait little', 'different analysis model', '116 187', 'anal atresia unaffected', 'identified ssc relating', 'used sequence based', '14 16 week', 'marker 100', 'breed showed', 'cie redness meat', 'trajectory ranged 34', 'amplified pool', 'moisture c16 c18', 'porcine gsk', 'gene exon 1000', 'consequence linkage', 'content influenced numerous', 'qtl reported population', 'fixed european pig', 'cm 12 89', 'scan comprised', 'snp bovine nesp55', 'biosynthesis significant', 'position number', 'comparison porcine result', 'shoulder yield lean', 'heritability estimated total', 'number mutation large', 'production trait main', 'acid intramuscular fat', 'model used', 'different spatial', 'microsatellites chromosome wide', 'sacrificial custom', 'serum measured composite', 'snp acaca cdna', 'foot mouth', 'sheep provide potentially', 'chromosome bioinformatics', 'including 380', '5221 cow analyzed', 'algorithm statistical', 'low pta dpr', '40 646 single', 'dmi corrected bw', '105 qtls 05', 'identified region including', 'affect important reproductive', 'association haplotype based', 'gene fertility trait', 'affecting concentration insulin', 'previous work', 'provide suite', 'difficult measure identifying', 'category 12 36', 'effect sire haplotype', 'chicken preadipocytes chicken', 'microsatellite marker oarae101', 'located non', 'analysis 105 marker', 'greater scd', 'g0 g1', 'disequilibrium igf2 in3', 'boar compared', 'allele phenotypic', 'similarity haplotype', 'rarely investigated qtl', 'homozygous ewe', 'level total 33', 'irg1 confirmed', 'bayesc model', 'inhibitory polypeptide gip', 'haplotype effect tended', 'loin ham redness', 'haplotype diversity', 'response required aid', 'newly weaned', 'study based high', 'ssc2 ssc10', '01 genetic variation', 'change conducted identify', 'centro apta', 'pig enabled enlarge', 'reciprocal cross observed', 'suggest genotype', 'joint carcass', 'variation oleic acid', 'moving average', '533c polymorphism', 'marker determine', 'eyelid trait', 'offspring inheriting', 'psychosis 16p13', 'blood type enzyme', 'revealed deletion', 'family likely difference', 'gene decrease number', 'resistance tick', '28 gallus gallus', 'production neutrophil', 'responsible economically', 'improvement esc resistance', 'genetic identity distance', 'conclusion largest gwas', 'founder population implying', 'higher 27534932a', 'arg315cys cleavage', 'tph2 rs20917091', 'previously investigated', '529 37', 'lumborum muscle reported', 'sustainable nematode', 'entire white', '15 association', 'changed leg', 'line shaobo', 'region unfavorable', 'time called longitudinal', 'permutation test validated', '82 mb', 'temperature humidity index', 'rainbow trout genome', 'qtl fixed grandparent', 'worldwide host', '44 milk trait', 'snp located', 'data 788 scottish', 'mon 9400 51', 'rs81477883 ssc12', 'animal fine', 'chip 777 000', 'nucleotide polymorphism bovine', 'marker dik1054 dik082', 'qtl exceeded', 'cost snp', 'snp linkage disequilibrium', 'genome analysis focused', 'association different pc', 'dominance deviation bonferroni', 'qtl metabolic body', 'snp bonferroni corrected', 'ratio kr0', 'state health disease', 'pig production revealing', 'linkage map especially', 'polycerate ppp1r11', 'mouse recognised', 'protein cow', 'human consumption', '62 163 marker', 'lactalbumin gene', 'data 000', 'quality allow pork', 'identification validation analysis', 'wide imputation candidate', 'disequilibrium association analysis', 'induces pneumonia', 'family significant family', 'metabolic effect', 'modelled random coefficient', 'airway disease', 'input result', 'sdr9c7 rdh16 stat6', 'powerful study analysis', 'stringent significance', 'commercial pure broiler', '51 18', 'fto gene', 'test tdt basis', 'effect putatively causative', 'analysis 105', 'bmw percentage bmp', 'incidence fault genetic', 'overlapping 53 known', 'iii ii plus', 'genome initially 285', 'reported presence significant', 'implying existence', 'level identified candidate', 'gr meat quality', 'result limb', 'cow separation', 'time using', 'quality trait tibial', 'major impact', 'regulation coagulation', 'number trait identified', 'mir locus', 'fourteen bta 11', 'represents powerful study', 'non receptor', 'informative marker alternative', 'involved various', 'human genome association', 'gene broad effect', 'variance moderate', 'polymorphism 10 population', 'time qtl disease', 'mapped pig', 'affecting intramuscular fat', 'marker analysed trait', 'genotype 45 789', 'phenotypic property', 'change body weight', 'gene used genetic', 'exogenous acvr2a', 'finnish landrace breed', 'promoted serum starvation', 'phase lactation', 'relationship calpain', 'offer complementary', 'order investigate polymorphism', 'compared rest genome', 'gga1 12', 'reject causality', 'whirling disease caused', 'lean percentage 0023', 'study conducted parallel', 'genomic analysis f2', 'detected gene', 'backfat ultrasound', 'infected uninfected ii', 'genomic control approach', 'dataset genome', 'porcine national database', 'e47w24 e22c19w28', 'characterize molecular mechanism', '26 protein yield', 'locus mapped telomeric', 'junglefowl chicken dxa', 'lack extended', 'livestock population qtl', 'population 333 47', 'involved biological function', 'result confirmed qtl', 'design genome scan', 'growth average daily', 'possibility use', 'gm associated', 'analyzed 38', 'largely controlled prp', 'identified novel association', 'important issue sheep', 'gestation trait total', 'insulin thyroid', 'muscle fibre trait', 'sequencing technology', '20 study shown', 'revealing new', 'ssc1 ssc7', 'understanding metabolism biosynthesis', '23 24 26', '11 23 phenotypic', 'identified total 105', 'development neural', 'alive nba total', 'associated pbw pr', 'cadm2 considered candidate', 'cross analysis estimation', 'gwas confirms', 'pattern domesticated white', 'pde4b cloned', 'time longitudinal', 'using equinesnp70', 'capable minimal seasoning', 'wur interferon', 'phenotype resembles', 'region positional correlation', 'fit random', 'cattle region bta6', 'haplotype encompassing', 'breeding programme chicken', 'locus contributes little', 'oar6 qtl detected', 'demonstrate time', 'heritabilities genetic relationship', 'ufa 0204 0001', 'black white coat', '258 son', 'cluster gene', 'foundation follow', 'bci component trait', 'reaction inhaled', 'using association test', 'gene minor allele', 'gg higher', 'family inhibitor', 'confirmed target gene', 'study analyze association', '04 bvd', 'dna rad sequencing', 'defining pathological mechanism', 'effect racing', 'direct biological', 'fall significant quantitative', 'sdccag3 hu sheep', 'line created', 'weight improving', 'counterpart regulate', 'model allele', 'iterative process', 'phenotype quantitative association', '12 detected pig', 'process form', 'line partially inbred', 'crossbreds analysed', 'c635t missense', 'putative qtl position', 'ph despite relevance', 'prnp locus additional', 'fat accumulation pig', 'adipose milk colour', 'fact genome', 'number variable', 'modifier dc', 'region gap', 'producing pork', 'aa 05', 'observed bta1', 'trait evaluation score', 'used porcine', 'vrq vrq', 'heifer conceive', 'jolliffe criterion deal', 'ketosis hydroxybutyrate concentration', 'available analysis total', 'economic trait influence', 'equine snp50 snp70', 'steer 220', 'year genome', 'trait length', '05 gene expression', 'prior 46', 'variance explained chromosome', 'study sheep potentially', 'ab effective', 'haplotype analysed', 'phenotypic difference 35', 'inhibitory factor', 'ear trait ci', 'result contribute breeding', 'specie accumulate large', 'reported previously', 'expenditure divergent', 'approximately 46', 'carry gwas analysis', 'conformational polymorphism effect', 'fibre clean greasy', 'gene enriched process', 'analysis implemented', 'crossbred creole', 'detected explained genetic', 'identified using variance', 'sequence missense snp', 'genotyping effective', 'used analyse', 'mutation consequence', '85 kg analysed', 'association scd ratio', '13 low', 'sexual ornament enduring', 'ligand vitamin animal', 'error rate', 'transcript differ', 'transcript variant', 'gene involved macrophage', 'block h1', 'chromosomal family', 'gga2 revealed suggestive', 'grammar gamma', 'identified gga2 11', 'anxious factor tractable', 'born landrace', 'cartilage canal', 'expressing weight wt', 'result demonstrated context', 'specie temperate climate', 'significant 01 false', 'tbc1d1 baat phlpp1', 'sc bb', 'paternal igf2 wild', 'c105331a snp2', 'underpinning genetic variability', 'genetic predisposition develop', 'size corpus', 'usyd edu', 'founder chicken', 'infection host novel', 'genotypic frequency implied', 'variation bodyweight', 'polymorphism analyze association', 'concluded sscp', 'line wl77 gga4', 'published region heterozygote', 'count foc', 'tissue time mode', 'analysis gdf9 identified', 'based litter size', '361 brown', 'ability try reduce', 'located gene', 'prdm16 gene 1031', 'used study variation', 'consequence imbalance cell', 'content fat protein', 'cluster novel', 'using dna sample', 'altered lipid', 'concordance association', 'phosphatase activity', 'haplotype associated reduced', 'mutation determine truly', 'effort test', 'qtl significant', 'length attributable', 'variant concordant haplotype', 'highly heritable phenotype', 'acid substitution examined', 'conduct gwas', 'sequence using', 'snp changing', '366 109g bms833', 'regarding meat tenderness', 'brain skeletal', 'lcorl encodes transcription', 'hcr1 tbrd', 'term enrichment', 'genetic architecture dcd', '26 combination', 'single sire 34', '12 range bta9', 'predominantly adipocyte size', 'trait identified gene', 'faster growth', 'lc model 38', 'study present report', 'mechanism underlying selection', 'gene cyb5a', 'immune taking', '119 high quality', 'individual breed', 'sarcomere length', 'sck2 novel region', 'af previously detected', 'maternal antibody', 'result revealed qtl', 'bta29 common chromosome', 'selection improved teat', 'better understand complex', 'observed sire', '576c polymorphism 361', 'ssc13 novel', 'yellow chicken analyze', 'despite low heritability', 'analysis 518', 'described ovine', 'snp passed bonferroni', 'window size', 'trait locus c3c', 'intron gene existence', 'bone ssc7', 'result illumina porcine', '03 respectively chromosome', 'scrapie incubation period', 'trait region comparison', 'performed genome study', 'studied representing', 'reported selected', 'reproductive trait jinghai', 'genotyping marker', 'polymorphism snp used', 'bta19 ccl3', 'sorf2 perturbed mdv', 'qul analyzed measurement', 'positional candidate statistically', 'favourable allele', 'intron segment', 'cross addition genome', 'host additive non', 'gene segregated dwarfism', 'causative polymorphism strongly', 'associated fn kinase', 'rs81423166 closest', 'recently released illumina', 'meat content carcass', 'locus qtl sexual', 'number 10 detected', 'warranted improve understanding', 'slc37a1 phosphorous antiporter', 'feathered foot used', 'yield significant allele', 'valuing pig animal', 'gwa polymorphism', 'high ld linked', 'nineteen microsatellite', 'tested day age', 'analyzed line method', 'equine gpt step', 'life associated allele', 'body weight backfat', 'examined genetic', 'sire japan', 'conclusion snp harboring', 'strong environmental', 'population map region', '169 genetic marker', 'experimental line', 'discovered tested', 'intake efficiency economically', 'dietetic value technological', '11 sire genotyped', 'length coding', 'tt porcine reproductive', 'based result aim', 'high association contribution', 'omy 17', 'remaining snp assayed', 'gga11 addition suggestive', '60 scoring', 'c4a2 gh', 'g133c g156a c220t', 'including genetic contribution', 'involved trait', 'detected 11 combined', 'identified relation', 'window region characterized', 'multiple genomic scan', 'reflectance chromosome test', 'red chicken breed', 'associated gene previously', 'carcass composition pork', 'effect 05 tlr', 'achieved reliable power', 'modeling bayesian', 'concentration associated', 'genotype routine', 'led gain', 'production recently', 'native southwest asia', 'cutaneous melanoma melanoblastoma', 'region lap3 encoding', 'multitrait animal', '14 lw point', 'variation exists', 'rs1110770079 associated ifc', 'approach selection economically', 'strong evidence synteny', '176 suggestive significant', 'novel diplotypes based', 'genotype snp tested', '25 showed suggestive', '16 chromosomal region', 'significant cow genotype', 'genomic inflation', 'ssc mir 185', 'shamo male white', '104610 104', 'phenotypic property organism', 'particularly interesting snp', 'deeper understanding genetics', 'expected chance', 'postnatal development skeletal', '2836 ear size', 'different background microsatellite', 'genotyped 580 961', 'rs268249346 chi 28', 'addition gdf9 promoter', 'compared chicken', 'measured elisa panel', 'identification snp population', 'region additive qtl', 'calcium transporting', 'region cebpa', 'birth dimension growth', 'selectively genotyped 172', '1255 snp covering', 'confirmation qtl affecting', 'cdna zfat', 'mutation dgat1', 'surrounding qtl ibd', 'role adipocyte', 'asiatic origin meishan', 'key modulators', 'meat tenderness improve', 'behavior mammal', 'explain considerable', 'thirty seven valid', 'vertebra significant qtl', 'variation cis acting', 'snp performed ingenuity', 'efficiency 49', 'haplotype 70 steer', 'heterozygosity btb', 'ph postmortem play', 'population allele fto', 'gene nr3c1', 'selection represents important', 'chromosome altogether', 'tissue regulated abdominal', 'behaviour sparse aim', 'btas 14 respectively', 'located ssc 14', 'biology lp genome', 'significantly associated snp', 'functionality dairy cow', 'involved regulation basic', 'additive non', '17 pirm', 'alive parity', 'calling affected', 'additive coefficient', 'prkag3 gene major', 'cattle breed pcr', 'defined mhc', 'pork gain better', 'polygenic effect second', 'polymorphism located', 'animal generation', 'red jx xianang', 'tb outcome identified', 'best knowledge', 'ovis aries_v4 involved', 'secretion growing', 'syndrome caused', 'gga10 22', 'wide analysis result', 'apta bovinos', 'association rao', 'trait association detected', 'trait pre', 'drop test applied', 'protein genotype difference', 'biology aberration malnutrition', 'heritability postulated', 'highest snp', 'equine chromosome', 'variability genetically uncorrelated', 'population 214', 'duroc comparing', 'conclusion association test', 'csn3 association lg', 'mrna hypothalamus', 'assessed test snp', 'bovine pgf', 'chromosome result', 'association approach investigates', 'sry sex', 'gene stood', 'furthermore study revealed', 'sl9a3r1 snp', 'known underlying genetics', 'investigated obtained', 'breed analysis indicating', 'europe south', 'chromosome 11 mb', 'identify gene beef', 'industry genetic selection', 'affecting porcine meat', 'novel seven locus', 'mdv infection', 'varied quantitative', 'using mainly', 'loss search', 'differed season lastly', 'model identify', 'cm 129', 'dna maker', 'data 338', 'comparison european commercial', 'approach regression coefficient', 'trait 2061', 'backcross pedigree', 'acid 0457', 'conserved motif', 'desaturating stearic', 'criterion conclude', 'tibetan lingao', 'study aimed making', 'yellow draft beef', 'dairy cow result', 'difference incubation', 'qtl information available', '35 new', 'total 739 ewe', 'described associated', 'sorcs2 play important', 'ph 45 lt', 'chinese meishan large', 'published showed snp', 'cm genotyped pig', '3533t 3691g identified', 'laying cycle provide', '01 conclusion study', 'snp marker tested', 'technique variance', 'health challenge costly', 'method grammar gamma', 'animal prnp genotype', 'result suggest data', 'haplotype strong association', 'test significance threshold', 'tt polymorphism', 'valuable insight complex', 'east african', 's26449 closest mc1r', 'threshold level skatole', 'qtl detected porcine', 'subject appearance product', 'gwas result support', 'skatole sperm', 'a1 a2 b1', 'mb 11', 'milk milk fat', 'lactation negative pool', 'iron binding protein', 'bta13 holstein cow', 'lactation mammal', '12 body composition', 'diego ca based', 'eighty animal', 'gain daily', 'novel object test', '2n non carrier', 'disorder classified', 'mass number qtls', 'using population japanese', 'metabolism energy', 'abortusovis vaccinal', 'ass utility', 'possibly enabling', 'piglet nsb1', 'estimated genome wide', 'rab4b snp', 'selection leaner', 'analyzed dataset consisted', 'used localize', 'lead metabolic', 'maximum significance 12', 'present 33', 'wool sheep breed', 'utilized improving', 'effective random', 'pietrain breed variation', 'gene including vav2', 'animal understand', 'value 77 277', 'disequilibrium ld regression', '42 57', 'despite different cattle', '13 snp enrichment', 'sscrofa10 assembly gene', 'dam risk', 'utt qtl rainbow', '4841 holstein bull', 'age group conclude', 'oncogenic md avian', 'used ma study', 'pig total', 'carried detect', 'comparison extended', '11 suggesting', 'value trait compared', 'beef cattle population', 'productivity previous study', 'analysis 10 snp', 'association host genetics', 'leg conformation', 'frequency merino', 'influence sexual', 'gene doping based', 'qtls reached genome', 'influence basal', '23 48 vol', 'trait ph 24', 'gompertz growth function', 'bb beta lactoglobulin', 'carcass 12 qtl', 'marker failed significant', 'understanding biological process', 'kb respectively', 'reproduction lactation', 'igf1r strongly associated', 'polymorphism segregating ib', 'population performed presence', 'bw 49 bw49', 'segregation 10 different', 'ngf dopa', 'rs16675844 significant effect', 'total 181 microsatellite', 'independent present', 'salmonellosis identified', '65 major window', 'previously prior selection', 'included ultimate ph', 'autosome increasing', 'associated subcutaneous', 'polymorphism effect growth', 'challenge intestinal', 'consist 5025', 'receptor oxtr associated', 'score using imputed', 'suggested presence', 'size result work', 'potentially unique genetic', 'gestation trait', 'kegg pathway', 'method total 512', 'localized trait', 'locus qtl metabolic', 'pecking mapping', 'control according clinical', 'increasing number', 'decrease propagation', 'human nutrition', 'recorded twice', 'trait stepwise', 'underpinnings determining fertility', 'gdf5 gene body', 'like receptor tlr', 'combining significant snp', 'significant 05 oleic', 'variation loin', '05 identified using', '71 genetic variance', 'analysis based 165', 'reported incorporated selection', 'technological trait meat', 'minolta minolta minolta', 'various human', 'substitution valuable mutation', 'color score result', 'restriction analysis pcr', '349 gene', 'cyp2e1 conclusion', 'dairy cattle search', 'entering scale', 'snp alga008191', 'mouse demonstrates mutation', 'highly significant association', 'infinium iselect', 'mapping subsequently', 'osteopontin multifaceted', 'map provided', 'kappa casein', 'tgc 241x', 'genotyped 269 microsatellite', 'evaluated candidate gene', 'date polymorphism', 'unlikely causal', 'validate marker', 'second gene', 'estimated compared', 'coincided position', 'balance conventional', 'difference associated chromosomal', '04 transformed', 'klf15 proposed', 'polled animal', 'quality trait influenced', 'chromosome 23 major', 'major portion', 'using half', 'cow female fertility', 'blood cell count', 'qtl sheep breeder', 'reason disagreement particularly', 'family test jersey', 'marker gct0006 mcw0106', 'growth performance evidence', 'nucleotide polymorphism associated', 'variation underlying qtl', 'compared control', 'measurement trait bmt', 'fat content', 'mycobacterium paratuberculosis', 'identified grivette', 'applied variant', 'bta replicated', 'index bos', 'pig according', 'qtl region esc', 'resource population size', 'gatk samtools used', 'sow 05 allele', 'based genomic location', 'including intron upstream', 'equivalent likelihood ratio', 'organ weight identified', 'selecting susceptible animal', 'mac warner', 'virus ndv', 'marker used polymorphic', 'identified quantitative', 'furthermore genetic analysis', 'characterize candidate', 'normal horned', 'lineage non', 'width 05 year', 'screening bta04 bta13', 'significant 499 cm', 'analysis performed erythroid', '33 trait including', 'candidate gene putative', 'significant increase depth', 'genetic phenotypic correlation', 'response region', 'volume ejaculate', 'analysis showed confidence', 'group test', 'ssc10 58', 'lactation concentration', '047 unfavorable', 'located chicken', 'sw1943 improved qtl', 'offer optimal way', 'irish holstein', '23 measurement', 'ovinesnp50 beadchip comparison', 'region growth', 'commercial herd pietrain', 'yield average curvature', 'related genome', 'significance level detected', 'component quantitative trait', 'm259t respectively digested', 'located chromosome 83', 'ctu1 znf615 ctu1', 'qtls log drop', 'age 113 day', 'tef1 rtef1 identified', 'longissimus dorsi', 'model weighted', 'population based 41', 'black skin', 'em loin depth', 'g392a a430g t433g', 'grandprogeny grandsire svm2', 'functional genomics proteomics', 'identified wool', 'mirnas involved process', 'reduced fertilization ability', 'trait gene associated', 'specific chromosome segment', 'infection gradient respiratory', 'white div', 'marker data 29', 'dataset 469 unique', 'bc cow', '309 snp', 'backcross family used', 'individual pregnant', 'rs418747104 ovine chromosome', 'prevented vaccine', 'chicken shank', 'shape growth', 'implemented identified', 'validate gene genomic', 'expressed ear tissue', 'significantly affected vertebral', 'chemical residue', 'plasma homocysteine', 'predicted high', 'breeding value debvs', 'variation underlying', 'tcf9 tpte2', 'weight individual', 'beadchip wssgwas', 'expansion gene expression', 'cast marker combined', 'gwa analysis combined', 'differed tt ct', 'covering pig', 'qtl visualization genotype', 'autosomal chromosome trait', 'chromosome fine', 'receptor potential cation', 'exercise induced muscle', 'result shown suggest', 'respiration promising', '962 snp illumina', 'weight candidate gene', 'genotype gene', 'cow 442 371', 'delivery identified flock', 'concentration igg blocking', 'qtl mapped carcass', 'adg dmi rfi', 'control marker failed', 'modulators gene', 'chicken lpin2 f2', 'identify main effect', 'mb bos taurus', 'genotype cidec affect', 'variant showed nominal', 'generation meat', 'ssc6 ssc16', 'explained major portion', 'breeding health', 'cattle complex trait', 'homozygous heterozygous', 'result tested', 'bac chosen based', 'qtl small individual', 'express blood sampling', 'potentially altered', 'assist understanding genetics', 'number teat assuming', 'associated body length', 'chromosome 14 mapped', 'human complete genome', 'sperm concentration semen', 'studying qtls', 'set principal', 'texture fatty', 'bull international genomic', 'qtl twinning rate', 'objective study', 'analysis historical recombination', 'enhanced protein', 'method half', 'exon 18 269', 'estimated single trait', 'bovine viral diarrhea', '004 proportion total', 'procedure prioritizing', 'revealed effect qtl', '05 influence lactation', 'beef cattle china', 'fact harbor causative', '45 marker', 'heterozygous qtl genome', 'interesting candidate nucleotide', 'technical factor lack', 'fetal growth adult', 'analytic approach considered', 'indicated significant', 'inflammation transmembrane', 'layer subcutaneous', 'chicken chromosome region', 'variable region gene', 'gene fads2', 'interestingly chromosomal location', 'ebpβ transcription factor', 'adg stringent correction', 'male reciprocal', 'stage functional', 'yorkshire population addition', 'line 692 female', 'percentage bta18 53', 'point breed', 'haplotype respectively esr2', 'gene chicken', 'type plasminogen activator', 'chose best nonlinear', 'acsl3 ghr', 'pork produce', 'brain spleen', 'snp 2002c exon', 'data 1182', 'associated bwg', 'failed establish significant', 'identified rfi qtl', 'boar meishan sow', 'cast hpaii', 'carcass weight using', 'gene myh1 myh2', 'gene underlying cattle', 'position affecting bmw', 'subcutaneous fat liver', 'environmentally dependent effect', '205 litter size', 'reported snp 442', 'trait order detect', 'dfi tunel snp', '723 male detected', 'clear evidence', 'better understanding mastitis', 'haplotype seven snp', 'including set', 'number variation cnvs', 'sscp analysis variable', 'dataset use allergen', 'result proportion', 'trout spawning', 'promote beneficial health', 'model proc mixed', 'analysis 12 growth', 'defined large', 'estimated compared previous', 'boar genotyped using', 'plcb1 rho gtpase', 'causative variant milk', 'analysis high level', 'homozygote le half', '322 thoroughbreds training', 'detected breed', 'predicted retail product', '16 20 respectively', 'nineteen significant genome', 'function klf15 proposed', 'variation tick burden', 'informative genotype', 'detected 40', 'bull 493 son', 'underlying association', 'utilized custom', 'measured lifetime number', '45 bb', 'hanwoo population', 'region observed maternal', 'contains gene', 'aim perform integrative', 'depth cd body', 'disease obesity', '20 polygenic', 'percentage 47 casein', 'reduction extra subcutaneous', 'resulted validation', 'condition locomotion', 'united state', 'contained fcr qtl', 'crossroad immune', 'tt respectively accurate', '56 22', 'background behavior quantitative', 'resolution map copy', 'showed missense', 'gnas gene final', 'scan identify', 'underlying mcv', 'immune response response', 'shape carcass', 'boundary proximal flanking', 'selection genomic', 'fixing favourable allele', 'hit compared', '967 858 971', 'resistance affect production', 'thickness bta 15', 'female year age', 'acid composition combining', 'estimate similar bw', 'sulfate immunocrit', 'porcinesnp60 beadchip 152', 'detected western blotting', 'adjacent rs81399474 rps6kb1', 'f2 hen white', 'wl genotype modified', 'assayed chicken', 'am950289 589t complement', 'position imprinting cluster', 'bovine anxa9', 'mapping lepr', 'expression 0010629', 'meg3 gene', 'cv located', 'good positional candidate', 'meat color tenderness', 'event follow including', 'sow ab genotype', 'expression efficacy', 'analyzed linkage', 'defined progesterone concentration', 'identified chromosome significant', 'qtls harbored', 'imf content enhancing', '60 genetic variance', 'chromosome 11 angularity', 'incorporated weighted selection', 'infected cow high', 'relative position difference', 'generational pedigree', 'different breeding', 'extended homozygosity contains', 'cause substitution', 'genotype 413', 'trait showing', 'gene fads2 srebf1', 'gwas chicken high', 'postnatal life', 'phenotypic variance shank', 'eps8 40', 'ratio lifetime nonproductive', 'time varying qtl', 'seq information virus', 'issued second generation', 'polymorphism trait', 'exclusion false', '200 highest', 'objective present analysis', 'weight growth stage', 'abnormality bovine', 'multibreed gwas', 'gene hmga2 previously', 'gene adrenal', 'locus detected study', 'tolerate excessive heat', 'population suggests epistasis', '54 eye completely', 'fy pp fp', 'hormone production adrenal', 'il8 chemokine receptor', 'population significantly affect', 'applied quantitative', 'mutation carrier ryr1', '05 liver', 'line bos', 'rise 63', 'holstein dairy cattle', 'snp alter', 'linked lep 1382c', 'hormone affecting regulation', 'research population', 'progeny test 24', 'adiposity harbor gene', 'variance partitioned chromosome', 'investigation genomic structural', 'practice knowledge', 'logistic regression ebv', 'belonging spanish', 'chromosome current assembly', 'composition located', 'ovlv lentiviral', 'variant untranslated', 'postinfection suggested', 'variance trait hierarchical', 'effects qtl defined', 'mononeuropathy unknown etiology', 'region associated gene', 'qtls chromosome', 'including pig', 'serum lipid', 'analysed effect slaughter', 'jersey 83 guernsey', 'commercial dairy sheep', 'palatability fatty', 'density sex', 'romanov breed', 'family single quantitative', 'neaurp a213c bp', 'serum biochemistry parameter', 'tgfbr1 gene', 'type chicken strain', 'gram negative bacteria', 'heritable phenotype governed', 'taurus indicus cattle', 'transcription factor mitf', 'genetic variance', 'pathway reported associated', 'qtls osteochondrosis', 'haplotype associated variation', 'vertebral malformation excluded', 'suggesting sex specific', 'parameter large number', 'dfiadj respectively genetic', 'cm _csrp3_83', 'responsible muscle', 'inducible factor alpha', '14 variance', 'loin eye height', 'lying approximately mid', '60 total', 'rao susceptibility discovery', 'training set ongoing', 'variation different age', 'pig subjected genome', 'function anxa10', 'porcine lipid', 'ige level allergen', 'mammalian small', 'total 36', 'cattle breed result', 'china consumer prefer', 'qtl detected combined', 'oc location', 'chromosome previously detected', 'kinesin protein', 'haplotype kg haplotype', 'resistance mdv mapped', 'including spp1 abcg2', 'based expectation', '10 qtl detected', 'count mastitis', 'arr homozygous arr', 'cm proximal', 'marker ssc4', 'sought high quality', 'combination environmental', 'mbl1 mbl2 porcine', 'polygenic effect qtl', 'association cortisol level', 'french dutch f2', 'population quantitative', 'benefit increase facial', 'hydrolyze succinyl', 'wdr83 important role', 'mixture model maximum', 'segregation qtl genotype', 'high estimate', 'post gwas strategy', 'implementation marker', 'population daughter yield', 'designed ovinesnp50 genotype', 'making identification underlying', 'breed collectively observation', 'growth locus', 'notable lack', 'variation analysis functional', 'cause considerable economic', 'infection scottish blackface', 'dq1 significant qtl', 'region statistical', 'boar allele effect', 'significance identified', 'maximum likelihood estimation', 'limited sample size', 'program applied commercial', 'significantly associated post', 'pathway implicated incidence', 'pcr reaction amplicons', 'located region 34', '17609c 17692c', 'antigen induced significantly', 'early day postinfection', 'decarboxylase dopa dopamine', 'respective lactation using', 'believe comparing analysis', '2065 0652', '05 marker', 'related growth trait', 'genetic basis sexual', 'age puberty nipple', 'gc rna', 'btb significant veterinary', 'variance selected', 'comparison 17 aflp', 'haemorrhagic diarrhoea', 'method snp', 'conserved mammalian specie', 'heritability late', '12 84 cm', 'factor overall finding', 'phenotype evaluated previously', 'reaction rt', 'identify region impact', 'mb including wnt3', 'snp ex1 ex11', 'group hook nicotinamide', 'observed cattle', '05 rs14011780 igf1r', 'phenotype litter', '199 08 kg', 'log10p values snp', 'analysis combined pedigree', 'variation meishan', 'pcr showed differential', 'second qtl ultimately', 'joint design fat', 'understanding molecular basis', 'value 118', 'information genetic basis', 'level biologically', 'presented research', 'haematocrit hct haemoglobin', 'yearling weight cohort', 'genotyping illumina bovinesnp54', 'identify haplotype', 'regulation qtl located', 'fine map targeted', '4496 danish holstein', 'shearing clean wool', 'depth fourfold', 'count caecum presence', 'dorsi muscle multi', 'successful pregnancy objective', 'calculated using genotypic', 'ebv sc gene', 'refining estimate', 'cw analogous human', '93 kb', 'snp fn396538', 'encoding corticosteroid binding', 'breed suggestive', 'gpihbp1 lpl', 'incidence maternal infanticide', '2467 progeny tested', 'npl value detected', 'color present work', 'daily gain residual', 'fiber composition meat', 'bovine reported pcr', 'associated dairy', 'human developmental gene', 'molecular determinant feed', 'ssc7 teat number', 'color korean', 'significant family family', 'observed f2 generation', '65 gestation meishan', 'french dairy', 'region related lipid', 'intron detected', 'estimating variance component', 'included ph pco2', 'design data set', 'identified sheep', 'bird gg', 'thicker bft aa', 'count mean platelet', 'cross meishan large', 'count genotyped using', 'nominal values 031', 'trait discovery qtl', 'weight npr2', 'banned eu', 'fi irish beef', 'qtl cited literature', 'snp 12 polymorphic', '06 ww 27', 'ssc13 total number', '370 715 284', 'c18 detected chromosome', '01 regional', 'resistance selection', 'determined f41', 'resides 300 kb', 'surrounding significant marker', 'trait study investigated', 'pool control', 'data deregressed estimated', 'ratio study', 'identified 93 mb', 'haemostasis mucus', 'age 0061 c56072547t', 'male win conflict', 'qtls fa composition', 'swine using pcr', 'set false discovery', '23 associated phenotype', 'snp fatty acid', 'practice trait', 'follicle remaining cell', 'gga13 12 cm', 'absent 23 06', 'phenotypic variance association', '95 03 particular', 'used ass bone', 'snp piii acaca', 'age additive', 'separated block nonsignificant', 'region bta3', 'polymorphism snp wur10000125', 'versus non', 'simmental 477', 'acid ufa 0204', 'breeder farmer government', 'cause bone weakness', 'bull genome project', 'rflp haeiii', 'create sequential molecular', 'metabolism generation energy', 'nucleotide polymorphism uw', 'clinical ketosis', 'region metabolic', 'wide significance 22', 'lei0101 located', 'haplotype sharing based', 'provides comprehensive cnvrs', 'genotyped 289', 'meatiness adjusted 0238', 'revealed major', 'scale herd', '200 lowest performing', 'analysis helpful understand', 'genetic improvement trait', 'dorset ewe', 'underlying genetics aggressive', 'examination result', 'sscx important physical', '994 552 phenotypic', 'f2 female', 'identification genetic control', 'previously hypothesised good', 'glu thr', '05 addition tac', '107 polymorphic', 'gene snp chip', 'sib regression interval', 'histochemical characteristic decisive', 'trait interpreted', 'association fdr 10', 'challenged mdv', 'trait duroc breeding', 'neonatal postweaning', 'inbreeding result', 'teat swedish', 'high adipose tissue', 'snp comb', 'holstein crossbred', 'identified hdl', 'localize centromere', 'gain 638', 'linkage analysis physical', 'estimate avoiding', 'included selection trait', '01 23 measurement', 'significantly associated litter', 'immunity difference proportion', 'type differ', 'organ bone', 'production male', 'investigated uw', 'blotting immunohistochemistry testis', 'mutation originally identified', 'gene identified effect', 'variance explained cumulative', 'deduced protein', 'atp1a1 gene genotype', 'shamo japanese large', 'receptor lepr snp', 'observed remaining', 'opportunity discover', 'dehydrogenases hsd17b14', 'organ indirectly', 'hotspot play', 'detected oar3', 'fiber type', 'mps score located', 'locus determined 258', 'study expression gwas', 'calving performance linkage', 'specifically snp ncapg', 'meishan developmental', 'qtl myofibrillar', 'autosome quantitative trait', 'set 003 05', 'analyzed adjustment litter', 'chromosome 18 19', 'animal carcass', 'showed mean ifc', 'length genome partitioning', 'dmi corrected', 'estimated average pair', 'pancreatic cell maintenance', 'far upstream', 'historical recombination', 'package resulted', '373 nelore', 'using performance test', 'acyl coa diacylglycerol', 'producing mature', 'stillbirth bta18 pglyrp1', 'thoroughbred complement recent', 'use longitudinal model', 'color trait knc', 'provided evidence qtl', 'efficiency trait', 'located bta6 bta14', 'respectively deregressed estimated', 'ornithine decarboxylase pivotal', 'beneficial result', 'classical genetic breeding', 'effect generally additive', 'friesian sequence', 'wide 15 suggestive', 'polymorphism untranslated region', 'underlying phenotypic expression', 'family breed using', 'response lipid metabolism', 'heritability suggests', 'mortality paternal', 'cycle objective association', 'avpr1a gene protein', 'ssc enssscg00000022338 ssc', 'selected trait chicken', 'additional analysis fully', 'gene mstn demonstrated', 'unaffected calf commercial', 'dermal melanin pigmentation', 'growing pig largely', 'affected bta6 bta7', 'cell mediated response', 'chromosome 27 comprising', '051 815', 'basis underlying development', 'gene effect porcine', 'loin region new', '15 20 cm', 'notch1 variant identified', 'association maternal infanticide', 'mitogen activated protein', 'frequency difference time', 'mineral density respectively', 'asian market', 'hybrid silico mapping', 'underlying association sequencing', 'using flexible genetic', 'regulator hiv', 'ssr microsatellite marker', '322 lw ms', 'marker bta13', 'line selected generation', 'detect time qtl', 'reproductive longevity increasing', 'case control strategy', 'factor subunit', 'locus originated', 'gluconeogenesis objective study', 'atc associated', 'respectively locus previously', 'cohort using roh', 'prrsv prevented vaccine', 'animal conclusion', 'cox transformation likelihood', 'candidate gene study', 'dorper breed fixed', 'colour related', 'cross parent', 'innate immune', 'parasite initially', 'analyzed using 188', 'age egg mapped', 'family 172 ewe', 'based proportion variance', 'meishan female swine', 'popular breed haplotype', 'application breeding', 'gene gene related', 'haplotype qtl region', '27a gene', 'explore region associated', 'g1 offspring g2', 'nsb2 possible candidate', 'carried using linear', 'allele study', 'expression profile', 'disorder including', 'high snp based', 'haplotype haplotype oppositely', 'isi em', 'density bvs', 'associated mean', 'genetic analysis major', 'produce minimum 46', 'defined difference observed', 'regression analysis based', 'cd afc', 'currarino townes brock', 'factor confer ibk', 'vertebral number pig', 'health related', 'localized 660 528', 'female chicken roslin', 'hsp90aa1 expression', '20 transversions', 'mlnr rb1 directly', 'simmental exhibit', 'combination expected', 'zinc finger transcription', 'study provide valuable', 'variance respectively sl9', 'appears key candidate', 'animal broad breed', 'participating conexão delta', 'culture map', 'primarily chromosome 14', 'rfi result', 'bull characterized previous', 'background single nucleotide', 'functional genomics', 'experiment future study', 'type breed rs339939442', 'dominant allele', 'compared zebu taurine', 'line weight size', 'naturally parasitized gastrointestinal', 'dwarfism finding provide', 'merit holstein', 'gene hairy locus', 'sscx important', 'calculate empirical traitwise', 'chromosome 23 24', 'fi variant rs43555985', 'genotyping test', 'variation shank', 'rib bb', 'cluster significant', 'obesity associated snp', 'vivo generated', 'derive large half', 'reveal causal', 'mb ssc8 36', 'size majority', 'dc locus analysis', 'return rate 90', 'liver adipose', 'qtl region mineral', '276 twh', 'percent pcl', 'tnb snp variability', 'polymorphism porcine', 'chronic diarrhea', 'affecting parasite resistance', 'scan large proportion', 'conservative mutation', 'presence qtl distal', 'weight wt fresh', 'gblup improved', 'staphylococcus aureus streptococcus', 'conclusion selective', 'way diallel', '14 respectively qtl', 'approach using milk', 'starvation induced cell', 'porcine cast gene', '15 associated', 'different chinese', 'representation haplotype allele', 'kg milk kg', 'imputation used assign', 'appetite lh', 'linear regression method', 'causing severe economical', 'close promotes', 'cagaca significantly', 'exploiting updated release', 'placentomes different ncapg', 'trait family member', 'sib family phenotypic', '02 47', 'disequilibrium ld analysis', 'population help better', 'frame size adult', 'breeding improvement', '01 respectively', 'puberty 09', 'revealed gg', 'placenta revealed different', 'alongside direct', 'describing lactation curve', 'marbling cmar', 'percentage muscle', 'stallion revealed', 'count indicating differentially', 'probability 14', 'line differing resistance', 'gene genetic marker', 'investigate gdf9 post', 'previously mentioned pathogenic', '2007 2011 illumina', 'infect variety', 'sample size italian', 'domestication taken', '2003 expected progeny', 'mcw0106 marker', 'specifically sytl3', 'oc significant', 'indication general', '2000 f2 individual', 'inhibitory factor related', 'evidence initiator', 'leghorn population selective', 'suggests need functional', 'function liver pancreatic', 'decreased fertility holstein', 'period north', 'qtls appear', 'brsv specific total', 'unplaced contigs', 'possible generate high', 'mapping study detected', 'tertiary structure', 'adam12 ache lrrc14', '503 qinchuan', 'chromosome identified lld', 'fd fetal viability', 'irish government approximately', 'clone rm1 solo', 'age probably', 'evidence bovine nesp55', 'marker interval mapping', 'family exceedingly', 'genotype difference activity', 'genetics variation mastitis', 'ocd equus', 'nhi line', 'worth investigating', '1a mtnr1a determine', 'pig weaned sow', 'regarding beef cattle', 'association number significant', 'selection milk production', 'design significant', 'block used genome', 'examination striking', 'rfi fcr substituting', 'son used study', 'bb pig aa', 'clinical case confirmed', 'difference haplotype distribution', 'variable number ai', 'observed value individual', 'eca4q significantly', 'testing training set', 'acid using', 'tackling complexity', 'analysis identified qtl', 'indicating marbling qtl', 'bone development functioning', 'reported hgd', 'growth trait total', 'opposite homozygote sibling', 'ssc2 derived single', 'genotype large white', 'concluded cnvs contribute', 'qtls genome wide', 'assumption step association', 'area lma percentage', 'sample 30', 'family transcription', 'significant influence mhc', 'percentage palmitoleic', 'trait specific locus', 'harboring known', 'altogether novel polymorphism', 'association identified 42', 'sheep breeder', 'information indigenous', 'cab39l trpc4', 'locus qtl age', 'controlling developmental programme', '531 3533t', 'yield somatic cell', '180 kb', 'block ranged 22', 'grandsires used genotype', 'qtl corticosterone associated', 'partial promoter region', 'reproduction trait proc', 'majority male', 'dairy breeding', 'study locate', 'assumed genetic', 'qtl entire loin', '24 29', 'replicated using', 'consistent ultrasound carcass', 'marbling score muscle', 'turnover potential translational', 'potential association', 'role neuronal', 'associated abortion', 'french landrace half', 'signaling mapk', 'difference expression hsp90aa1', 'distal chicken', 'higher significant association', 'chemotaxin lect2 bl', 'precision qtl mapping', 'structure expression polymorphism', 'revealed study suggests', 'seven ultrasound', 'advance ability', 'mammal specie revealed', 'associated litter', 'bta bta11 respectively', 'oestrus litter', 's1 56 s2', 'trout genome', 'cross reanalyze', 'value measured 1029', 'log 10', 'association mutation hmga2', 'candidate major locus', 'effect 0207', 'muscle area 001', 'snp alga0035896', 'significance level discovered', 'qtl controlling single', 'potentially promotes efficiency', 'positive false discovery', '1457a a59v', 'carry salmonella', 'chromosome effect', 'meat ph analyzed', 'gene demonstrated', 'differential tissue', 'selection danish pig', 'indicates qtl environment', '221 marker', 'using breeding value', 'mapping focus', 'n202 461 chicken', 'chromosome 16 identified', 'adjacent snp', 'calpastatin associated rate', 'breed ability known', '1994 genome wide', 'concentration snp effect', 'etec associated', '692 bull bull', 'chosen spaced', 'revealed single', 'small non coding', 'mbp snp', 'linked pleiotropic', 'stage model', 'indicated t354c', 'region functional classification', 'variance estimated', 'contrast numerous mutation', 'identify polymorphism bovine', 'maintained association', 'tested test station', 'order provide accurate', 'innate immune defence', 'mb best', '53 16 qtl', 'sire analysis qtl', 'adgtest major haplotype', 'gga14 set', 'mon hol respectively', 'protein signal', 'nrr56 nrr90', 'qtl ssc2q suggested', 'ssc4 locus play', 'predictive value lmm', 'fine mapping candidate', 'genotyping illumina', 'second bta19 bta22', 'udder attachment', '11 45 sex', 'causative ph', 'food producer care', 'lta determined', 'multiple gene', 'used selection', 'immune capacity selection', 'muscle recording wbsf', 'yuxi city dali', 'mb eca5', 'located matn1', 'qtl dependent', 'specie genome scan', 'porcine national', 'help reduce', 'laiwu bamaxiang tibetan', '50 kb snp', 'rainbow trout oncorhynchus', 'linkage peak', 'sheep immunostaining', 'exhibited irregular', 'loss production', 'igf2 region ssc2', 'milk production quality', 'gcg agg', 'genomic architecture trait', 'correlated height', 'higher quality grade', 'factor encoding', '40 13', 'junglefowl domestic', 'lp3 olp contrast', 'ovary wov embryo', 'region 001', 'chromosome 14 40', 'significant empirical', 'mirna expression function', 'tumor incorporated', 'window mb surrounding', 'velocity spermatozoon qtl', 'suggesting qtl affecting', 'leading mastitis discovery', 'bp 199 266', 'strain differ propensity', 'fertility hcr1 tbrd', 'using composite regression', 'female year', '156 horse', 'snp 108', 'snp different effect', 'polymorphism allele genotype', 'account genetic variation', 'ssc16 hsa5', 'analysis conducted pig', 'fertility directionally associated', 'homeologous relationship', 'pig derived strain', 'trait facilitate improvement', 'posterior anterior', 'identified high 279', 'previous study associated', 'gene genotyped sire', 'recruitment activation response', 'cluster significantly', 'mutation snp1 locus', 'pig health reproduction', 'used gwas', 'fdr total', 'fitted stage model', 'occurred group', 'chromosome wide linkage', 'resistance complex', 'contemporary group cg', 'result selective', '362 69', 'development considered candidate', 'weak tolerance', 'highly significant snp', 'qtl ld', '22 significant qtls', 'affect profitability', 'cow country', 'workability trait brown', '32 selected', 'low density single', 'locus multi', 'gene gli3', 'cm ssc8 siw', 'lower fresh', 'record using illumina', 'problem cattle', 'antagonistic qtl breast', 'population association', 'related milk component', 'study identify compare', 'fp tsp direct', 'biochemistry fundamental process', 'severity defect', 'gender age raspf7', 'growth carcass related', 'weight ssc7 60', 'color qtl', 'rea canchim', 'located wnt9a', 'located lap3', 'power design total', 'allele analysis', 'expression correlated', 'f0 70', 'dmi 05', 'owing complex interaction', 'gwaa growth trait', 'measured elisa', 'haematocrit strong association', 'respectively mrna atp5b', 'ancestral breed', 'holstein 2058 italian', 'performed 211 hanoverian', 'coding rac', 'pig large', 'associated limousin', 'extreme male abdominal', 'crumb cell', 'inheriting positive negative', 'production trait shared', 'identified candidate gene', 'sequence major', 'snp typed', 'weight breeding goal', 'program weighted single', 'effect combining', 'related performance trait', 'despite high', 'important equine developmental', 'cell hemoglobin', 'fenjing leping', '200 highest 200', 'relationship barring', 'dorsi rna 74', 'palatability lipid', 'sample revealed', 'texel suffolk', 'caballus chromosome', 'strength highly regulated', 'overlapping region detected', 'thickness weight', '01 breed', 'using goatsnp50 beadchip', 'atp2b1 dual specificity', 'factor implication immunity', 'scotland naturally parasitized', 'content 01 genotype', 'origin qtl effect', 'hematological immune integrative', 'final model significant', 'position 49223 49228', 'breed identification molecular', 'mbl gene higher', 'identified marker lei0101', 'parenthesis 02', 'partly overlapped', 'pig respectively', '344a genotyped 347', 'weeks age', 'associated mt respectively', 'little attention', 'gene different genotype', 'heritability value fatty', '500 informative', 'abdominal cavity pericardium', 'controlling erythroid trait', 'fat yield decreased', 'italy considered', 'measurement included', 'pp affected', 'reported feed efficiency', 'snp 3020a play', 'sample 139', 'performed nba nm', 'genetically similar', 'generated crossing typical', 'total 221 cow', 'derived different', 'q13 study identify', 'chemical composition chicken', 'important porcine', 'ld post', 'marker fourfold analysing', 'composite regression interval', 'associated body height', 'animal milk', 'bone growth risk', 'sib bovine', '011 haplotype', '05 bird tt', 'level using mendelian', 'copy vrtn', 'bta 32 mesh', 'farrowing record nba', 'trait parasite resistance', 'col17a1 candidate gene', 'stratification angus', 'production 12 kb', 'dressing percentage living', '34 grandsire', 'gene surrounding identified', 'prlr haplotype', 'life informative', 'using dxa', 'snp 55g', 'mechanism disease greater', 'ratio forerib joint', 'breed approximately', 'studied stress', 'olp analysis', 'association small', 'pig resource population', 'pressure right ventricle', 'korean domestic breed', 'time points pre', 'season lambing quantitative', 'component determining', 'breed examined expression', 'alternative method', 'limousin cross 186', 'egg number spawn', 'additive effect included', 'duroc lw population', '383 result', 'fresh beef', 'revealed substitution', 'test showed', '2nd infection oar12', 'generally increased estimate', 'detected polymerase chain', 'animal quality', 'factor 10 thirteen', 'tightly connected', 'muscle abdominal', '1644 holstein', 'activity present', 'showed epistatic interaction', 'advantageous route better', 'susceptible incidence', 'affect function mtnr1b', 'provide theoretical', 'indicated motilin', 'carcass proportion', 'challenged lentogenic', 'gene beef fat', 'horse breed underlying', 'valine gtg scd', 'bta11 region contains', 'ssc8 showed', 'snp gene understand', 'qtl complex network', 'quality mammal', 'nan clta', 'potential regulatory binding', 'breed difference', 'new allelic', 'number different population', 'positive faecal culture', 'characterized gene identified', 'homeostasis resulting low', 'bioinformatics annotation', 'association significant adjustment', 'pig population 320', 'study shown aspect', 'myh gene oiliness', 'population coincide', 'nucleotide polymorphism covering', 'region additionally genomic', 'utr 2799g adrb3', 'ma ipn resistance', 'putative qtl mixed', 'qtl influencing early', '13 snp associated', 'bb aa', 'rt 17', '16 33', 'length breed luxi', 'mediating negative', 'macrophage result showed', 'putatively underlying', 'role gene', 'select gt genotype', 'bp region identified', '129 vs', 'region 11 cm', '15 filly', 'associated detected ssc6', 'mixed loin', 'primary infection', 'verify segregation qtl', 'male calf', 'explains phenotypic variance', 'time quantitative pcr', 'kosambi cm constructed', 'sib design utilized', 'beef cattle confirmed', 'meat spot defect', 'individual depending', 'nkx2 transcription factor', 'important beef', 'value estimated using', 'sow defined', 'calving direct calving', 'pb 135 768', 'ph1 10 marker', 'opportunity decipher', 'search evidence twinning', 'affecting pepsinogen', 'chicken ecotypes improved', 'study evaluate potential', 'percentage rt pcr', 'authentic reflect', 'acox3 mecr', 'useful strategy', 'porcinesnp60 beadchip', '3533t exon 3691g', 'different approach applied', 'period 2007', 'allelic imbalance', 'max difference ltn', 'phenotypic register', 'qtl region bta18', 'sd weight', 'brangus data brahman', 'breed 0e 20', 'regulatory role', 'weight snp regressors', 'result obtained present', 'significant association number', 'established physical map', '03 estimated', 'fold ridge crease', 'exposure map cow', 'selected bull tested', '278 male reciprocal', 'weight holstein', 'mb distal', 'leg muscularity', 'associated rac work', 'ranging mild baby', 'content lean', 'rgs1 fbln5 pcnx', 'gblup object snp', 'targeted exome sequencing', 'thickness 05', 'large white lw', 'frame size', 'draft horse', 'dairy farm breeder', 'immunoglobulin iga', 'testicular size parameter', 'significance bone', 'associated endocytosis development', 'phenotype mapped qtl', 'aim genotyped', 'positive suggesting interpretation', 'ssc12 qtl affecting', '18 meat', 'thirty phenotypic trait', 'qtl lipid accretion', 'associated target', 'showed using marker', 'mb region service', '92 genetic variance', '87 90', 'possible pleiotropic', 'beginning snp', 'development periparturient', 'direction cross', 'parity spef2', 'restricting causality', '002 dmi', '299 large white', 'resistance wool carcass', 'analysis conducted 20', 'affecting location genetic', 'annual cohort trait', 'glycerolipid metabolism pathway', 'suis indicated low', 'gland compared 90', 'chromosome relating', 'fo cause qtl', 'gene including novel', 'based analysis aforementioned', 'rs110061498 rs109546980 rs42404006', '93 mb region', 'measurement presence', 'population genotype', '15 chromosome effect', 'significant fdr', 'dual purpose 100', 'qtl strongest association', 'qtl quantitative', 'reported carcass growth', 'trait igf2 expression', 'analysis technique used', 'skin multifactorial', 'fcn3 col1a2 gene', 'ppard g32e variation', 'near ar qtl', 'proportion total lean', 'quality study pig', 'highly correlated measurement', 'trait documenting', 'knp using dna', 'cattle study big', 'size 70 psi', 'fitting qtl', 'support concept bf', 'gene region zo', 'hanoverian stallion candidate', 'lactation leading conclusion', 'gene novel', 'gene contributes muscular', 'pig genome quantitative', 'locus eqtl analysis', '05 leaf', 'gene affecting post', 'imf accretion studied', 'locus play important', 'target discordant sib', 'acid composition candidate', 'equation parameter', 'fwec established', 'ssc17 total 52', 'beneficial mapping qtl', 'coefficient estimated simple', 'transversion exon', 'causing valine', 'polymorphism nudt7 cd', 'different conclude result', 'foremost agricultural specie', 'weight muscle increased', 'conducted marker', 'expected qtls carcass', '64 64', 'obesity index', 'age shank girth', '14 white', 'cc tc 05', 'breeding goal broadened', 'pig containing', 'protein possibly involved', 'despite relatively', 'genotyped 400', '92 sheep', 'university berkshire', 'lesion ryr', 'promising target', 'sow examined difference', 'bonferroni corrected suggestive', 'protein production fat', 'mir level', '12 gestation length', 'qtl comparison qtl', 'growth body', 'measured ham', 'position explained', 'protein impacting', 'litter qtl medium', 'follicular cell remain', 'rapidly enrich population', 'brd brahman hereford', 'farm sheep', 'greater 05 lamb', 'effort elucidate ancestral', 'associated backfat', '232 associated', 'major locus', 'b1 b2 fayoumi', 'value ebv somatic', '31224g 31266t identified', '495 individual', 'facilitate follow study', 'using equine', 'animal belonging', 'subpopulation peripheral blood', 'breed green legged', 'enzyme central role', 'disease genome', 'polygenic inheritance', 'reveals cryptic allele', 'level scc association', 'crossroad inflammation homeostasis', 'increase sow', 'chain fatty', 'general linear regression', 'insulin pathway', 'lactation olp reported', 'psap gene', 'absence ryr1', 'body udder leg', 'marker ssc17 48', 'number differential leucocyte', 'marker used ma', 'linkage disequilibrium different', 'magnitude lower', 'bovine respiratory syncytial', 'effect detected population', 'gga3 gga6 gga15', 'breed serological status', 'method best approach', 'trait proximal bta14', 'weight clear', 'located block', 'loin depth irs4', 'apart physiological', 'cm objective', 'ldrm suited', 'product marketplace previous', '19 27 28', 'factor sire sex', 'effect caused', 'berkshire duroc cross', 'entropion 998 columbia', 'strain respectively', 'bta29 bft candidate', 'showed additive dominance', 'fewer sertoli cell', '45 semimembranosus', 'map area ssc6', 'previous study confidence', 'conceived tbrd gwaa', 'population allowing identification', 'withers chest', 'diameter fiber', 'energy reserve', 'result suggest chicken', 'individual marker', 'analysis refined', 'region analysis candidate', 'truncation point', 'barrow 410 gilt', 'region common', 'mendelian parent origin', 'confirm known', 'remained low', 'le susceptible eye', 'pig obtained', 'calculated segregation', 'stature specie', 'variant complete linkage', 'score study showed', 'affected cis', 'f2family chromosome region', 'percentage fp milk', 'marker fixed founder', 'aa gg homozygous', 'homeologues contained detectable', 'coefficient absolute', 'cow individual milk', 'far study published', 'mirna gene associated', 'identify genomewide', 'action identified qtl', 'approach used investigate', 'ag pig', 'bull similar', 'milk trait single', 'pathway gene including', '1791 8630', 'individual coming', 'estimate lower', 'allele locus microsatellite', 'simultaneous change', 'support previous', 'progress improvement resistance', 'present map4k4 gene', '001 present', 'encompassing scd snp', '11 127', 'including 636a', 'performed separately f2', 'sheep genome scan', 'result total 611', 'encoding ribosomal', 'significant effect faecal', '638 loss', 'yield 86', 'performed characterize variability', 'qtl ph15', 'similar size', 'grb2 like sh3gl2', 'qtl trait backfat', 'maternal infanticide litter', 'selection ma improve', 'season tick counted', 'large game white', 'association gene', 'chromosome wise threshold', '18 explained', 'track knowledge', 'phenotype major', 'association study subcutaneous', 'carried unravel', 'located close ovine', 'holstein cattle affected', 'array interval', 'map previously reported', 'genotyped 20k geneseek', 'bovine npy', 'different tick count', 'illumina bovine hd', 'effect 48 phenotypic', 'protein gpihbp1', 'method significant qtl', 'variant large sample', 'suppressed 001', 'concordant haplotype', 'farm 2010 2011', 'ecorv genotype showed', 'squares mendelian', 'oxct1 finding provide', 'snp account', 'bmp5 interaction let', 'additionally based', 'leg muscularity shoulder', 'dam sire selected', 'prrsv vaccine respectively', 'animal beta lactoglobulin', 'associated 05 afe', 'axis exerts', 'day age en300', 'rate f8 f10', 'corresponds 18', 'sheep reflecting absence', 'determine smaller', 'stage modelling procedure', 'beta lactoglobulin cow', 'cut identification', 'fgf8 recent', 'effect marbling', 'growth selective breeding', 'triacylglycerol hydrolase', 'density bd', 'late growth locus', 'prediction danish swedish', 'affected qtl', 'bmp7 known', 'breeding program boar', 'chicken body size', 'bco breast', 'insertion subsequently genotyped', 'qtl polygenic', 'region previous experiment', 'stillbirth marker', 'available 814', '33 105', 'reduced observed', 'trait experiment based', 'significant genetic impact', 'chicken improved', 'protein bpi', 'increase yield', 'management especially', 'earlier experiment', 'seasonality litter', 'association tested population', 'cw region linkage', 'moderate varying', '17 jointly', 'pm economic societal', 'trait highly', 'small effect relaxed', 'analysis performed horse', '01 lean content', 'yield 30 gene', 'age egg body', 'study secondary', 'direction previously', '183 kb', 'identified compared', 'recombination fraction', 'responsible pleiotropic effect', 'significantly associated ibk', 'sqsl1 dqsl2 identified', '410 gilt white', 'analysis based linear', 'deposition suggest', 'consisting 14', 'junction focal', 'tail trait', 'longevity economically important', 'package resulted identification', 'thickness included epistatic', 'historical field', 'retn am157180', 'sm hap3 associated', 'distributed genome relatively', 'length 05', 'yellow shank refine', 'racing success identify', 'snp associated component', 'suis fec', 'specific genetic', 'marker holstein', 'genome breeding', 'identified promising locus', 'associated thickness subcutaneous', 'faecal cfu', 'gga chromosome', 'effective prevention', '75 64', 'chromosome main', 'marker sheep breeding', 'snp identified candidate', 'associated serum triglyceride', 'gain 21 dpi', 'ct 92 ng', 'needed identify causative', 'prlr gene', 'meat yield', 'group microsatellites autosomal', 'size limited power', 'germany italy austria', 'obstruction rao heave', 'soay sheep ovis', 'used sex linked', '108 finnsheep contribute', 'modulates adipogenesis hematopoiesis', 'responsible 89 13', '50 kb interval', 'identified 14 qtl', 'chromosme wide significant', 'locus determined', 'litter size reproductive', 'size marker', 'marker lei0071 located', 'reml snp analyzed', 'calving cattle affected', 'cause amino acid', 'bft observed', '005 quantitative trait', '675 gene 142', 'effect second', 'established elucidate', 'partially determined sex', 'selected bone', 'furthermore analysis', 'week following', 'mouse swine revealed', 'various trait', 'study identified fourteen', 'linked monomanine', 'study using bayesian', 'protein yield 76e', 'leghorn fayoumi f1', 'acid cd46 tv', 'testis onset', 'primary mir region', 'sequence gene involved', 'observed growth', 'associated aggression 1093', 'association analysis suggested', 'adaptability climatic variation', 'wfe negative', 'ab analysis association', 'qpcr analyse expression', 'alb suggestively', 'population rainbow trout', 'suggestive qtl revealed', 'trait 18', 'resistance protein', 'role pigmentation', 'procedure effect', 'family 18', 'used search gene', 'recorded united', 'calving difficulty mcd', 'chip hanwoo', 'efficiency objective study', 'completed gensel', 'inferred ucp3 probably', 'necessary evaluate', 'phenomenon generation sib', 'allele texel', 'obtain information pattern', 'ssc11 ssc12', 'sutai dly', 'tissue standard', 'cow milk', 'erythrocyte altered morphological', 'haplotype polymorphism', 'mastitis mb', 'trait beef steer', 'region identified wssgwas', 'harboring gene including', 'specific polymorphism according', '38 commonly detected', '474 holstein friesian', 'feeding trait benefit', 'result showed haplotype', 'tolerance poultry angiopoietin', 'improving reproduction trait', 'skin homeostasis', 'life stage', 'selected lead snp', 'fat respectively', 'trait total number', 'gene small effect', 'dlx3 lgals9 eno3', 'receptor lepr', 'bone genome scan', 'analyse corresponding', 'report marker', 'enhancing effect', 'late production', 'available 8111 marker', 'ovary detected study', 'linked igg2', 'increasing need', 'associated hcw', 'generation using half', 'result amino', 'large sample', 'tissue result', 'csn3 gene genotype', 'nasal discharge', 'study suggest', 'trait particularly growth', 'western present day', '30 65 major', 'cascade gene involved', 'mutation underlying', 'posterior density', 'gland lw pig', 'using subjective', 'allele imprinting effect', 'iberian ib meishan', '20 false', '188 informative microsatellites', 'black skin black', 'response result validated', 'design allowed', 'prevalent outdoor', 'useful candidate gene', 'different haplotype lp1', 'intercross meishan large', 'aim study', 'gene expression gene', 'population size accurate', 'quantitative transmission', 'explained 06', 'region ldla', 'reported chicken', 'subunit prkag2 gene', 'novel association validated', 'snp chromosome showed', 'deviation calculation dominance', 'feather length 148', 'using 183 dna', 'live weight advantage', 'trypanotolerance identified', 'large qtl region', 'tunel snp', 'measured ct leg', 'known qtl associated', 'log10p 12 imf', 'sequence high', 'analysis selection signature', 'set animal', 'junction olfactory transduction', 'affecting bmw tmw', '1987c polymorphism lep', 'fat colour based', 'expression 19 locus', 'genomewide level significance', 'em progeny', '987 individual', 'distance breed breed', 'porcine fatness phenotype', 'fn tfn furthermore', 'fine mapped qtl', 'gene involved calcium', '31 66 individual', 'characterized aimed', 'polymorphism zinc', 'responsive neuroendocrine influence', 'qtl sustained', '955 marker', 'include breeding program', 'series mtpap', 'analysis meat trait', 'differ length utr', 'biomarkers improve', 'hapmap52348 rs29024684 87', 'region explaining', 'weighted scores model', 'interpreted carefully', 'inconclusive confirm', 'ank1 test association', 'oc significant qtl', '1387c lepr 1987c', 'total worm burden', 'basis physiological', 'data came', 'anatomy digestive tract', 'compared social behavior', 'praying longevity', 'enhance detection', 'polled female reduced', 'mouse high', 'region odc', 'relationship potential causal', 'characterization chicken', '24 ph1 drip', 'deviation snp related', 'result suggest skip', 'efficient breeding using', 'marbling considered positionally', 'solid coloured', 'region responsible body', 'difference proportion', 'displayed obvious genotype', 'specie companion animal', 'oar6 qtl caused', 'animal extreme anai4', 'affecting cwt', 'model breed study', 'flock recent', 'additive effect 1574a', 'nucleotide qtn bos', 'effect response specific', '313 046 bp', 'regression method identify', 'base continuous', 'management environmental factor', 'increase risk cardiovascular', 'candidate region result', 'measurement representing', '60 scoring record', 'estimated half', 'contributed considerable phenotypic', 'significance heritability', 'sample sample followed', 'neuropeptides receptor body', 'lower muscle adrb3', 'ai qtl initially', 'estimate erhualian pig', 'total number animal', 'identifying qtl parent', 'numerous porcine chromosome', 'expiration shortage hco', 'withstand bonferroni', 'cut identification qtl', 'novel porcine gene', 'tex11 ar', 'significant economic concern', 'strategy avoid', 'force water', 'size superoxide', '12 corresponding kleiber', 'nursing ability', 'position 62', 'locus appears associated', 'quantitative trait domestic', 'gamma linolenic acid', 'negative factor', 'enriched reactome pathway', 'suggesting potential candidate', 'different region oar19', 'generation analysed', 'genome average 13', 'using crispr cas9', 'missing data mixture', 'marker select meat', 'trait pathway associated', 'fat gene', 'shown result support', 'utilized substitute', 'gga4 genome', 'approximately 75 british', 'certain size reduction', 'various novel known', 'trait body weight', 'clarify biological genetic', 'genotyped based genotyping', 'trait breed result', 'chinese sutai pig', 'leptin concentration significant', 'test suggested variation', 'ssc16 hdl', 'present study identify', 'generalized quasi likelihood', 'snp 001', 'dominant imprinting effect', 'linkage combined', 'scanning significantly higher', 'locus potentially', 'daily heat', 'treating colour', 'distributed equine', 'month age analyzed', 'maintained association separate', '12 dna pool', 'approach 95', 'objective study validate', 'substitution effect presented', 'mb flanked marker', 'approach increase', 'lactoglobulin content', 'trout backcrosses', 'sequence regulate expression', '12 20 22', 'biology mttp', 'beadchip genotype imputed', 'weight conformation score', 'anai4 29', 'cross association reported', 'acid improve understanding', 'effect potential causal', 'area measured', 'chol glu', 'contributor genetic', 'affect productive', 'affecting resistance haemonchus', 'examined genotyped horse', 'norwegian swedish coldblooded', 'factor ssc1', 'factor tractable', 'studied region', 'abnormal development', '600k snp genotyping', 'adaptive evolution provide', 'demonstrates genetic marker', 'gene meishan', 'cis natural antisense', 'ttn predominant imprinting', 'galgal6 highly significant', 'behaviour trait cattle', 'included following', 'study association analysis', 'control strategy highlighted', 'broiler breed high', 'chromosome identified early', 'snp 6723g', 'associated ch4 production', 'led discover novel', 'population genotyped 129', 'different candidate gene', '18 knowledge', 'defined combination genetic', 'previous analysis genome', 'small acidic', 'unique qtl pair', 'welfare economics', 'effect significant additive', 'association multi', 'ma beef', 'investigate effect mutation', 'allele adg', 'color important consumer', 'genetic nongenetic', 'sequence protein', 'loin ssc4 ssc6', 'gastrointestinal parasite strong', 'allele associated susceptibility', 'marker omyfgt19tuf', 'cyclic monophosphate dependent', 'developed 95 ci', 'abca12 flrt2 lhx4', 'role subcellular lipid', 'cross analysis', 'detection applying', 'following false positive', 'approach bvs total', 'region ugdh pooled', 'fitted animal sire', 'set qtl breast', 'thickness mutation', 'ghr polymorphic', 'pig duroc', 'trans retinal', 'birth haplotype', 'naturally tender juicy', 'region bta', 'approach improving', 'complement activity alternative', 'variation 12', 'following fo like', 'isg20 det1', 'low level vitamin', 'qtls israeli holstein', 'la 40 dj', 'meat production health', 'age slaughtered carcass', 'swine chromosome 14', 'genome single', 'locus qtls', 'contributed difference', 'obtain comprehensive', 'population using 390', 'cattle limit efficiency', 'c34t lead substitution', 'leghorn strain', 'milk performance bovine', 'nominally associated adg', 'weakness issue great', 'gwas lean', 'time varying', 'like receptor', 'candidate gene approach', 'high genetic merit', 'melim tumor open', 'significance level family', 'tenderness population', 'described nonsynonymous leptin', 'exceptional prolificacy', 'pig screened coding', 'used study independent', '22 28', 'af distinct', 'clinical mastitis detected', 'snp snp exon', 'breed snp64_g allele', '1382c revealed additive', 'set 132 marker', '28 protein coding', 'respectively proving', 'skatole produced', 'wide 01 qtls', 'population subjected', 'roast sample chromosome', 'important marker molecular', 'ld exists', 'noninfectious claw lesion', 'qtl laboratory', 'vrindavani tharparkar', 'day me1 genotype', 'interval making identification', 'chromosome segment', 'etec f4ac 718', 'used test association', 'located block providing', 'revealed brahman', 'israeli holstein', 'simultaneously random', 'hpaii cast rsai', '10r transforming', 'adding 10', 'mb bta27 25', 'qtl dominance', 'candidate gene tnb', 'approach test linkage', '89 relative wildtype', 'cross broiler sire', 'genotype atp1a1 gene', 'values seven', '874g genotyping service', 'list snp associated', 'region plasma membrane', 'standard chi squared', 'including autosome', 'clustering estimated', 'nucleotide polymorphism present', 'study showed distinct', 'placental rell1 cd96', 'gene ecf18r ryanodin', 'record represented', 'breed animal enhanced', 'acsl1 ier5l', 'expected individual', 'peck delivered apd', 'milk production analysis', 'association qtl affecting', 'size observed rs43101491', 'slc11a1 region nramp1', 'sire addition polygenic', 'density single', 'probably polymorphism', 'total lactoglobulin content', 'immediately upstream', 'depth week', 'component fertility', '039204 hapmap26001 btc', 'effect muscle fiber', 'member hepatocyte nuclear', 'demonstrated gm ssc3', 'lamb pedigree', 'gwas aim identify', 'efficiency use marker', 'genomic model', 'reliable detection linked', 'mb containing vrtn', 'wisconsin resource', 'chip multilocus', 'data prrs', 'hindleg length body', 'rs110469441 utr tnp1', 'window explained', '64800 snp', 'location validation previous', 'qtl growth meatiness', 'density confirmed generation', 'trait including milk', 'level progesterone', '18 overlap confidence', 'mapping gridqtl', 'ph15 dl', 'qtl ssc4 fattening', 'suggest muc4 play', 'trait lamb genotyped', 'assessed sheep population', 'overall result consistent', 'muscle longissimus dorsi', 'water aquaculture', 'genotype higher withers', 'detected snp milk', 'inducible promoter', 'bta 18 adjusted', 'located region candidate', 'autosome ssc', 'pcgs located haplotype', 'analysis principal', 'drd1 1013c', 'coding upstream sequence', 'deposition negative', 'affected genetic variation', 'factor linked', 'infer based', 'litter size multiple', 'igf1r gene polymorphism', 'metabolism tenderness', 'breed result study', 'genetic background behaviour', 'population fish survived', 'thirty snp accounted', 'trait qinchuan cattle', 'capability domestic animal', 'fitted using', '376 amino', 'bta bta5', 'fat protein respectively', 'associated effect ists', 'economically le important', 'stillp ssc6 ssc11', 'weight marker', 'sector selection', 'week qtl mapping', '23 measurement taken', 'dupi population snp', 'newly weaned piglet', 'dominance genetic', 'family identified french', '43 498', 'parasite initially 22', 'revealed variation', 'fertility phenotype', 'chicken sire known', 'hairy locus dairy', 'refine list pcgs', 'genotype modified pattern', '177 single nucleotide', 'wild progenitor', 'unknown investigated', 'linkage map backcross', 'lipid metabolism result', 'enabled characterization additional', 'snp snp5 associated', 'despite considerable', 'type length', 'muscle growth', 'reliability taken', 'conclusion qtl region', 'charolais cross cattle', 'synthesis skeletal', 'parameter lean', 'compared low prolificacy', 'family segregated clearly', 'gene regarded important', 'cause poor', 'compared homozygote allele', 'fat metabolism qtl', 'genome wide epistasis', 'precision compared breed', 'study ass gene', 'alpha ppargc1a located', 'pork production ovulation', 'pig level expression', 'tissue qtl growth', 'cross iranian', 'polymorphism occurring', 'effect qtl fitness', 'trait strongest snp', 'casein gene bta6', 'additional 25 suggestive', 'location fat', 'fasted fed', '622c carrier', 'likely located downstream', 'establish genome wide', 'finally analysis association', 'genomic approach', 'qtl affect fat', 'qinchuan cattle detected', 'adg bos indicus', 'chromosome ssc1 10', 'analysis porcine dlk1', 'cross population novel', 'negative parity trend', '16 body', 'multi sample', 'approximately equal genome', 'locus candidate gene', 'pivotal enzyme', 'marker suggestive effect', 'equine chromosome 15', 'reflect large', 'area precise genomic', 'consisting snp located', 'heritabilities cu', 'included angiogenesis inflammation', 'region utr tnp1', 'marker detect static', 'coincided position beta', 'analyzed nanyang breed', 'qtl explored using', 'different compare', 'qtl ovulation', 'length growth 12', 'marker analysis account', 'shoulder expressed', '188 single', 'paep dgat1 dozen', 'vrtn syndig1l', 'resulted increased', 'encodes protein', 'allele combination classified', 'linked finding', 'mh tetanus', 'region oar2 previously', 'mortality paternal non', 'fat colour related', 'deposition animal', 'nucb2 gene growth', 'function anatomical', '30 ram manych', 'pivotal enzyme regulating', 'sheep trait', 'pig generation hybrid', 'high risk genetic', 'calf birth weight', 'trait future marker', 'carcass weight qtl', 'androstenone biosynthesis significant', 'score sc trait', 'cm 10 fat', 'non carriers 49', '37 42 mb', 'acid c16', 'associated ibk susceptibility', 'horse genotyping', 'exon tnf gene', 'weight specific age', 'constrained tensor decomposition', 'crossing shamo male', 'lymphoma spread worldwide', 'underlying biochemical pathway', 'allele direction', '24 week age', 'cdna region variant', 'development partly', 'hereditary disease', 'lta gram positive', 'significantly associated 52', 'comparative genome', 'data recording', 'additive genetic component', 'protein adipocyte gene', 'dairy california classified', 'sire deregressed', 'trait lm area', 'nonsynonymous polymorphism non', 'structure strong support', 'population total 183', 'quarter sheep', 'total 276', 'age evidence discrete', 'wise threshold', 'increased respiratory', 'meat colour pi', '191 microsatellites generated', 'extremely good candidate', 'affymetrix snp chip', 'different qtl ph', 'increasingly studied', '13 additive genetic', 'firmness computer image', 'data analyzed family', 'animal recorded production', 'expressed abomasal lymph', 'qtl respectively genome', 'cm explaining 23', 'attenuated prrsv strain', 'promoter response', 'texan2 sire', 'sib pairs', 'number pig weaned', '20 total 21', 'footrot linkage', 'terminal sired', 'regulation temperament study', 'fat bone trait', 'single bivariate', 'framework linkage', 'fmo1 fmo3', 'susceptibility need study', 'analysis mc4r lep', 'ldha copb1', 'scan approximately', 'data genotype', 'pig varies associated', 'report provide', 'expected number genotype', 'sib family significant', 'determinant lipopolysaccharide lp', 'arhgap6 nr3c1', 'colour related trait', 'fat tail formation', 'prkag2 rumen', 'neurodegenerative disease', 'physiology classical', 'horse analysis', 'width 33 subcutaneous', 'mutation gene playing', '236 959 46', 'induces steroid', '413 293 130', 'selection resistance selective', 'previously mapped chromosome', 'csrp1 wnt7b', 'trait total 35', 'result demonstrated genomic', 'inherited broiler protective', 'mutation time', 'repression retroviral', 'performed genome scanning', 'performance carcass composition', 'model parameter weekly', '10 cm', 'determined peipho approach', 'yield shoulder expressed', 'associated 105', 'production trait ovine', 'egg body weight', 'mutation varies breed', 'concern low', 'genetic variation influencing', '1000 bull genome', 'health welfare beef', 'responsible marbling', 'heavier 05 birth', 'set af allowed', 'underline importance variation', 'weight semi', 'austria germany italy', 'trait 10 week', 'response earlobe color', 'gene zbtb38', 'infected suis', '15 physical chemical', 'optimal uterine', 't824c c896t c34t', 'pig autosome', 'standard pcr', 'suggestive significance', 'trout greater potential', 'mutation located conserved', 'dissected genotyping', 'trait phenotypic', 'revealed ghr', 'associated pneumonic lesion', 'excluded causative mutation', 'region candidate', 'gene high ovulation', 'heterozygote frequency major', 'fat 08', '21 significant suggestive', 'kept artificial insemination', 'analysis showed 599g', 'exchanged coded standardised', 'aggression defined', 'qtl mapping red', 'abcg2 opn', 'respectively spatial', 'snp fertility', '03 fifth', 'dq489319 gene effect', 'pcr rflp dgat1', 'societal benefit existence', 'network aiming explain', 'spermatogenesis male fertility', 'pertained btb indicator', 'white alpine sheep', 'snp allele frequency', 'receptor protein kinase', 'population university wisconsin', 'growth shape', 'gland brief stress', 'iteratively applying single', 'population consists 212', 'le linkage disequilibrium', 'receptor d4', 'animal individual', 'marker assisted selective', 'contains aldo', 'locus underlying behavior', 'p1 aa showed', 'linkage confirmed', 'critical factor dramatic', 'number domestic sheep', 'tag snp genotyped', '22 carcass trait', 'receptor trait', 'response time', 'merino flock', 'analysis processed', 'fetlock ocd hock', 'applied molecular breeding', 'characterization genetic variability', 'feathering gene', 'bms2508 family', 'snp region located', 'based cow', 'conducted melanoma related', 'highly relevant', '20 surprisingly significant', '200 unrelated pig', 'cmp trait included', 'locus large unknown', 'normal protein function', 'se vaccine', 'addition existence non', 'method performed', 'divergent phenotype', 'strain moderately', 'variation lead vitamin', 'jersey cattle', 'milk yield notably', 'head suggestive linkage', 'igg level determined', 'contributing effect calving', 'melanoma gwas', 'locus qtl role', 'measured 1029 individual', 'previously demonstrated', '05 allele eaat2', 'selection ovulation', 'objective study test', 'repression retroviral replication', 'trait linear model', 'analysis displayed region', 'chicken line selected', 'locus contributes', 'case control distribution', 'palmitoleic eicosadienoic', 'mortality constitute', '725 inferred', 'fec attributed host', 'gene revealed haplotype', 'plasma cis trans', '423 individual', 'scrofa chromosome gain', 'trait number', 'population jb1 560', 'mb bta27', 'fp association', 'snp feed efficiency', 'population purebred', 'function potentially', 'peripheral blood swine', 'substitution recently', 'quality egg production', 'genomic segment', 'locus 91c', 'comprising csn1s1', 'body weight 550', 'snp left analysis', 'initiate effort identification', 'explained 37', 'carcinoma boscc eye', 'influence trait variation', 'procedure sa version', 'beef aim', 'age 0056', '19 20 selected', 'pcr analysis demonstrated', 'interval region', 'qtl population different', 'prl kappa casein', '410 gilt', 'sample 416', 'calpastatin locus objective', 'stallion fkbp6 associated', 'toxicosis polymorphism', 'dairy cattle developed', 'associated tibia length', 'mufa highly heritable', 'porcine chromosome genotyped', 'cow aa', 'controlled pleiotropic gene', 'milk milk production', 'categorical analysis tolerance', 'marker set comprised', 'new analysis', 'region tgfbr1', 'gated channel', 'large extent', 'model mbv compound', 'infanticide second farrowing', 'sequence producing', 'result sc support', 'end 1990s', 'fimbria adhere small', 'gga14 respectively', 'activity based different', 'variant associated indicator', 'gga2 76', 'lw 119', 'desired egg', 'imf affecting detection', 'sift polyphen software', 'conformation carcass', 'calving suggesting strong', 'detection seek gene', 'variant explain variation', 'function location near', 'paternal genotype', 'sorf2 interacting', 'death inducing dff45', 'nursing ability sow', 'estimate remaining', 'fads2 srebf1 polymorphism', 'grandparent 183', 'region related development', 'brown pigmentation', 'database confirm result', 'annotated near reported', '23e 12 polymorphism', 'breed male', 'platform allows genome', 'polymorphic functional expression', 'adoption precision technology', 'btb susceptibility 84', '0815 2283 2065', 'segregating intermediate', 'adult specific', 'associated withers height', 'bacterial viral infection', 'age slaughter', 'cd8 ratio cd4', 'ld decreased', 'qtl analysis multibreed', 'recorded backfat', 'concentration goal estimate', 'selected 32', 'maternal half', 'genotype cc cd', 'repeatability 071', 'common breed conclusion', 'ppn0 945', 'interbreed difference milk', 'pcr rflps bovine', 'insulin prolactin signaling', '10 12 locus', '01 17 05', 'corrected estimated breeding', 'nucleotide polymorphism 1111g', 'exon 17 atp1a1', 'offspring inoculated', 'qtl igg blocking', 'size sequence', 'intron allele 251', 'assisted selection nguni', 'myosin changed', 'direct detection segregating', 'dependent increase', 'traditional free range', 'body weight weeks', 'type allele associated', 'result confirmed additional', 'lead skeletal deformation', 'size flanking significant', 'finding brings', 'second group trait', 'ratio dmi', 'new knowledge', 'indicated differing', 'substitution leu', 'affect cortisol', 'fowl typhoid sg', 'rf identified', '116 lm 882', 'detected greater number', '83 haplotype remaining', 'related trait measured', 'discriminated tail phenotypic', 'analyse effect', 'factor hsf1', 'jiaxian cattle', 'erhualian pmsg hcg', 'scrapie susceptible counterpart', '34 common', 'fecx shown decrease', 'guanylate binding', 'region utr', 'trait significant chromosome', 'generated single family', 'rich repeat', 'like effector', 'retn cfd', 'contribution 63', 'trait notably polymorphism', 'model association emmax', 'dst plekha5', 'location tnb nba', 'marbling detected', 'revealed functional term', 'compared ayrshire jersey', 'sire statistical analysis', 'effect dlk1', 'identified roh island', '13 86 genetic', 'anterior number teat', 'wgblup improve', 'approach identify gene', 'snp smma known', 'identified including coding', 'hereford allele family', 'ex1 ex11 represent', 'equation estimate weight', '32 03', 'carriers 49 study', 'notable contribution', 'snp rs414302710 locus', 'university wisconsin', 'dsn population marker', 'sd detectable', 'evidenced strong', 'quality maintenance carcass', 'identified population validated', 'scale qtl mapping', 'cross square', 'explained qtls detected', 'paternal qtl', 'statistical result showed', '45080228c 45080335c', 'content 100', 'reduced effect snp', 'trait corresponding development', 'chromosome explain combination', 'commercial population direct', 'detected family detected', 'polymorphism array association', 'gene development', '64a causative mutation', 'major determinant', 'study included calpastatin', 'present work new', 'ipn ipn respectively', 'length shortens', 'acid ratio', 'cg 600 ag', 'equilibrium genomic', 'animal model marker', 'physiological role', 'detected qtls chromosome', 'measured selected commercial', 'thickness lm', 'trait proventriculus weight', 'generation correlation 80', 'influencing ph blood', 'number daughter production', 'stat1 chosen involvement', 'teat matched', 'direct maternal perinatal', '40833 snp selected', 'detected experimental', 'characterised haplotype', 'implementation selection program', 'year university wisconsin', 'epistatic pair significant', 'identified respectively qtl', 'failed identify causative', 'imf porcine', 'pork property', 'traditional method detecting', 'line qtl used', 'laborious task', 'notably polymorphism', 'length bl 29', 'temperament flock', 'flanking region significant', 'model lmm', 'ph1 ph24', 'function valued trait', 'performance observed', 'gene directly responsible', 'encoding transcription factor', 'gene relevant', 'tenderness associated', 'inra population', 'tew percentage total', 'loki 673 detected', 'subunit beta', 'generation berkshire', 'various study', 'ph metabolism slaughter', 'genetic information 44', 'comprising 240 chicken', 'gene largest effect', 'qtl lfec', 'refine mapped', 'thought important', 'heritability trait viral', 'index interleukin il', 'observed 10718g', 'fat deposition white', 'pig 253', 'trotter using 670', 'genetic selection', 'progeny wagyu limousin', 'qtl ssc2 achieved', 'derived existing marker', 'lower similar study', 'birthing process fetal', 'model pedigree information', 'trait parity breed', 'breeding plan possible', 'opposite end chromosome', 'polymorphism analysed single', '05 different', 'association test snp', 'association coincide previously', 'csn1s1 main', 'cell subpopulation result', 'rfi rfi2 value', 'dna animal pedigree', 'elongase located', 'model band paternal', 'superovulation snp 278a', 'maternal effect stillbirth', 'region high marker', 'biological evidence qtl', 'strabismus exophthalmus bcse', 'qtls novel', 'genotype cd', 'cc ct', 'total phenotypic variance', 'magnitude 11 suggesting', 'cross produced line', 'pb 135', 'flock 1029 sheep', 'reason ranging', '305 animal', 'fertility study', 'confirmed mln candidate', 'layer line differing', 'family reared', 'nln empirical 026', 'trait udder', 'gene suggested', 'beef cattle efficient', 'blanche du massif', 'association test total', 'independently bft considered', 'index estimated', 'bone strength cross', 'male female lamb', 'transcript bovine hgd', 'selection proposed', 'regulated gga5', 'indicator mastitis revealed', 'af phenotype identifying', 'domesticated white', 'interaction study proposed', 'performing multidimensional', 'breed chromosome', 'detected week age', 'significant chromosome wide', 'region 42', 'sd aid identification', '75 hd 465', 'number qtl detected', 'using bayesian shrinkage', 'offer clear', 'test snp haplotype', 'target mutation discovery', '412 061 bp', 'breed characteristic', 'contrast bta mir', 'breeding measured female', 'potentially identify', 'enzyme responsible', 'hind limb', 'calf kosher scoring', 'including human dog', 'cutoff value 01', '274 individual commercial', 'outer subcutaneous', 'sal1 region', 'carcass component', '74 btb infected', 'adult hindleg length', 'association marker indicates', '1222 holstein', 'lp reflects cow', 'order relate association', 'victim grew faster', 'cm interval', 'dominantly represented', 'vaccinated modified live', 'est expression', 'map average', 'success current', 'data method study', 'point phenotype proposed', 'challenge qtl associated', 'reduce effect', 'gene affecting imf', 'phenotypic variance explained', 'selected high incidence', '21 cm', 'pattern heterochromia', 'qtl region harbor', 'stage stage 65', 'autosome overlapping previous', 'fat deposition carcass', 'cow genome wide', 'estimate regional', 'open field novel', 'myostatin gdf8 gene', 'especially regarding', 'glo cmlm 21', 'infected pig representing', 'qtl cdna characterized', 'model thirds qtl', 'additional marker', 'gene fatty acid', 'stallion mare filtered', 'genotype probability genotyped', 'model perform', 'majority bird', 'ma program', 'seek qtl exploiting', 'genetic effect candidate', 'reproductive trait pig', 'mc1r color trait', 'genetic variance located', 'potential snp', '793g 832g', 'aim research', 'moderate heritability candidate', 'qtls affecting rear', '200 sire', 'snp identified displayed', 'different region chromosome', 'common situation', 'loop mirna', 'significant 001 level', 'total 45 snp', '10 27 28', 'phi additional snp', 'population general low', 'target study', 'vertebra successfully genotyped', '1692 8774', 'line indicating potential', 'identified close marker', 'gg genotype daily', '53 644 predictor', 'included average daily', 'population qtl number', 'susceptibility cohort cattle', 'rs41748405 bta15', 'associated trait result', 'identified genetic', 'loop mirna precursor', 'concentration explained 45', 'strategy create data', 'wov ssc13', 'efficacy ifn gamma', 'genotype mir206', 'accretion ssc8 closely', 'mineral predicted', 'peak milk', 'boar significantly associated', 'furthermore significance threshold', 'acid composition melting', '87 cm chromosomal', 'trait result using', 'scan 221 marker', 'significantly associated rlf', 'landrace german', 'cattle population belong', 'experimental design cattle', 'interval chromosome 10', 'effect combined', 'mutation control', 'derived non synonymous', 'distributed ssc8', 'trait quantitative trait', 'radiological alteration', 'association study pig', 'study aiming', 'chromosome 14 contains', 'strongly higher bw70', 'multivariate analysis combining', 'test seven', 'dependent external', '10 resource', 'dehydrogenase copb1 coatomer', 'insemination boar commercial', 'shearing analysis conducted', 'rayed twice', 'qtl number', '48476925c bp indel', 'finding allow', 'set twinning', 'texel sheep 1844', 'cluster genetic factor', '65 sd entire', 'dependent quantitative', 'interval mapping performed', 'trait nanyang cattle', 'detected bos', 'protein play important', '60 61 mb', 'haplotype predictive general', 'hebraeum perineum', 'selected respect comb', 'order magnitude lower', 'trait fresh', 'indicated ctsd useful', '759 estrus', 'main conclusion', 'screened number insemination', 'female parental', 'needed application marker', 'substantial economic loss', 'significant non', 'close akt1', 'gdf9 gene present', 'gene pig finding', 'quality complex', '14 seven qtl', 'present work constructed', 'furthermore german', 'region specific', 'included 11 newly', 'showed feasibility', 'stepwise conditional', 'lactation stage trait', 'remained final', 'region 130 132', 'technique using single', 'value spectrum', 'conclusion initial result', 'caused multiple', 'ongoing cow', 'current prrs vaccine', 'encompassing snp', 'detect quantitative trait', 'association observed hanwoo', 'characteristic possible involvement', 'pleiotropic association different', 'genetic variant untranslated', 'large study able', 'performed study resequencing', 'showing largest effect', 'numerous mutation affecting', 'snp50 beadchip animal', 'conception rate', 'carcass trait qinchuan', 'remained analysis single', 'analysis fabp level', 'cgmp pathway cnvrs', 'brown chicken line', 'undertaken using 19', 'significant effect bw70', 'achieved single step', 'population high imf', 'testing training', 'primer eighteen', 'region chromosome milk', 'performance trait somatic', 'culture family', 'goal molecular ecology', 'influencing early', 'environmental interaction trait', 'additive result', 'chromosome putative', 'ssc7 rs81477883 ssc12', 'position detected stepwise', 'pursue fine mapping', 'genetic control limited', 'muscle hour ph1', 'nucleotide qtn named', 'udder score canadian', 'holstein cow 866', 'peak gga24 investigated', 'indicus beef', 'microsatellites analysis bta', 'limitation gwas assumption', 'repeat domain family', 'aggressive response regrouping', 'suggested distinct', 'genetic characteristic indigenous', '100 cm', 'snp partly located', 'snp nominal', '373 042 son', 'acid composition located', 'aim study investigate', 'experiment detect quantitative', 'bta26 bta17', 'snp31 intron camkmt', 'intake rfi mixed', 'trait connectedness', 'position 29 autosomal', 'substituting invasive', 'mass number', 'trait multiple snp', 'trait qtl peak', '90 healthy control', 'conclusion proportion', 'gametic relationship', 'g38819398a snp cacna2d1', 'previously detected', 'skeletal mineral', 'analysis qtl mapping', 'ecotypes conducted', 'correlation polymorphism regulatory', 'new zealand australia', 'objective pituitary', 'breed used marker', 'fat percentage average', 'increased leanness', 'laying intensity weight', 'hem 05', 'genome scan pair', 'association marker ebvp', 'design unlike previous', 'muscle mass ham', 'gene underlie qtl', 'despite fy', 'method followed regression', 'demonstrate gene', 'estimating disease', 'ranged 18', 'detected fcr dmi', '56 mbp gene', 'weight lw phenotypic', 'signal mirnas mirna', '36 snp high', 'obesity related gene', 'approach investigates', 'map containing', 'identified based genbank', '19 max 15', 'occurrence progression', 'indicating codominant', 'k99 f41', 'bw genotype', 'development stage qpcr', 'muscle cell occurs', 'number economically significant', 'information genomic region', 'qtl region economically', 'bovine chromosome evidence', 'associated foot', 'family pooled separately', 'detected bovine major', 'italian holstein granddaughter', 'stringent criterion', 'count conclusion', 'androstenone candidate eqtls', 'cattle phenotypic', 'performance weak', 'proximal flanking', 'marker hmga2 genotyped', 'beneficial effect', 'purebred sire', 'analysed separately', 'likelihood program developed', 'growth trait upper', 'rao affected control', 'population asian', 'used improve', 'aforementioned trait association', 'mlc conformation fat', 'characterized dispersed', 'scan carcass', 'significant snp indicated', 'related qtl region', 'provide accurate', 'subunit gene resulted', 'accounted snp bovinesnp50', 'responsibility immunity difference', 'content using', 'divergent selection', 'scale qtl', 'dissection molecular', 'association superovulation', 'chemotaxin lect2', 'gwas identified major', 'large fraction 81', 'evidence differential', 'proliferation 05', 'study verifies', 'clay center', 'prevalence btb infection', 'syndrome connected', 'horse 17', '77 environmental correlation', 'scheme new', 'qtl detected luh', '456 animal', 'tissue genetic variation', 'representing important', 'corticotropin releasing hormone', 'bta23 snp', 'approximately fold', 'fat content 11', 'qtl lead', 'objective explorative', 'adjusted heteroscedasticity cpsa', 'qtl marbling bta4', 'affected cattle decrease', 'result power loss', 'holstein jersey breed', 'slaughtered wk age', 'smai introduced', 'able confirm', 'mature mirna ca', 'thrombospondin thbs1 r2', 'study muscle characteristic', '50 43 51', 'associated snp 10', 'factor carried mixed', 'carried subsample', 'identified 79', 'express software result', 'thbs2 shh', 'animal total', 'prdm16 allele varied', 'individual technological trait', 'gsk 3α', 'snp blasted mu', 'b1 b2 conclusion', 'breeding tool', 'identification ultimately implementation', 'phenotype following', 'disequilibrium ssc4 region', 'control distribution haplotype', 'used f2 chicken', 'overlapping utrs allows', '12 13 16', 'multiple mutation qtl', 'protein coupled receptor', 'represented training set', 'compared control line', 'ph lightness measured', '12 phenotypic variation', 'associated aggressive', 'pig sample missense', 'analysis reduced power', 'snp ref', '3070 significant effect', 'animal known', 'breed representing', 'id gene near', 'existence population shared', 'polymorphism 2412 586', 'kosher phenotyping', 'mb region bovine', 'prolificacy qtl described', '711 001 haeiii', 'furthermore 12', 'affinity ca', 'backfat according linear', '100 specialized tropical', 'dominance important source', 'defect mass', 'genotype higher marbling', 'sire cow trait', 'beginning 56 mbp', 'compared dj pd', 'available analysis data', 'fabp4 mapped region', 'mechanism associated aggressive', 'region allergen', 'additive effect tibiotarsal', 'major impact sheep', 'simmental genotype birth', 'affecting weight measured', 'pork product', 'polymorphism 61', 'rs1143515669 rs1144647991 associated', 'search shared', 'disease associated', 'essential enzyme lipid', 'contribution improving', 'result suggested snp', 'significantly different liver', 'bovine 54k single', 'measure porcine meat', 'breed basis', 'remained large', 'trait human', 'iap gene', 'c14 c18 1n9c', '14 qtl', 'library yeast', 'colour le favourable', 'approach taken study', 'time series', 'quality nutritional value', 'qtl region chicken', 'important identify polymorphism', 'reported genetic', 'qtl achieved', 'cross igf2 intron3', 'decrease elongation activity', 'cnv event 1217', 'notably significant', 'tissue metabolic', 'recent completion swine', 'count lr', 'database human mouse', 'gain pwg cumulative', 'imprinting effect ttn', 'performed 211', '11 13 allele', '23 day', 'expression data used', 'trait result provide', 'sf1 sf5', 'sm ubl5', 'tt dominant genotype', 'observed nr2f2', 'included 30', 'using 194 marker', 'region human', 'fm209043 allele', 'recorded f2', 'growth rate predisposition', 'lod chr qtl', 'gene involved chitinase', 'expanded finnish', 'post translational modification', 'agree previous result', 'position order analyzed', 'based test mendelian', 'contribution trait allow', 'gene netrin', 'animal model using', 'environmental factor affect', 'variable total', 'carcass analysed studied', 'py protein', 'mutation associated highly', 'located 88', 'genetic control majority', 'qtls cross', 'combination significant', 'protease serine trypsin', 'sib population maternal', 'consistent study', 'neuronal tyrosine', 'pregnancy ep using', 'various chromosome', 'pathway associated rfi', 'antibody na create', 'defect identifying gene', 'expression affected', 'functional study suggest', 'new promising candidate', 'superior animal quickly', 'analyse association', 'family analysis carried', 'approach conducted single', 'process examine association', 'respectively genotypic', 'showed 9657c 10718g', 'superior haplotype hypothetical', 'reproduction production', 'decreased threshold 10', 'confirmation experiment', 'porcine qtl region', 'bw bw', 'ssc1 12 showed', 'pig chromosome approximately', 'regression fitted using', 'likely polygenic result', 'suggesting independent', 'associated increase tno', 'reached 14', 'result muscle mineral', 'hapmap26001 btc 038813', 'gilt trait', 'parameter difficult', 'variance function considerably', 'linked bovine respiratory', '41 weight gain', 'mould spore aspergillus', 'location selecting genotyping', 'beadchip analysis commonly', 'genome scan including', 'industry maintain production', 'aid breeding', 'animal production examined', 'large israeli holstein', 'population using high', 'aim work fine', 'mapping gwas', 'industry study customized', '116 polymorphism', 'ssc17 c16', 'potentially applied molecular', 'qtl bta9 primarily', 'trait candidate gene', 'rt respiration rate', 'group 16', 'rs109663724 significantly associated', 'genotype progeny testing', 'number luster', '928g promising', 'conclusion en', 'eye height', 'fiber type i_ra', 'calf herd dam', 'include 1599', 'tail bta11', 'pcr rflp commercial', 'spanning mb', 'information 24', '4280 progeny tested', 'locus locus affecting', 'increasing brahman', 'presence absence oc', 'soon weaning using', 'demonstrated aa differed', 'association polymorphism carcass', 'animal fleckvieh', 'qtl allele disease', 'snp affecting milk', 'snp effect rf', 'using genotyped heifer', 'muscle measured', '01 parity 03', 'lep 1387c lep', 'adipose tissue genetic', 'sheep genome ovis', 'associated imf', 'basis different behaviour', 'pair high', 'strength revealed', 'obtained disease testing', 'fertility trait bovine', 'flavour chicken', 'trait qdg', 'cmp composition method', 'alternatively spliced', 'time qtl fcr', 'performance test beginning', 'dyd somatic cell', 'block used', 'mcd contributing effective', 'required conception fourth', 'tv mrna expressed', 'body carcass', '1983 hypothesize 1111a', '820 snp', 'udder body', 'derived breed additive', 'known large effect', 'powerful framework', 'khorasan studied association', 'increase vartnb conclusion', 'tibia individual good', 'confirm refine position', 'evaluated trait', 'detected illinois meat', 'drop test', 'located nucleotide 001', 'region associated backfat', 'feed intake adfi', 'pig showing consistent', 'associated positive', 'sire caspase gene', 'mediated btb', 'initial test', 'evidence fetal', 'lm subcutaneous visceral', 'impact stillbirth dystocia', 'marker trace', 'share stress', 'ghsr rs16675844', 'cathepsin ctsk selected', 'growth trait sahiwal', 'limiting rate heme', '13 identified', 'focused reproductive seasonality', 'map susceptibility', 'region effect milk', 'highlight variant', 'ccaat enhancer', '0001 0125', 'measurement novel effect', 'pig knowledge', 'variant associated', 'confirmed qtl', 'mutation combined', 'fragment analysis', 'trait able', 'data set sub', 'f2 pig 273', 'phenotype suggestive association', 'strength analysing connected', 'su included snp', 'ubl5 imf retn', 'region soay', 'bird genotyped 167', 'amplicon promoter region', 'fetus collected', 'ram obtained', 'significant association', 'g162c c179g g186t', 'economic trait showed', 'cattle bos', 'gene promoter', '43 68', 'combination population chromosome', 'equilibrium possible', 'useful information used', 'behavioral trait primary', 'production water holding', 'effect snp calculated', 'mb genome', 'tco2 na ionized', 'variability identified quantitative', 'respectively study', 'performed jinghai yellow', 'centromeric portion', 'exhibited known', 'furnishing trait', 'cow ability maintain', 'leu differential', 'greater phenotypic', 'disease occurs', 'functional positional', 'genotyped 60 million', 'milk like human', '77 environmental', 'mc4r meat', 'quality pig obesity', 'adult skin chinese', 'lentiviral infection specifically', 'gwas fst xp', 'mapping radiation', 'milk component aim', 'different complementary approach', 'chromosome associated birth', 'probability genotyped', 'gelbvieh cattle using', 'belgian draught', 'constant especially highly', '006 upregulated increasing', 'herd tested', 'region considered candidate', 'reproduction gradually declined', '16963 27514 swr1637', 'qtls genome sequence', 'cdna amplified', 'length dna porcine', 'male derived', 'qtl interval average', 'locus used marker', 'emmax significant', 'holstein cow haplotype', 'cm genotyped chromosome', 'percentage snp', 'early time', 'herd brazilian', 'potentially favorable pleiotropic', 'study identify evaluate', 'giving additional insight', 'based significance encode', 'illumina 60k snp', 'libitum second', 'grade firmness', 'immunocrit value remained', 'gene study suggests', 'revealed difference', 'novel marker', '18377t 19873t mutation', '1054t 1122c', 'position complement', 'estimate regional variance', 'trait danish swedish', 'previously identified age', 'medius skeletal', '37 mb microsatellites', 'ocd confirmation putative', 'scan layer second', 'yellowness ssc15', 'sire subsequently', 'igf1r acsl3', '13 growth carcass', 'offspring showed 815', 'behaviour test putative', 'porcine whipworm suis', 'marker distributed 29', 'significant effect level', 'located gallus', 'scale using', 'importance help select', 'population required identify', 'phenotype multi trait', 'slc3a2 revealed', 'derived 660k snp', 'analysis gwaa', '39 snp', 'applied mapping', 'body mainly hydroxybutyric', 'genotype aa showed', 'group comprising 192', 'quality suggesting', 'cow frequency', 'pattern observed', 'sc common', 'difference founder population', 'environment additional snp', 'disorder method', 'snp 278a', 'transcript trait', 'polymorphism intron liver', 'correlation 69 102', 'fleckvieh fv', 'rdh16 stat6 involved', 'additive ovulation', 'crossed anka', 'map holstein normande', 'saleable meat proportion', 'bta26 fibroblast', 'undertook detection', 'cross laiwu erhualian', '093 daughter 14', 'cell previous', 'phenotypic trend', 'performed large half', 'synonymous mutation reported', '281 day', 'chromosome 10 17', 'population m1 haplotype', 'nanyang ny blood', 'effect number lumbar', 'nil commercial duroc', 'myostatin gene mstn', 'gene cattle significantly', 'snp myod1', 'chga acaca', '79 533', 'correction adjust multiple', 'postnatal ppara', 'crucial candidate gene', 'mechanism involved successful', 'bos taurus evaluate', 'middle sequence', 'dfiadj result provide', 'dual energy ray', 'reduction variance', 'cd82 bta23 dst', 'dpi wg21 42', 'finding reported', 'gene suggested npffr2', 'serum lipid associated', 'acsm5 promoter', 'disease mdv', 'gain pwg', 'reported linkage gene', 'analysis gwaa performed', 'study cn', '80e 19 snp', 'ndufaf6 tns1 hmga1', 'taurus breed 42', 'qtl coincided', 'genetic variation offer', 'sa proc', 'strategy following', 'vascular endothelial growth', 'replicate evidence previous', '1111g responsible val', 'r2 predict', 'commercial nelore', 'possibly associated', 'association analysis included', 'analysis revealed locus', 'linkage analysis la', 'number porcine chromosome', 'possible accurately map', 'effect mlk', 'pig method f₂', 'recent holstein genome', 'gene involved disease', 'causal variant common', 'contrast growth fatness', 'applied thousand', 'average estrous', 'weight continuous', 'dio3 female fertility', 'lp2 lp3 olp', 'gwas c14 c14', 'renewable population myogenic', '53 82', '01 hardy weinberg', 'resistance internal nematode', 'conventional breeding program', 'test result detect', 'applying stringent', 'associated chromosome', 'consisted record', '80 rap80 nuclear', '10 examine', '1e 03 mutation', 'association multiple testing', 'channel activity', 'hour ph24 commission', 'imf juiciness observed', 'dpi important', 'family method handle', 'ranged 01 dbwavg', 'meat composition', '01 ssc8 01', 'locus genotyped qtl', 'short kb region', 'detected significant', 'trait bovine reproduction', 'respectively significant qtl', 'acceptance herewith', 'conclusion supported lack', 'gene ifn', '05 returned control', 'international genomic', 'meishan large', 'finnish yorkshire new', 'homozygote gg yield', 'informative polymorphism insertion', 'total 76 genome', 'mrna polymorphism segregating', 'analysis confirmed', 'addition study revealed', 'vrtn variant', 'identified tmem154 variant', 'interval mapping single', 'sow described literature', '50 sib family', 'aim study test', '17 aflp marker', 'physiology morphology', 'substitution mutation', 'gamete indicated', 'vrtn potential', 'hybrid pig unfavorable', 'qtl sample collected', 'haplotype carry segregate', 'mb gga2 76', 'gene pwl bal', 'revealed association conductivity', 'phenotype korean', 'variation kyphosis described', 'effect used successfully', 'analysed studied', 'original time dependent', 'chromosome associated oocyst', 'serum cholesterol triglyceride', '12 qtl respectively', 'pb way', '40 13 phenotypic', 'position total 31', 'bta26 second', 'potential use marker', 'previously associated lactogenesis', 'model produced 497', 'day 20 001', 'selection program population', '143 horse', 'flanked marker s0073', 'qtls ranged 06', 's0069 ssc8 influenced', 'quantitative pcr rt', 'population entire resource', 'breed low', 'leucine phenylalanine', '220 genotyped', 'ranged 9966364 10142688', 'necessary identify', 'using 777', 'definition counting', 'estimate breeding', 'gin resistance developmental', 'indicated relevant', 'potential importance', 'reduced expression efficacy', 'parameter hematological trait', 'skin thickness performed', 'pure line elite', 'effect include', 'used joined analysis', 'population conclusion main', 'data different', 'regulation initiation', 'emaciation despite normal', 'majority pleiotropic snp', 'associated fcr', 'interval calving service', 'pathogen early', 'prediction carcass weight', 'afe laying', 'implicated polydactly phenotype', 'wild boar type', 'signal using gene', 'qtls detected region', 'result illumina', 'better capture', 'meat quality nutritional', 'variance estimate non', 'individual daily', 'trait different sheep', 'multiple independent test', 'genetic parameter identifying', 'prolificacy sheep breed', 'identify rs339939442 ahr', 'different genotype large', 'marker bta14 dh', '12 locus', 'qtl segregating commercial', 'tt genotype cow', 'footrot selected', 'milk producing', 'pathway likely involved', 'increase efficiency pig', 'dupi population protein', 'strength additive effect', 'assay interrogate', 'myocardial infarction present', 'domestic animal', 'region associated bone', 'annotation performed', 'ileum jejunum', 'issued hg lg', 'ssc1 54 cm', 'level mature', 'increased loin muscularity', 'gene advantageous selection', 'level milk yield', 'parameter obtained', 'milk cheese making', 'resistance study validated', 'present study identified', 'gene tended', 'genomic data', 'viral load vl', 'explore positional candidate', 'resource population opn', 'percentage snp associated', 'exhibit large difference', 'content correlated', 'reanalysis additional', 'deformation chromosome', 'end performance test', '200 vs 218', '16 30', 'year study biological', 'microsatellites covering cattle', 'imported western', 'growth carcass characteristic', 'identified regional genomic', 'inherited polymorphism', 'showed statistically significant', 'goal poultry', 'individual genotype dd', 'thi class daughter', 'approach estimate association', 'associated hcr validated', 'bp respectively', 'block formed', 'encodes protein 259', 'abortion dystocia reduced', 'chromosome ssc major', 'head mapped', 'finding purebred', 'contrast 24', 'region contribute', 'le significant genetic', 'disequilibrium analysis used', 'data mixture', '599 lamb including', 'small family addition', 'weak association cortisol', 'fasn mutation significant', 'imprinting effect qtl', 'individual screening coding', 'ibh usually', 'abcd2 elovl5 elovl6', '15 20 29', 'length dressing', 'variation aseasonal', 'scd gene', 'study northeast', 'region bovine genome', 'spite economic', 'tend stay', 'friesian cattle primarily', 'enrichment term 0005634', 'sharper phenotype advantageous', 'environment raised scavenging', 'close interesting candidate', 'ph described', 'conservative approach', 'laid foundation', 'correction environmental', 'palmitoleic stearic fatty', 'pietrain missense', 'result infer', 'information refers recombination', 'trafficking kinesin', 'week chicken', 'broiler chicken divergently', 'brahman influence 75', 'gga2 anatomy', 'ssc12 epistatic qtl', 'muscle fatty acid', 'qtl qtl trait', 'tex11 explained', 'cwt bta20', 'general association pattern', 'passing qc', 'identified novel candidate', '73 polyunsaturated', 'lymphet haemocyanin response', 'motility sperm abnormality', 'trait larger additive', 'subgroup 332', 'allele positive', 'generation provide direct', 'ssc4 ssc6 ssc8', 'stallion obvious', 'studied polymorphic locus', 'genotyped 110 126', 'bird current control', 'biological architecture', 'intensity grilled', 'mapping identified 19', 'deposition white adipose', 'area lea identified', 'blood spot meat', 'cow expressed lower', 'affected proportion', 'gene bta26 fibroblast', 'amova genotyped snp', 'eth10 genotype growth', 'line significant npl', 'perform series', 'aspect host', 'ph furthermore snp', 'classical qtl mapping', 'using experimental design', 'western blotting immunohistochemistry', 'animal arr allele', 'set 132', '83 upregulated', 'yorkshire new major', 'pyrosequencing 33', 'qtl investigated', '950 copies', 'uniformity understand genetic', 'factor grouped 11', 'bwt 05', 'marker bms4513', 'beef cattle effect', 'distal kit', 'appropriate test', 'prolificacy variability 93e', 'growth factor gene', 'epl score representing', 'cell count mastitis', 'network growth', 'yield 258', 'detected study located', 'family level', 'composition combining increase', 'opportunity utilize', 'dominant parent origin', '12 locus affecting', 'approach ensembl porcine', 'used normative', 'production body composition', 'marker pork quality', 'locus appears', 'expressed extensively', 'thirty qtlr', 'trait covariates approach', 'low fertility implemented', 'showed haplotype 10', '24 previously', 'single step genomic', 'locus model', '617 detected snp', 'illumina bovinesnp50 beadchip', 'bta22 lactation detected', 'iii 246 treatment', 'aldbsscg0000001928 expression involved', 'abcg2 expression', 'fish family', 'sire dataset', 'fat1 region fabp4', 'fixation coefficient fst', 'finding improve', 'location broad', 'genetic marker expedite', 'detected sequencing sequence', 'lmh lean meat', 'report multibreed multitrait', 'based ssc4', 'pietrain breed', 'exceptionally large floppy', 'snp low minor', 'process sequencing', 'vrnt proposed', 'cm 24', 'ne 11 prolificacy', '8021 1979', 'regulation puberty', 'healing repair', 'adg kleiber', 'case dominance', 'week fi2 rfi2', 'selection model', 'per2 pck1', '05 qpcr', '300 kb region', 'content coding', '245 mb 10', 'infection prrsv european', 'analysis advance', 'brazilian gir', 'gluc afp gga5', 'trait 16 mscc', 'hypothesis segregating locus', 'score respectively charolais', 'demethylase 6b kdm6b', 'variation differs', 'month animal genotype', 'layer cross used', 'partially determined', 'previously shown expressed', 'trait result represent', 'cm covering approximately', 'role assembly', 'affecting reproduction production', 'measure statement', 'regression approach used', 'exon 18', 'backfat canchim population', 'th including', 'analysing f2 crosses', 'initially panel', 'result gwas', 'cow analyzed', 'igf1 gene associated', 'characteristic myofiber diameter', 'statistic significant qtl', 'xenobiotic transporter sequence', 'gwas performed', 'earlier growth period', 'homozygosity roh evaluated', 'location using', 'minority fv animal', 'ability sow number', 'susceptible control', 'fourteen suggestive qtl', 'gland snp', 'genotype gin infected', 'containing ancestry european', 'supplement high resolution', 'extended homozygosity', 'gene associated birth', 'revealed statistically significant', 'duroc boar using', 'il 10ralpha contribute', 'acted independently epistatic', 'reproduction ovine chromosome', 'position 94', 'daily dmi feed', 'dc navicular', 'marker kd103 001', 'pig carried experimental', 'homozygote le', 'evidence qtl 25', 'genomic architecture response', '2007 animal', 'phenotypic measure', 'number genetic', 'qtl individually explained', 'groundwork future', '20 half sib', '33 suggestive', 'significant qtl different', 'wild boar known', 'qtl haplotype constructed', 'concentration rambouillet flock', '10 replication', 'acceptability limit', 'gga5 result hepatic', 'progression severity defect', 'qtl using half', 'gc corrected', 'level fat 001', 'qtdt significant', 'pig knowledge study', 'hm eca 14', 'homozygous fecx carrier', 'propose candidate variant', 'n202 461', 'gene japanese black', 'controlling growth trait', 'evidence variation', 'qtl bone related', 'tract week age', 'gene hydroxytryptamine', 'day 42', 'promise marker', 'snp identified examined', 'site endonuclease me1', 'gene chromosome associated', '012 large white', 'associated fertility', 'data nh', 'percentage near', 'supernumerary nipple', '2614t located', '891 cow', 'respectively significant chromosome', 'bird important', 'mechanism leading mastitis', 'trait qtl', '016 tended', 'rao susceptibility', '46 52', 'animal resulting altered', 'cluster correlated', 'fcr 05 rs13997811', 'highlighted candidate', 'chromosome influenced wg', 'independent chi square', 'diarrhoea neonatal postweaning', 'large f2', 'variant ppard gene', 'bves slc3a2 zdhhc5', 'region 591 kb', 'trait 719 holstein', 'number genome location', 'interval case remarkably', 'ssc1 ssc6 significant', 'seven western chinese', 'marker performed marker', 'explained 05', '10 significant snp', 'associated increased gr', 'expression fetal', 'gushi chicken crossed', '96 10 compressed', 'measured loin significant', 'role central', 'bsp3 cast fut1', 'detected ph sm', 'polymorphism examine', 'high density 600', 'line finding suggested', 'varied health disease', 'tumor ulceration cutaneous', 'fat information growth', 'general comparison', 'bayesian approach beginning', 'breeding scheme aimed', 'value irrespective', 'index component trait', 'development snts dual', 'number marker analysis', 'conducted identify additional', 'length 481', 'g133c g156a', 'increase significance', 'affecting sc additional', 'study effect tm', 'variation denmark fld', 'af traced', 'close approximation previously', 'using gene centric', 'maml3 setd7 positional', 'body insufficiently oxygenated', 'site utr', 'brown swiss', 'healthy cow training', 'marker lead', 'return rate', 'indicator sexual', 'used milk ph', 'respectively uncovered', 'animal weighed', 'calculation approximate', 'correspond qtl', 'bta11 bta28 associated', 'population m1', 'thorax waist 05', 'probability 013', 'size determines trophy', 'breed strongly selected', 'furthermore 12 qtl', 'affect clinical', 'indel showed', 'identified sample hanoverian', 'beadchip swine', 'locus qtl controlling', 'porcinesnp60 beadchip enabled', 'small proportion genetic', 'alpha gene gnas', '35 marker', 'fraction ratio fatty', 'component detect pleiotropy', 'final protein protein', 'animal present', 'avoid physiological', 'qtl body wfe', 'ugdh pooled dna', 'alpha cebpa gene', '05 0001', 'genotyped total 39', 'lyz kera ssc5', 'probably contains', 'key role regulating', 'indicated rb1 gene', 'area affecting egg', 'low h1 h4', 'porcine mir206', 'average muscle density', 'respectively interval linkage', 'segregating mdh1 snp', 'allow utilization layer', 'bovine carcass trait', 'causative mutation charolais', 'ssc4 pleiotropic', 'suggestive qtl significant', 'based successive', 'outweigh potential', 'terminal end pig', '215 216', 'showing chromosome wide', 'linked lep', 'exploratory behaviour inactivity', 'polymorphism bovine hgd', 'ph lightness', 'number location', 'scan fst performed', 'cow carrying', 'mscc complex index', 'f2 87 f3', '01 12 month', 'primer amplification', 'eliminate need', 'family bta20', 'cell reproductive', 'fowl typhoid', 'mcv respectively', 'functional unit', 'position chromosome 14', 'treatment blood', 'array reference', 'ube3b protein', 'additional gene expression', 'increased lean tissue', 'duroc meat', 'group reduced significantly', 'chromosome involved lipid', 'lp reflects', 'association chromosome identified', 'reported function', 'genotyped 654', 'fry cattle wald', 'convert trans retinol', 'reported based proportion', 'flanked sw2456', 'selection ma beef', 'animal significantly', 'sa glm', '510 adult sheep', 'lactation macrophage h1', 'involved neutrophil', 'livestock identifying quantitative', 'location overlapped', 'cpsa pleura', 'cyp11b1 v30a', 'mainly improved', 'increasing functional study', 'sire high low', 'result study contribute', 'variability trait', 'juiciness tenderness genome', 'chicken controlled polygene', 'genetic determination', 'rs135423283 rs135576599 rs13675432', 'gene candidate involvement', 'correction identification candidate', 'weight ssc7 reported', 'order identify mutation', 'bl trait', 'sample result study', 'corresponding locus pig', 'exception bta4 bcs', 'carried independent commercial', 'close zero', '21 40 week', 'differ phenotypic', 'human candidate observed', 'qtl ssc7 small', 'result additional analysis', 'thinner subcutaneous', 'include feedlot adg', 'regarded important', 'malformation breed', 'int9 snp int9', '17 46', 'component trait used', '20 respectively marker', 'trait seventeen', 'maturation human', 'imprinted gene dio3', 'type sscx', 'titre pathogen', 'lma bft', '093 daughter', 'hen outbreak 100', 'consisted 46', 'commercial pig', 'igg response pepsinogen', 'snp single point', 'interval increase', 'trait localize position', 'follicle 01', 'higher statistical significance', 'method 141 unique', 'boar widely', 'gb approach', 'conclusive especially', 'age parity', 'content 1557t', 'sire received alternate', 'resulting progressive loss', 'gli1 associated', 'breed mrna abundance', 'intestine steer 32', 'reported resistant gastrointestinal', 'vii project meat', 'snp06 exon snp07', 'identification mutation', 'paper correlation', 'titre cestode infestation', 'lysine residue', 'fy explained respectively', 'alteration cattle specie', 'comb reflects female', 'snp genotype using', '547aa 1881g', 'enhancing resolution qtl', 'response cattle allow', 'fatpc leanpc fat', 'suggest alternative way', 'jersey f1 bull', 'genome wise fdr', 'associated expression', 'weight marbling score', 'boar estimated', 'polymorphism discovered decr1', '152 wld', 'linkage disequilibrium association', 'ssc18 marker', 'horse autosome chromosome', 'polymorphism dlk2 gene', 'value result confirmed', 'inducible form cytoplasmic', '13 analysis contributed', 'growth unknown etiology', '75 phenotypic variation', 'mapping imprinted', 'intake required maintenance', 'impact growth mapping', '95 06 unit', 'pool italian heavy', 'vertebral number originated', 'cattle allele combination', 'study included qtl', 'test production trait', 'rflp showed allele', 'mrna atp5b widely', 'region encompassing snp', 'zdhhc5 coq9 egfr', 'used select new', 'important litter size', 'growth genetic effect', '13 64 15', 'resistance distributed 10', 'boar highest', 'signaling significant pathway', 'bovine chromosome', 'investigated potential gain', 'increased ap', 'related mstn known', 'aragonesa sheep segregate', 'fatness muscle fiber', 'relatively large panel', 'sheep commercial value', 'unknown paternal genotype', 'weight spw stomach', 'gene crebbp', 'herd recorded', 'muscling myomax accounted', 'receptor pparγ nuclear', 'corrected diallelic', 'autosomal snp', 'percent 44', 'significant 10', 'founder animal different', 'present study result', '93 ai boars', 'study conduct single', '3359 holstein heifer', 'using generation berkshire', 'milk 1222', 'study conclusion', 'resistance commercial', 'vaccination year study', 'breed lean', 'hb erythrocyte', 'apart ssc4', 'analysis lepc total', 'diphosphate linked', 'problem decreasing', 'thoroughbred study', 'breed study revealed', 'xia nan waist', 'software uni', 'using geneseek', 'number founder', 'allele anxa10 association', 'defined 100 cfu', 'friesian sire chosen', 'explained 33', 'horse recorded clinical', 'level intact', 'trait indigenous village', 'resistance ipnv', 'difficulty holstein', 'pathway major', 'covering autosomal', 'considerable number fatness', 'scrapie susceptibility', 'allele contributed', 'single multiple model', 'attain genome', '35 qtl respiratory', 'breed breed multibreed', 'including peak milk', 'interval minolta', 'located bta2', 'expression pig adipocytes', 'trait critical component', 'fingerprint map', 'combining breed', 'genetic trend', 'variance component ii', 'number significant qtls', 'gene kitlg', 'mitochondrial anion', 'etec growth performance', 'level showed value', 'camp signaling', 'herd individual level', 'catabolism aromatic amino', 'gene significant region', 'showed consistent result', 'size trait shank', 'interfere milk production', 'functional genomics approach', 'surrounding snp association', 'birth weaning yearling', 'pig genetic variation', 'mapping conducted', 'american brahman', 'detection experiment performed', 'observed association analysis', 'intronic sequence untranslated', 'mapped 13 gene', 'specie teladorsagia', 'susceptible osteoporosis previously', 'especially region high', 'fertility trait litter', 'fixed texel', 'vl area', 'country desire genetic', 'located bta mir', 'enhance increased ndv', 'oar3 84073899 snp31', 'steer ranged 27', 'analysis marbling warner', 'critical factor', 'heterozygous major haplotype', 'concluded difference prolificacy', 'differential response', '80 vaccinated', 'chromosome pde1b', '17507a exon associated', 'type composition', 'population chromosome targeted', 'allowed identify qtl', '23 microsatellite', 'covering 80 chicken', 'effect calving ease', 'wg pwg index', 'animal qtl affecting', 'genetic improvement esc', 'result family analysis', 'hypoplasia ovarian follicle', 'novel breeding', 'protein extract shown', 'stress response', 'calculated using 100', 'iridis depigmented iris', 'growth plasma', 'sexually mature gilt', 'population 323', 'currently using', '18 mb', 'identified genotype phenotype', 'comparing breed mrna', 'stallion fertility quantified', 'likely causative mutation', 'affecting mastitis', 'height loin eye', '12 level compared', '26 trait detected', 'method support association', 'small sample', 'density snp association', 'dna sequencing method', 'pla2g12a hif1an', 'tender weight', 'yield loin', 'snp rs41919999', '05 higher fat', 'parameter veterinary', 'normande montbéliarde dairy', '160 200 day', 'leukosis malignant cell', 'count essential diagnostic', 'g3072a igf2 in7', 'performance farm animal', 'threshold 10 snp', 'mortem examination using', 'highlighted gene', 'impact host', 'link variation genetic', 'meat bos', 'loin depth nominal', 'alkaline phosphatase alp', 'ca used', 'control pool data', 'haplotype hf', 'representing genetic line', 'wide qtl responsible', '76 genotype identified', 'addition 43', 'feature fat tissue', 'background age', 'carcass chromosome', 'chicken fat metabolism', 'trait boar', 'ex fabp mutation', 'estimate pb heritability', 'ldl chromosomal', 'animal genotyped 198', 'modified pcr', 'pvuii genotype', 'matter fact', 'analysis confirmed presence', 'regarding milk', '705 irish', 'smaller frequency single', 'researcher delineate', 'bcs identified single', 'spp1 gene', 'duroc white pietrain', 'sib family using', 'parameter far detected', 'association causative', '18 sow representing', '60 6n carrier', 'strong association fatty', 'acsm5 fo ppara', 'associated degenerative neural', 'field study extend', 'score genome chromosome', 'diego ca semen', '126 cm bta2', 'associated juiciness haplotype', 'mutation leading change', 'mapping resolution genetic', 'near myostatin', 'region bta3 contains', 'complex disease present', 'network enrichment', 'calibrating computer', 'qtl f2 pedigree', 'background result', '05 001', 'comprising 7860 offspring', 'fate follicular cell', 'mypn eca1', 'pattern porcine', 'cell overexpression mutation', 'ratio ph1', '100 1000 2000', 'phylogenic analysis', 'achieved significance chromosome', 'length bone', 'single marker gwa', 'frequent red', 'gwas thyroid', 'breed increased', 'grouped different region', 'hen belonging', 'leaving seven microchromosomes', 'partially inbred', 'segregating dominant parent', 'slaughter bm1500 associated', 'marker revealed', 'allele marker', '436 ih', 'associated phenotype bta', 'pelo identified', 'approach cow', 'ileum jejunum tissue', 'human cmya1', 'ssc7 ssc9', 'used anchor', 'occurring mirnas lead', 'moderate large effect', 'rate important trait', 'production udder morphology', 'ssc4 104', '570 snp genotyped', 'measurement fec avfec', 'result suggest additional', 'group genotyped', 'sire measured', 'conserved growth associated', 'trout result previously', 'including taurine', 'cpg island', 'effect retrained evaluation', 'family available', 'disequilibrium mapping led', 'broiler strain possible', 'variation region promoter', 'window snp', 'pde1b associated trait', 'gene tagged snp', 'hydrolyzes phosphatidylinositol triphosphate', 'large population animal', 'owing qtl', 'animal subtype', 'incidence detected', 'significance study demonstrated', 'reproductive success genetic', 'marker oar3 showing', 'hematological parameter', 'different gene functional', 'multitrait model allowed', 'population consists', 'underlying growth related', 'discover genetic', 'region bta20', 'single lamb', 'purebred german', 'study estimate dominance', 'variance later', 'regression analysis identified', '19 23', '34 mb region', 'study comprehensive', '001 potentially exploited', '777k snp chip', 'chip 279', 'polymorphism g1406a', 'smc2 thought important', 'improve overall functionality', 'partial cdna sequence', 'density respectively reached', '29 chromosome 24', 'heritability anaemia', 'weight chicken conducted', 'work trait', 'y7f jb1', 'including semi evisceration', 'male required', 'managed dairy eastern', 'architecture potential biological', 'restriction fragment length', 'day blood collected', 'characterization locus identify', 'novel insight genetic', 'standard error', 'missense mutation agc', 'sc danish', 'loss available significant', 'allele potential transcription', 'intracellular bacteria', 'performance trait snp', 'conducted research missense', 'gene widely', 'sequence assembly', 'slaughter linear measurement', 'number teat number', 'diabetes mellitus factor', 'series mtpap promoter', 'thawing loss study', '580 961', 'sheep renowned', 'slc17a4 linked ca', 'chromosome 22 region', 'resistance negative', 'frame shape', 'lifetime productivity result', '35 sigma marbling', 'identified previously', 'activity result suggest', 'snp distributed', 'hour phu', 'metalloproteinase gene mmp2', 'imbalance serpina6', 'relevant genetic parameter', 'seq information', 'variance score', 'compared background strain', 'btb indicator', 'associated trait bta6', 'formed snp int9', 'based high throughput', 'cycle maximum level', 'selection analysis suggested', 'tlr gene polymorphism', 'holstein reported chromosome', 'snp centimorgan position', 'model result total', 'horn type length', 'low lamb adult', 'object test analysed', 'dairy product human', 'presence specific', 'method using 190', 'pig resource family', 'eggshell thickness', 'decrease luciferase', 'knowledge complex', 'pod effect meg3', 'variance allele substitution', '13 suggestive locus', '605 son', 'determine qtl genotype', 'quantitative difference', 'sheep showed rs400827589', 'associated ebv stage', 'therapeutic used sustainable', 'selection breeding', '98 13', 'utilized pedigree', 'explained residual phenotypic', 'sib group comprising', 'loss available', 'score 34 42', 'sire dam identified', 'cd sufficiently', 'selected analysis candidate', 'gene 12', 'novel genomic region', 'genotype cmya1 gene', 'marker broiler breeding', 'refine region', 'america variation evolution', 'bta18 53', 'phenotypic record trait', 'association analysis gemma', 'receptor body weight', 'performing multidimensional scaling', 'ab 05 regard', 'sd 02 sd', 'pig unfavorable', 'genotype environment qtl', 'common locus trait', 'linkage gene', 'sf5 omega', '545 german angus', 'em female', 'adult hen divergent', 'isolated characterized sequence', 'showed significant association', 'genotyped trait', 'sheep segregate', 'alternative splicing variant', 'korean individual', 'main mineral predicted', '90 hspcb', 'encodes γ3 subunit', 'simulation estimate penetrances', 'effect ilsts098 05', 'a59v af536174', 'improve nba', 'pig analysis', 'interval method', 'score qtl genotypic', 'flock united kingdom', 'hybrid bacterial artificial', 'sib design using', 'independent data', 'phenotype respectively', 'analysis revealed p13k', 'used investigate meat', 'dl similar line', 'status western diet', 'perinatal mortality prevalent', '20 chromosome', 'opn favorable', 'report showed late', 'frequency western pig', 'associated longer limb', 'large number trait', 'growth stage large', 'association pparc1a variant', 'block intrablock value', 'holstein genotype aa', 'highly heritable 73', 'assessed finding', 'infanticide behavior analyzed', 'snp 95 bp', 'carried pcr sscp', 'enables immediate', 'gga1 gga16', 'increase prolificacy sheep', '49 indicates current', 'order locate', 'common genomic', '3500 permuted', 'qtl role', '32 fold abundant', 'hypocholesterolemia deficiency', 'leghorn female', 'variation region previously', 'population purebred durocs', 'usa effect', 'chromosome ssc9 quantitative', 'rf model considered', 'dairy gyr sire', 'like epl score', 'postulated oligogenic polygenic', 'qtls explained', 'production chicken based', 'plus available flanking', '2012 119', 'previously unknown association', 'estimate different zero', 'muscle characteristic', 'significant milk production', 'belgian blue marc', 'year effect', 'complete linked single', 'analyzed 28', 'underpinning condition', 'yield breed', 'score herd life', 'correlating geographical origin', 'interesting coincidence qtl', 'cross phenotyped', 'showed fixation line', 'hematological trait related', 'multiple hypothalamic', 'pathway analysis indicated', 'fatness anatomy', 'finding indicate echs1', 'prevention unpleasant boar', 'population duroc pietrain', 'single pleiotropic', '32 01', 'genetic improvement pork', '51 2n non', 'proc mixed', 'required significant genetic', 'trait gene located', 'activity specific', 'participate cell', 'polymorphic site 47', 'chromosome furthermore evidence', 'sex character human', 'specifically associated', 'marker detect', 'spi2 serpina1', 'pig 332 conducted', 'breeding estimated', 'type lc', 'white coat colour', 'polymorphism occurring precursor', 'population use', 'milk protein different', 'produced tryptophan', 'fresh semen carrier', 'respectively c4535156t', 'prlr late', 'role quantitative trait', '23 determine', 'important contributor quantitative', 'canonically transformed', 'statistic seven candidate', 'bta9 primarily', 'tissue analysed', 'generated order analyze', 'cov434 granulosa', 'identified chromosome 24', 'dissect genetic architecture', 'qtl analysis based', 'herd estimate', 'significant qtl sheep', 'linked highly significant', 'interesting snp potential', 'recognised different', '14 19', 'allele interaction mir', 'desaturation lipoprotein', 'based breed syntenic', 'analyzed transmission disequilibrium', '51 mb', 'chromosome 14 corresponds', 'arm pig chromosome', 'state using', 'density lipoprotein involved', 'lr unfavorable', 'protein mttp gene', 'region 01 common', 'loin fat', 'recorded highest snf', 'chromosome 11 14', 'animal f1', 'cwt varied kg', 'prrs virus infection', 'trait generally limited', 'result study demonstrate', 'mapping focused', 'significant multiple', 'binomial trait', 'slc9a3r1 nos2 covering', 'breed prim holstein', 'landrace breed generation', 'interval decreased 15', 'genotype slaughter', 'lipid biosynthesis result', 'detect new polymorphism', 'dmy protein percentage', 'novel qtl fat', 'percentage bta18', 'respectively refining', 'candidate rfi', 'farming practice rely', 'muscularity le', 'proximally vicinity ar', 'parameter detected overlapped', 'anecdote supporting familial', 'showed location chromosome', 'approach cases', 'outbreak h5n2 highly', 'sheep population st', 'genotyped 159', 'combined selection signature', 'neuronal 6d', 'showed rs15675067 ghrl', 'step better', 'dhrs12 mlnr rb1', '91 10', 'effect increasing type', 'generated single', 'cost effective treatment', 'calling rate sample', '18 bta18 close', 'sub sample 41', '20 marker used', 'f2 generation', 'detected subtrait', 'measured bw carcass', 'sfa content', 'trait ranged 54', 'significantly changed leg', 'second stage experiment', 'count data genomic', 'cross identify quantitative', 'region resistance', 'resistance determined bird', 'acid trait', 'corresponding bonferroni correction', 'disease like type', 'snp marker rs109546980', 'identified promising candidate', 'flavor appearance', 'sequenced new', 'efficiency feed', 'antigen relatively', 'muc13b transcript', 'pool include', 'absolute bmc percentage', 'led increased fat', 'background toll like', 'mapping established', 'concentration suggesting', 'igg ige subclass', 'length tarsometatarsus tibia', 'spite extensive research', 'breed holstein milk', 'deformation neurological', 'cm bta2 42', 'dam maternal effect', 'implemented routine sire', 'associated daily feed', 'different locus', 'different qtls gene', 'improved selection program', 'rapid decline', 'cattle using illumina', 'le linoleic acid', 'stressor neurotransmitter', 'test kaiser criterion', 'phosphatase hydrolyzes', 'appeared brazil', 'gene required', 'trait non return', 'centred close', 'locus overlap previous', 'distributed 14 sire', 'tailed sheep scientific', 'using 60', 'economically important pig', 'index commercial', 'glutamate receptor ionotropic', 'scottish blackface', 'skip play negative', 'cm _csrp3_83 cm', 'dopamine antagonist iloperidone', 'qtl affecting blood', 'property known milk', 'genetic evaluation breeding', 'growth factor tgf', 'variable network analysis', 'mutation chromosome qtls', 'scan linkage analysis', 'abortion genome', 'high hdl', 'head characteristic', 'trait subjected', 'based different model', '778 n229h', 'dnajc6 ak3l1 ak3l2', '42895 genotype', 'glm significant snp', 'nbd region abcg2', 'set model', 'peak tolerance', 'state university isu', 'validates scd', 'mykiss population', 'control located', 'performed pilot gwa', 'f2 population association', 'lmp measured', 'probably involve pleiotropy', 'confirmed qtl region', 'interval containing cast', '856k imputed snp', 'week 27', '265 parent genotyped', 'identified ssc6 significant', 'strongly suggest marbling', 'white plymouth rock', 'known non synonymous', 'involved broiler production', 'old dsn breed', 'chicken mapping non', 'kr3 12', 'weinberg equilibrium', 'used reevaluate brahman', 'identified number genetic', 'quality composition trait', 'region play', 'hormone secretion', 'carboxylase alpha', 'cattle lack agreement', 'data qtl position', 'qtl cv identified', 'recent genetic', 'key criterion selection', 'sperm count lr', '184 11 narrowed', 'conservative snp', '16 significantly associated', 'binding site revealed', 'using ovine infinium', 'late expression trait', 'fiber characteristic meat', 'unsaturation index', 'broodstock population identification', 'observed univariate analysis', 'pig fto', 'qtl influence value', 'sib population 386', 'medialis left', 'impact quality', 'suggests uncovering', 'complex trait broader', 'phenotype dongxiang blue', '10 common', 'divided seven', 'qtl use', 'suspected population', 'epithelial cell', 'examined histologically head', '15 genotype', 'sscrofa10 obvious', 'affecting mammalian pigmentation', 'harbored gene mstn', 'targeting sox differently', 'characterized limited number', 'tbrd gwaa', 'mineral protein sugar', 'plag1 mstn', 'blackface lamb detailed', 'core sequence putative', 'evidence fe', 'important fertility trait', 'bta14 decr1', 'mb ssc5', 'number metabolic trait', 'single joint', 'mapped linkage region', 'log10 values effect', 'determinant imf', 'bf 150 ssc1', 'associated transcription', 'cattle data genetic', 'ripki domain', 'signature divergent', 'hypothesis hsp90aa1', 'different domesticated white', 'pig method eighteen', 'trait gene network', 'higher lbt low', 'containing non', 'f2 hen', 'display positional concordance', 'acid position 192', 'expressed mastitis', 'qtl disease resistance', 'influence carcass', 'sel1l3 gpt bri3bp', 'ifn gamma enhance', 'ph24 commission internationale', 'population 1599', 'reduces feed efficiency', 'swine fat', 'effect sex design', 'using pcr sscp', 'qtl beef', 'eqtl modulating expression', 'encompassing anxa10 cow', 'based association testing', 'vv mdv qtl', 'search demonstrates power', 'fitted trait', 'weighted gene', 'causal gene dairy', 'chromosome segment rf', 'receptor ring', 'genotype growth associated', 'mean ifc', '13 16', 'meat quality maintenance', 'qtls coincided shank', 'maintain racing integrity', 'chinese holstein ct', 'cell 20', 'marker ilsts002', 'day milk', 'bb genotype order', 'klf7 sp1 alter', 'using multimarker regression', 'nutritional management', 'expected improve mapping', '035 animal', 'useful target marker', 'ldla analysis', 'sm ssc3', 'baseline leucocyte trait', 'investigate distribution', 'dependence structure', 'analysis showed geographical', 'sire trait', 'enhance heat', 'economic animal', 'myh gene', 'parent qtl detected', 'development effective prevention', 'statistically significant enrichment', '79 588 128_79', 'kinase turn explain', 'peptide receptor', 'regulation early', 'marker conducted detect', 'snp strongly associated', 'analysis enabling', 'dna piglet parent', 'grade proportion phenotypic', 'gene report step', 'stringent significance threshold', 'taint demanded', 'responsive spot14', 'impact protein', 'csf virus csfv', 'activity linkage', 'effect employed linear', 'rfi bf', 'large effect locus', 'chromosome 18 identified', 'kg identified region', 'snp unreported', 'locus qtl affecting', 'line suggesting', 'bmp5 gene suggested', 'ibk population', '10 abdominal fat', 'region respective candidate', 'analysed animal comprised', 'divergently selected respect', 'studied snp subsequently', '46 150 079', 'composition previously identified', 'step targeted intervention', '3359 holstein', 'pig diverse population', '150 21', 'farm season', 'stature feed', 'ultimately qtl', '009 fatness', '178 206', '50 increase', 'liver muscle rumen', '001 phenotypic', 'sphk2 eqtl gene', 'height bta showing', 'respectively based', 'study aimed ass', 'ph color tenderness', 'unadjusted analysis result', 'finding advance', 'potential genes', 'observed hap1 driploss', 'effect random', 'snp genotype 593', 'incidence herd individual', 'gwas utilizing', '42 883 snp', 'acid novelty', 'compared non carrier', 'health trait offer', 'non pregnant respectively', 'preference profitability', 'thickness pre weaning', '14 experimental', 'performance bovine chromosome', '582 canadian', 'genome furthermore', 'size 433 animal', 'alongside significant snp', 'animal continually exposed', 'ranged 51', 'calving service age', 'bovine snp50', 'encephalopathy sheep', 'population compare', 'snp annotated 120', 'data cow genotyping', 'discovered decr1', 'pigmentation genome', 'region genome different', 'beef odour', 'data growth', 'heritabilities blood component', 'bone length mineralisatinon', 'hinders application pig', 'trait similar', 'weight hw', 'study qtl scan', 'week shank', 'nucleotide polymorphism csnps', 'suggestive effect loin', '435a 447g', '412 predictive', 'ph hour post', 'member functionally', 'guidance marker', 'lipoprotein uptake apolipoprotein', 'bovinesnp50 panel total', 'ct gt haplotype', 'throughput single nucleotide', 'phenotype pork result', 'animal marker data', 'c3 cdna share', 'qtl showed exclusive', 'genetic determinant complex', 'maternal calf mortality', 'mb harbored', '1n c16 1n', 'complex trait aim', 'develop small', 'selection program ibk', 'tgfbr3 tmx4 synonymous', 'identification 58 cgi', 'respectively 54 29', 'trial 200', 'porcine insulin receptor', 'pastern dermatitis cpd', 'feed efficiency growth', 'quality trait finnish', 'result suggest addition', 'method applied line', 'remained rs41694646 snp', 'classical swine', 'effect holstein', 'performed 17 gene', 'irs4 gene', 'underlie genetic', 'observed estrus pregnancy', 'differentiation cattle breed', 'ew different', 'hd 777 962', 'numerous significant', 'key trait', 'fads2 transcription significant', 'lea qtl', 'determined chromosome genome', 'moderate potential', 'confirmed horse', 'dissection adjacent', 'shaping genomic', 'improvement antagonistic', 'cnv overlapping gene', 'associated proportion', 'identify causative polymorphism', 'identified ssc7', 'association haplotype encompassing', 'selection reduce impact', 'significant qtls mapped', 'responsive imi', '195 wxm genome', 'large effect ovulation', 'association proviral', 'comparative sequencing bull', 'tested 200', 'association polymorphism cbg', 'result reinforce cast', 'close receptor', 'qtl commercial population', 'chromosome harbouring putative', 'white leghorn', '05 testis', 'concentration analysis new', 'finally using vitro', 'longitudinal trait', 'candidate conclusion', 'receptor cckbr gene', 't433g snp', 'qtl influence number', 'approach identify genomic', 'discrepancy asp298asn', 'sc valdostana red', 'daughter 14', 'disequilibrium lld', 'snp 3020a', 'away approaching', 'population high', 'considered potential', 'cm estimated', 'xk kell', 'revealed ld', '94 cow', 'disturbance expiration', 'qtl region necessary', 'conformation key', 'common breed meta', '565 record', 'gene tissue 05', 'lean meat yield', 'anova stage suggestive', 'mapping perform multi', 'ketosis feasible', 'pig ff 370', 'fcr region subjected', 'farm animal', '61 07 heterozygote', 'unrelated highly', 'semen volume motility', 'ovlv positive animal', 'substitution effect haplotype', 'ssc1 12 trait', 'npas2 acer3', 'breed meishan pietrain', 'founder imputing 50k', 'process identified', 'gg chromosome gga3', 'assisted analysis', 'included pool', 'limit efficiency', 'different genotype atp1a1', 'individual mineral', 'indicator region order', 'regression model ii', 'trait suggestive', 'duroc population discrepancy', 'respectively snp window', 'fm hm interesting', 'associated feather', 'candidate gene based', 'explain modest', 'good eggshell', 'polymorphism snp duplication', 'temperature 45 min', 'pattern heritability component', 'fm horse derived', 'bta14 promising quantitative', 'variation upstream region', '119 high', '10 position', 'progeny belgian texel', 'analysis record occurrence', 'obtained progeny', 'ibmap identifying seven', 'large set holstein', 'method animal', 'vetsci usyd', '25858322c snp', 'described previously qtl', 'bursa fabricius', 'furthermore analysis 2323', 'rfi measured dmi', 'novel qtl importance', 'visceral subcutaneous white', 'detected chicken linkage', 'btax bta10', 'specific effect', 'location containing', 'effect akr1c', 'obviously population favourable', 'fragment actual region', 'haplotype significant effect', 'contained adipose', 'oxytocin signaling mapk', 'cross bos taurus', 'assembly equcab2', 'measured etec', 'fcr single variant', 'polymorphism apob', 'soon weaning', 'study fine mapping', 'human result', 'thoroughbred relatively', 'trait investigated association', 'snp used blupf90', 'snp 60k', 'ontology p2rx3 nr2f2', 'twice sample', 'pig fcr', 'rg 31', 'desaturase delta', 'significantly associated juiciness', 'percentage palmitic', '12 value 97', 'importance obtaining', 'gene research needed', 'interesting biological function', 'seq data achieve', 'hariana holstein friesian', 'demonstrated novel', 'shown underlie important', 'effect rf importance', 'bias phylogenetic', 'gene highly expressed', 'inclusion internal egg', 'parity editing', 'genome wide selection', 'line 60', '344a muc4 polymorphism', 'significance genome wide', 'ebvp investigated', 'particularly strong', 'marker 28 35', 'phenotype recorded', 'types comprising csn1s1', 'cholesterol trafficking', 'cc 01', 'suggestive significance threshold', 'gwas using 49', 'population commercial population', 'milk causing', 'npc1 gene involved', '05 detected paternally', 'study attempt fine', 'bta 18 summary', 'family genotyped using', 'perform interval', 'daily fat protein', 'result estimated polygenic', 'time gompertz', '1a il 1a', 'detect partially', 'contrast sterility', 'method based', 'separately yielding', 'subsequently immunised', 'highly divergent breed', 'biological control', 'dopa dopamine receptor', 'ssc15 108 cm', 'population gwas', 'horned phenotype fine', 'imqp qtl', 'difference indicative', 'mechanism underlying phenotypic', 'record clinical mastitis', 'close dgat1', 'italian large white', 'f2resource population', 'flock phenotypically assessed', '30 chromosome', 'association signal functional', 'bta29 36', 'gwas study propose', 'combination tail independent', 'tt chicken', 'detected gene based', '24 associated', 'explained significant 10', '332 erhualian', 'breed human', 'dairy ruminant research', 'variant strongly', '29 autosome total', 'carrier state chicken', 'distinct animal growth', 'dependent increase reporter', 'average 19', 'identify chromosomal region', 'mc1r gene', 'cattle feed', 'ewe available', 'independently validated sf5', 'explaining substantial proportion', 'analysis fatness', 'ebv variation', '05 snp27', 'zmeans lod', 'significant trait associated', 'qtl genomewide level', 'heritability approach', 'strongly indicate ugdh', 'performed analyze', 'consequently study genetics', 'contributes sustainability animal', 'merit trait carcass', 'gw qtl', 'study identify number', 'denominated cholesterol', 'response major', 'used backcross', 'milk measured', 'mttp protein', 'weight wwt', 'phenotyped texel', 'identification gene linked', 'different spotted', 'different cancer', 'apoh detected association', 'domain analysis c3', 'gene encoding corticosteroid', 'gene support', 'calf sire', 'defect number', 'scored boar', 'human comparative', 'alpha production neutrophil', 'data identify', 'loin yield 002', 'breed mrna', 'marker ars bfgl', 'model organism study', 'xenotoxins endotoxin', 'birth weaning 05', 'trait average daily', 'located ssc5 27', 'lipid content', 'imf clear', 'architecture pig teat', 'disease cancer model', 'eca 15', 'region related trait', 'basis efficient genomic', '54 32', 'array available', 'identified 10 highest', 'day heat', 'selection repression', 'hormone receptor regulates', 'pcv faecal', 'qtl model confirmed', 'affect bone quality', 'sensory meat', 'sire derived', '002 6723a allele', 'using genotypic', '1599 f2 hen', 'effect included corresponding', 'approximately 11 percentage', 'analysis result phenotypic', 'involving gene', 'pig selected meat', 'ssc4 seven identify', 'primary mir', '50 cm surrounded', 'family leucine rich', 'totally 916', 'porcine insulin', '10 candidate gene', 'linear regression analysis', 'reveal potential opportunity', 'rao loss chromosome', 'wide range psychotic', 'corresponding locus', 'npy growth hormone', 'scan measure', 'secretion activity lactation', 'process enable', 'gria1 family', 'functional genetic variation', 'polygenic effect detected', 'gene intensive', 'presence genome wide', 'contains ucr2', 'analysis fst', 'breed cluster formed', 'potential use reduce', 'offspring mortality', 'acsm5 classified cis', 'german coldblood', 'pietrain wild', 'single qtl method', 'associated region genome', '919g haplotype carrying', 'model general result', 'short term', 'ass genetic', 'pro anti inflammatory', 'semen carrier control', 'slaughter 35', 'chicken analyzed', 'snp haplotype analysis', '27 snp', 'affecting trait danish', 'c14 strong', 'cy trait expressing', 'map qtls controlling', '18th generation', 'solid percentage tsp', 'fine map genomic', 'bta04 strongly associated', 'explored influence', 'correlation gene expression', 'dioxygenase bco2', 'pleurisy data showed', 'snp1 genotype', 'gene goal', 'phenotypic expression', 'understanding effect particular', 'similarity marker allele', 'index fatty', 'disequilibrium assessed', 'postmortem time point', 'significant qtl ssc8', 'lgb known paep', '40 60 week', 'rtn max respectively', 'ssc3 peak 23', 'combined multivariate', 'window identified', 'kg reduced joint', '20 bovine chromosome', 'trait line cross', 'identified tg', 'fat bft1', 'male polled', 'gemma software genome', 'based genotype', 'qtl reproductive', 'performed 278 male', 'fineness sd cv', 'bc1 generation', 'coq9 epas1 cast', '40 9n', 'broiler breeding company', 'fat content new', '68 mb region', 'population issued', 'c12 0001', 'association polymorphism 6th', 'control porcine', 'ssc17 conclusion', 'haematological trait glm', 'measured peak mid', 'heterochromia iridis depigmented', 'pla2g7 gene', 'concentration lepc previously', 'plxnd1 dlx3 lgals9', 'implementing marker', 'region affected brown', 'considered jointly major', 'genotyped 362', 'ncapg lcorl', 'new marker allowed', 'marker flanking likely', 'polymorphism mtnr1a', 'index mfi', 'significantly common', 'immune pathway total', 'bm1500 kb', 'monomanine signaling', 'synthetic line homozygous', 'concentration dbp', 'production 36 qtl', 'inferred significant', 'association genomic location', 'qtl chromosome gga2', 'thickness 05 leaf', 'autofom grading', 'breed gwas', 'lpar6 cab39l trpc4', 'trait propose', 'immunological parasitological', '13 genetic merit', 'ssc14 appeared', 'suggestive marker plus', 'result help', 'cooking meat', 'trait regulated common', 'flock refine', 'reduce milk loss', 'trait 779 individual', 'promoter 269', 'screened generation sequenced', 'distance csn1s1 csn3', 'response prrsv challenge', 'containing irx4', 'approximately 20', 'mutant individual showed', 'ratio qtl', 'week life offspring', 'display mrna', 'locus act molecular', 'trait strong evidence', 'lactation negative', 'selected high hg', 'strongest association c14', 'estimated parameter large', 'identified 61 suggestive', 'significant marginal', 'based approach single', 'significant level fdr', 'analysis genotype marker', 'line hen', 'variance identified region', 'included common', 'progeny belgian', '01 20', 'trend quite', 'prrsv european strain', 'cattle brody', 'acid composition subcutaneous', 'f2 approach offered', 'characteristic allow distinguish', 'snp 662', 'identify rs339939442', 'broiler characterise biological', 'varied 95 03', 'comprised 45', 'prl recorded highest', 'qtl cluster identified', 'revealed novel qtls', 'large proportion', 'gushi anka', 'improve understanding complex', 'including pig report', 'fleckvieh breed total', 'breeding management', 'component trait identifying', 'marker flanking', 'pleiotropic gene', 'enteric pathogen', 'implemented following genome', 'adult height human', 'pig genome revealed', 'oar3 marker kd103', 'population gilt', 'weight 300 ssc1', 'marker window', 'p2x3r sow', 'enlarged body', 'mutation snp4', 'according method analysis', 'peak 23 mb', 'myog snp rump', 'caused md', 'ube3b ayrshire significantly', '181 926', 'qtl associated yield', 'method dataset', 'harbored additive', 'ilsts002 bms833', 'molecular polymorphism', 'response adult', 'using combined data', 'region cebpa gene', 'ai allowed distinguish', '2834c 608', 'maker causative', 'marker largest', 'level identify', 'asp298asn primarily associated', 'fear 242 newly', 'performed variety', 'phenotype biological', '47 58', 'conformation trait recorded', 'type pig breed', 'pvrl2_c 392g associated', 'genotype 597', 'utrs respectively', 'common snp trait', 'high impact genetic', 'pork tenderness industry', 'bta17 imputed', 'lipase markedly decreased', 'identified tanzania study', 'confidence interval case', 'bull daughter yield', 'identify segregation qtl', 'largest associated effect', 'body weight gwas', 'associated trait remaining', 'pparγ allele', 'increased fat content', 'carcass gizzard haematocrit', 'pirm affected', 'snp overlapping previously', 'underlying trait describing', 'underway refine', 'studied indicator male', 'subset allowed', 'backcross sheep population', 'polymorphism snp additive', 'responsible significant', 'approach independence test', 'marbling phenotypic', 'severity pneumonic lesion', '14 subclinical day', 'deciphering molecular', 'similar region', 'association multiple meat', 'prlr igf1r', 'genotype 50', 'analysis using illumina', 'locus large', 'val dataset 469', 'favourable qtl allele', 'causative mutation', 'significant log10p', 'hypothetical identical descent', 'integrated imi', 'white marking', 'disease addition', 'interval method significant', 'group qtl affecting', 'met ncapg', 'degree white', 'proportion heifer conceive', 'znf389 znf165 001', 'define marker assisted', 'region sh3rf1', 'myostatin negative regulator', 'collected blood', 'utilizing recently', 'provided data confirmed', 'qtl detected ssc1', 'ortholog ovine region', 'weight chicken age', 'investment despite trade', 'heterozygote allele pietrain', 'performance association analysis', 'cm determined comparative', 'chromosome located near', 'lm subcutaneous', 'region encompassing', 'trait 81 relevantly', 'progeny produced mating', 'block including', 'fewer candidate gene', 'accurately reveal', 'metabolism mammal sequencing', 'region intronic snp', 'resistant susceptible', 'increased estimate', 'differing unambiguously', 'software result', 'adjacent rs81434499 reported', 'conclusion result genome', 'family specific', 'compared ct bird', 'result indicate implementation', 'withers height analyzed', '05 locus statistically', 'skin multifactorial disease', 'linkage eca2 filly', 'marker derived', 'mastitis reported', 'identified discovered qtl', 'tenderness major quality', 'associated resistance cd', 'opportunity positional cloning', 'organ indirectly affect', 'discovered missense snvs', 'china order', 'activity compared gca', 'hf sf suffolk', 'proximal region ssc2', 'grb14 galnt1', 'august jaw length', '11 variety', 'fn tfn', 'using model additional', 'major economic trait', 'trait result showed', 'bves ssc1 slc3a2', 'panel 250 microsatellite', 'farrowing population 12', 'challenge lamb', '58 cgi', 'cell c3', 'derived oh shamo', 'based finding', 'qtl resistance riphicephalus', 'slc11a1 region significantly', 'model resulted clearer', 'haplotype cl 62', 'qtl region controlling', 'association close proximity', 'dominance effect significant', 'performed identify putative', 'resistant serovars salmonella', 'blue marc', 'presence paternally', 'ratio arachidonic linoleic', 'accounted nesting myomax', '18 compared', 'analysis low', 'cm outbred f2', 'lacking duplication detected', 'lactation record', 'retention 48', 'effect tnb variation', 'undiscovered gene', '953 pig', 'age 04 interaction', 'field fear 242', 'box foxp1', 'disease remain', 'mutation prkag3 gene', 'gwas approach identified', 'generation berkshire yorkshire', 'p2x3r play role', '33 consistent hypothesis', 'sequence associated', 'ebv 093', 'role stat1', 'ld population level', 'fact parameter', 'c6 c14 proportion', 'chick 78', 'contribute growth', 'pb cb pig', 'ketosis lactation estimated', 'flanking arhgap39', 'interconvert weak', 'genome wide', 'tick count data', 'property dairy cattle', 'stage revealed', 'indicate qtl analysis', 'hdl ssc2 qtl', 'primer sscp pattern', 'adhesion test', 'study clearly illustrate', 'point milk coagulation', 'acvr2a induced', 'improve horse', 'dna fragmentation index', 'reported past', 'study gwas 455', 'positioned qtl region', 'ssc17 fourteen suggestive', 'effect distinct qtl', 'affected multiple', 'bta 14 respectively', 'individual case', 'nr0b1 rgs4 dbh', 'allowed distinguish ff', 'targeted snp', 'nesp55 resulting', 'fdr 10', 'backfat thickness lean', '18 qtl achieved', 'single qtl ebv', 'extreme importance', 'eqtls showed', 'chip gwas method', 'university isu', 'association rvtv ratio', 'previous report suggestive', 'analysed sire', 'better tasting', 'charolais population', 'yield effect detected', 'gys1 intron detected', 'heterozygous procedure implemented', 'identify enriched', 'plantar osseous', '15 refined', 'deleted type', 'pedigreed jersey', 'type breed high', 'positive rate', 'statistical power', 'cohort population', 'heterozygote genotype', 'peptidase inhibitor', 'specific analysis needed', 'restricting causality 2228t', 'gizzard genotype sex', 'rs14678932 showed', 'ibmap population result', 'sla region multivariate', 'qtl improvement resolution', 'birds sex', 'conformation service', 'cell score bta14', 'broiler line generation', 'plin1 highly associated', '21 22', 'correlation rg', 'moderate size', 'weight snp weight', 'development porcine', 'resistance sheep currently', 'involved fatty acid', 'fat content ifc', 'breed reached', '1326t associated', 'litter selected', 'family included 144', 'f2 population', 'suggest heritability', 'genome integrated map', 'haplotype segregated early', 'fabp4 haplotype milk', 'evidenced study indicating', 'include eci2 pcyt2', 'layer factor known', 'polymorphism anxa9 gene', 'qtls controlling', 'sire direct', 'prt region', 'affecting fertility trait', 'dq474068 genbank', 'stimulation adrenocorticotropic', 'finally different trait', 'result chronic', 'analysis infection pig', 'various population difference', 'region greatly reduced', 'composition trait following', 'combined haplotype revealed', 'improve productivity creole', 'phase marker outbred', 'bacterial load 04', 'confidence interval 10', 'window higher', 'significance conclusion proportion', 'defined qtl result', 'muscle ld', 'systematic factor', 'growth trait significant', 'study gwas 33', 'individual population combined', '3020a example associated', 'epistasis frequent interaction', 'implement square interval', 'used experimental', 'observed prkag3 snp', 'herd year based', 'average 16', 'trypanosomosis parasitic blood', '34208c genotype sex', '36 71 mb', 'excluded prkag3 causative', 'performed obesity', 'animal engaged removed', 'acceptance subject appearance', 'italian holstein gene', 'lma hcw mar', 'fat carcass conformation', 'linked r2 result', '35 630', 'bta14 bta26', 'growth rate fearfulness', 'loki 673', 'affecting chicken', 'chromosomal region ssc1', 'ph muscle drip', 'mutated mstn', 'role arg307gly', 'affecting aggressiveness disease', 'approach 15', 'consumer purchasing', 'score 05 animal', 'null hypothesis appropriate', 'observed bw', '005 increased', 'result increase prolificacy', 'extreme incubation', 'revealed susceptibility etec', 'index exhibited genetic', 'qtl region effectively', '17 snp', '056 728 bp', 'composition trait iowa', 'negatively affect production', 's2 qtls', 'suggest new candidate', 'bm4528 selected', 'non nematodirus strongyle', 'lamb carcass trait', 'undertaken using', 'reproductive trait bayesian', 'ngs 4939 bfgl', 'strength endosteal circumference', 'behavioral qtl human', 'high heritability value', 'gene multiple', '20 significant', 'snp snp considered', 'wide significantly', 'percentage churra sheep', 'rfi2 major allele', 'ebv lp 100', 'identified mouse', 'related analyzed lactation', 'showed melim', 'snp70 bead chip', 'step method result', 'especially ssc6 significant', 'iberian landrace experimental', 'dna rna generation', 'genotyped seven', 'hit compared previously', 'accuracy conclusion', 'alternative method control', 'affected sfa', 'ct leg', 'marker highly significant', 'multiple snp especially', 'interval eth10 dik5248', 'trait result', 'associated percentage palmitic', '148 snp trait', 'nonreturn rate', 'event dairy herd', 'small effect identified', 'expressed abomasal', 'qtl sample', 'domestication acted', 'region highest fst', 'region identified enhance', 'translation processing fate', 'based permutation', 'rps10 potential', 'essential role assembly', 'gene network interaction', '49 691 snp', 'genotype p1', 'cattle japan', 'family black white', 'bmcpc bone mineral', 'qtl architecture milk', 'binding klh', 'fatty acid catabolism', 'imf content', 'chromosome genotyped 454', 'notch1 important', 'polymorphism snp genotype', 'muscle infection', 'type performed gene', 'trout provided needed', 'explained evaluation population', 'sign undetected', 'sample 337 fertile', '95 genetic variance', 'genomic correlated region', 'fifth lumbar', 'gwas bone weight', 'environment genetic difference', 'line md', 'nve 78', 'effect significant range', 'mobility group', 'olp difference', 'revealed strong association', 'snp nucleotide', 'candidate gene immune', '1121 cow', 'forward unraveling complex', 'concentration beta carotene', 'marker bm4208', '14 mapped suggestive', 'bm719 chromosome 16', 'encompassing coding', 'score genotype', 'temperature 45', 'bearing genotype cc', 'structure bovine', 'colostrum intake critical', 'harbor known cell', 'low fertility', 'compare maternal', 'odc polymorphism', 'bovinesnp50 panel yielded', 'consequently mll', 'breed huiyang', 'breed formed analysed', 'c3c serum level', 'percentage csfv identified', 'saturated branched', 'outcome infectious', 'corresponds sd', 'dominant qtl effect', 'study combination', 'analysis lald conducted', 'frequency exhibited', 'good poor bone', 'qtl rfi located', 'suis worm', 'vaccination md', 'identified snp significantly', 'milk danish holstein', 'common mastitis', 'snp selected single', 'body condition score', 'general low phenotypic', 'study examined', 'affecting direct maternal', 'parameter estimate unlikely', 'olfactory transduction pathway', 'population trait', 'imw 05', 'sample 1534 hen', 'suggest elovl6', 'qtl bta6', 'trait enriched gene', 'report result daughter', 'hock ocd single', 'gushi anka f2', 'ssc13 trait', 'furthermore trait', 'suggest anxa9 gene', 'disequilibrium 90', 'deviation daughter obtained', 'marker 56 association', 'model relatedness sample', 'resource population association', 'lod qtl located', 'containing total 159', 'pif1 purebred', 'uc line', 'steer bos indicus', '371 lactating', 'day bw70', 'ryr1 rs344435545', 'rs109923480 rs42090224', 'different gc', 'missense polymorphism genotyped', 'trpm6 htr1e', '03 24', 'region wide', 'university california', 'causal polymorphism merely', 'yield trait square', 'oncogene macrophage migration', 'polypeptide wd', 'data 13 717', 'model fitted longitudinal', 'exon flanking region', 'snp associated androstenone', 'weight variation', 'chromosome stature', 'coccidiosis result suggested', 'ssc7 region', 'related trait identified', 'skin ulceration', 'revealed present', 'generation 11 g11', 'significantly associated evaluated', 'grammar gc', 'growth trait heterozygote', '14 total', 'detect qtl effect', 'diplotype rt', 'indicate probably', 'mrna secondary', 'conformation trait studied', 'map qtl joint', 'f279y variant', 'loss ph measured', 'mechanism complex', 'ocd associated genomic', 'sw2429 7907', 'litter size snp', 'sire group', 'maternally imprinted', 'proportion highly significant', 'qtls bone', 'gene body size', 'analysis taking', 'qtl north american', 'splitting large qtl', 'compared heifer', 'ability lamb', 'relationship trait', 'support previous finding', 'decreased 0001', 'ifn gamma soay', 'mb region', 'increased individual better', 'originally genotyped', 'including novel region', 'variation suggested', 'fat injection melanocortin', 'qtl design analysis', 'slick individual', 'mrna expression pattern', 'shorter length carcass', '648 snp empirical', 'genotype marker large', 'important physical', 'le percentage', 'opportunity discover genetic', 'created snp', 'second identify', 'position pork', 'f4ac susceptibility swine', 'muscle correlation gene', 'aseasonal reproduction associated', '12 related parameter', 'identified teat udder', 'intestinal parasitic', 'size normal', 'trait chromosome 29', 'qtl grandparent f1', 'adhere small intestinal', 'dyds udder clearness', 'combination interval mapping', 'yorkshire population 874', 'genome qtl mapping', 'polygenic nature genetic', 'impact outcome', 'locate candidate genomic', 'rfi finding', 'affecting bft ssc6', 'chicken aggressive behaviour', 'nucleotide polymorphism porcine', 'suggested haplotype containing', 'lipid storage', 'selection age', 'black cattle total', 'dual purpose cattle', 'paternal component', 'litter size norwegian', 'potential hotspot', 'acid va desaturase', 'c12 c14', 'resistance gene clarification', 'result study helpful', 'infanticide sow', 'harbouring steer bull', 'pig providing', 'analysis identified liver', 'snp rs41256901', 'snp suggestively significant', '21 15 broiler', 'lumbar number variation', 'parasite resistance pig', 'significance threshold 24', 'feed intake bird', 'breeding company germany', 'indel identified 10', 'transmembrane drug transporter', 'weak tolerance handling', 'weight week covariate', 'genotype mean', 'antigen encoded', 'data norwegian', 'synthase tested candidate', 'gene displaying', 'gene recorded trait', 'novel qtl ssc14', 'step identifying single', 'breed haplotype observed', 'segregating bos taurus', 'chromosome 81', 'age growth chronological', 'improve precision', 'lamb approximately', 'purebreed duroc', 'study fine mapped', 'ease result', 'region swine', 'percentage csf virus', 'trotter using', 'identified chromosome 23', 'occurs fat', 'tbrd hcr1 19', '14 641', 'problem identified result', 'rflp used analyze', '01 second', 'production previously detected', 'fertility using sample', 'heritable expressed', 'ncapg gene ncapg', 'gga1 affecting bl', 'fmo1 fmo3 result', 'growing animal result', 'study refine quantitative', 'moderately highly', 'result major impact', 'sample positive ratio', 'investigated polymorphism', '12 addition qtl', 'muscle effect', 'typical western', 'data genotyped horse', 'dgat1 study', 'strong candidate qtl', 'response mutation', 'adulthood confirms', 'single broodstock', 'potential causative snp', 'including average daily', 'weakness trait', '13 15 20', 'animal marker', 'family necessarily', 'foodborne disease worldwide', 'property known', '380 snp', 'daughter 11 sire', 'dfi initial test', 'considered using', 'receptor postreceptor', 'nelore cattle', 'variation 148', 'order focus', 'bovine ank1', 'increased bayesr applied', 'tuners complex phenotype', 'leg conformation trait', 'ss8632653 bta6', 'outbreak respectively significant', 'dam related', '20 test', 'trait collected 418', 'iris heterochromia iridum', 'member ra', 'milk content', 'suggestive evidence qtl', 'morphology sp5 gc', 'snp xirp2', 'thickness backfat', 'gene regarding', 'included previously reported', 'lean muscle mass', 'content associated', 'formation basic metabolic', 'severely truncated', 'cw tmw', 'strategy including', 'result obtained previous', 'cattle require', 'gene 0006', 'trait applicable', 'ewe study', 'expression pattern additive', 'effect prp genotype', 'mutation mln expression', 'estimated major effect', 'specie knowledge gene', 'pig population purpose', 'qtl analysis detected', 'purebred meishan', 'boar identification candidate', 'resistance salmonella potential', 'population snp located', 'region addition relevant', 'revealed y7f significant', 'various public', 'explained haplotype', 'polymorphism showed', 'testis size', 'rib rump', 'region eca13 eca15', 'quality including', 'age commercial brown', 'ssc9 ssc13', 'strongyle fec coccidia', 'affecting detection group', 'permit insight', 'difference effect sire', 'failed undergo puberty', 'region ssc4 ssc7', 'small interval cm', 'whc trait', 'mutation aim study', 'zinc finger btb', 'novel method simultaneous', 'snp1 aa gg', 'step hypusine', 'mapping method qrt', '561 798', 'paternally expressed', 'represent comprehensive', 'associated driploss', 'mutation close function', 'disease model single', 'mapping method describes', 'mutation screening 129', 'primer sscp', 'gwaa using', 'affecting pigmentation significant', 'ph value loin', 'probability 14 animal', 'based level', 'model common', 'resistance far study', 'beta synthase cbs', 'gga27 harbored', 'key ancestor bovine', 'live weight lwgt', 'skeletal qtl positive', 'ldla method able', 'skatole level', 'previously detected ssc9', 'major biochemical aspect', 'chromosome analyzed', 'array gwa result', 'snp pleiotropic effect', 'significant qtl meat', '3000 snp', 'bone quality using', 'marbling score yearling', 'lei0258 allele 185', 'confirmed genome wide', 'important trait feed', 'prl interaction', 'software allowed identification', 'genetic marker sperm', 'animal beta', 'model moderate', 'custom growth rate', 'association study fixation', 'snp showed high', 'cell count conclusion', '19 78 heritabilities', 'rft marbling', 'condition component', 'economic trait milk', 'alternative objective change', 'imprinted region', 'including white duroc', 'study understanding', 'hw intramuscular', 'question compared model', 'day age alga0092396', 'productivity using', 'usually designed reduce', 'outbred population', 'osteochondrosis humerus', 'data set data', 'affect economic', 'receptor ngfr dopa', 'intercross main', 'phenotypic variation explained', 'identified polymorphism decr1', 'cm gga27', 'significance level false', 'gpt step', 'regression analysis determine', 'based summer', 'chromosome ssc ssc15', 'member xkr4 gene', 'pig meat product', 'response lp study', 'heritability difficult expensive', 'mechanism leading difference', 'pathogen specific effect', 'recorded lactation incidence', 'gene chromosome 22', 'boar taint testis', 'compared perirenal', 'group hook hmga2', 'qtls detected linkage', 'snp exhibited significantly', 'potential multi collinearity', 'comparative sequencing discordant', 'analysis performed 555', 'swr1637 ul 16963', 'examined effect non', 'ewe belonging 16', 'aa genotype birth', 'nucleotide polymorphism regression', 'reduce high frequency', 'qtl region gluc', 'snp rs412986330 recombination', 'mirnas affect', 'total 385', 'aged 18 24', '06 eqtl', 'different strategy gwas', 'organization mapped', 'genetic architecture gene', 'qtl influencing weight', '71 day', 'minolta loin', 'exon fabp4', 'retinoid receptor alpha', 'udder related trait', 'process fat cell', 'values 031 036', 'genetic composition influence', 'maximum likelihood approach', 'snp permutation testing', 'affect feed intake', 'microsatellite marker 510', 'program constraining', '10936g significantly', 'leghorn line', 'rs81434489 ssc', 'kept confinement', 'snp available f4ab', 'suggestive presence', 'showed animal', 'issued second', 'economic loss year', 'diplotypes h2h2', 'level fdr', 'selection scheme increase', 'chromosome informative', 'area rea', 'gene nol1 chd4', 'potential aid', '10 population rs339939442', 'estimated result possible', 'linkage map derived', 'marker closely', 'bvs total 79', 'fit hardy', 'bta 15', 'classical fatness trait', 'list candidate', 'identified linkage analysis', 'placement teat size', 'mentioned present work', 'inhibited calpastatin bind', 'indicate tgfbr1', 'chromosome 14 considerable', 'hs qtl 28', 'distributed 15 half', 'bovine reproduction', 'genotyped 181 dinucleotide', 'marker initial', 'dorsi 114 iberian', 'able suggest', 'detect putative causal', 'method dramatically decrease', 'yielded positional candidate', 'capn1 947 snp', 'identify locate', 'phenotype selected 30', 'vaccination identified', '790 bovinesnp50 96', 'frequency variant 42', 'pla2g12a ppara expression', 'association analysis candidate', 'feasible alternative', 'character dairy', 'deposition muscle', 'genotype respectively', 'revealed 33', 'growth poultry industry', 'fattening stage', 'types comprising', 'f4ac governed intestinal', 'incidence death therapeutic', '06 21', 'improve sow', 'dominance effect single', 'development provide', 'deletion 15079217delc', 'identify pleiotropic', 'phase association allele', 'finding reveal', 'depth allele substitution', 'identified synteny', 'analysis signature selection', 'regulation process', 'recent year h7n3', 'variation altering', 'following guideline', 'strain performed using', 'muscle rumen intestine', 'cross membrane', 'various preventive strategy', 'participating deltagen', 'data generated research', '194 microsatellite', 'increase post', 'result obtained far', 'rfa musculus trapezius', 'interval quantitative', 'study gwas carried', 'main compound boar', '180 day', 'broiler chicken bone', 'used significant genome', 'higher reporter construct', 'skeletal frame shape', 'inflammation mammary gland', 'progeny furthermore', 'identified parameter offspring', 'cm highly significant', 'result required', 'sucla2 dnajc15 dhrs12', 'region showing', 'wise interaction', 'estrus ovulation rate', 'immune defense', 'born alive 05', 'antiporter significant imputed', 'used polish direct', 'pool sire', 'effect ibk economically', 'ssr ssa20', 'f1 cross', '149876737 body weight', 'commercial duroc', 'suggested 15', 'gene utilized current', 'aspergillus fumigatus goal', 'ercr bta18 vicinity', '98 family growth', 'hsp90aa1 gene act', 'nominal significant association', 'performed result showed', 'putative qtn', '60 strong', 'boar taint performed', 'far smaller frequency', 'pig population develop', 'thyroid hormone proposed', 'support major', 'qtl thirteen qtl', 'effect consistent', 'association million', 'density volume increased', 'qtlr element', 'aafc03076794 csnps 10718g', 'insertion deletion spot14alpha', 'total 447', '14k gene', 'male longer tail', 'detrimental impact livestock', 'ayrshire dairy', 'maturity immune current', 'grandparent f1 f2', 'using informative snp', '192 result', 'exon 20 noncoding', 'influenced immune', '37 590', 'data powerful', 'sdr9c7 rdh16', 'tenderness genotyping', 'like respiratory disease', '93 mb', 'clear difference breed', 'case holstein population', 'cow test day', 'lp help prioritize', 'member contactin associated', 'bull high genetic', 'cross resequencing panel', 'trait including proportion', 'report used', 'female fewer', 'weight muscle mass', 'population region bta6', 'participated cell', 'pleiotropic qtl chromosome', 'related trait addition', 'qtl associated incidence', 'gain cattle', 'family qtl mapped', 'protein function result', 'british isle', 'cn population gain', 'detect partially effect', 'estimate suggest', 'ssc8 sscx', 'model analysis qtl', 'genetic architecture female', 'trait example network', '81 bp downstream', 'adjust population structure', 'specific gene breed', 'basis early identification', 'related water', 'deformity rate', 'nbea gene result', 'expression qtl', 'gene initially forthcoming', 'finding field', 'present meishan linkage', 'swine breed', 'variation haplotype frequency', 'wide level erythroid', 'pedigree based blup', 'segregation analysis provided', 'tyrosine phosphorylated phosphoinositide', 'detected qtls 30', 'ww bwt', 'level skin', 'new melanoma susceptibility', 'generated c4715t mutation', 'volume vol duroc', 'red chicken eliminate', 'merino merino backcross', 'evidence epistatic interaction', 'indicating prlr', 'considering breed', 'tall fescue', 'tenderness long', 'weight ham', 'holstein population strongest', 'quality research mqr', 'expression adiponectin', 'increased 13 based', 'trait heritable potentially', '17692c 17707c', 'high glatt kosher', 'detected 100 snp', 'bw shank', 'litter size revealed', 'montana tropical composite', 'candidate gene cluster', 'parental line address', 'tumor initiator locus', 'israeli holstein cattle', 'intake unexpected', 'expression data', 'level acvr2a', 'fatty acid trans', 'contribute understanding genetic', 'comprehensive systematic view', 'day insemination', 'deposition skin', 'loss concern animal', 'multiple promising', 'set ensembl', 'consecutive year university', 'mtpap gene obtained', 'eye height fat', 'fimbria different fimbria', '22 cm 17', 'axis phenotype genetic', 'weight body condition', 'homeologues duplicated qtl', 'ssc6 ib', 'cacna2d1 gene resolved', 'generation swine', 'possibly ovulation', 'role chromosome', 'genotyped 51 molecular', 'phenotyped packed', 'fatness trait located', 'weight aa ab', 'background carcass', 'tissue decreased fat', 'estimated end', 'furthermore trait breed', 'distinct chromosome critical', 'callipyge phenotype sheep', '10 fine mapping', 'induced fshb', 'comparative genetic', 'antigen cancer study', 'bf gene considered', 'le subcutaneous fat', 'backcross recombinant', 'yield measure pig', 'bull significant', 'dorsi 45 candidate', 'lamb birth', 'chosen sire 200', 'milk furthermore', 'position candidate', '175 charolais', 'fertility probably', 'used blupf90', 'cdc42bpa kcnip4', 'influence relevant', 'concordance result large', 'depending trait consideration', 'feedstuffs decrease volume', 'cw chromosome quantitative', 'day open', 'captured informative', 'gain using genomic', 'interval mapping identified', 'analysis related meat', '172 prt', 'content carcass', 'egg laying', 'trait variation new', 'studying genetics', 'vstm1 irf3 qtl', 'construct associated candidate', 'draught horse', 'developmental hnrnpd ahr', 'study mapped qtl', '27 microsatellites', 'lifetime average', 'related family member', 'cyp2r1 clinical', 'contains quantitative', '321a 324g 626t', 'alive nba genotype', 'growth restriction evident', '423a significant', 'intake feed efficiency', '40 cm qtl', 'positive parity negative', 'complex trait combine', '03 10', '52 snp chromosome', 'association retained', 'mashen breed', 'population used increase', 'breed showing expression', 'cm 01', 'fetal response prrsv', 'lipid metabolism pathway', 'future study targeting', 'additive imprinting', 'potential functional effect', 'qtl pinpoint area', '031 bull originating', 'percentage cow', 'proportion casein', 'role pathway related', 'allele occurred', 'described course lactation', 'genomic blup applied', 'adjust significance threshold', 'best km time', 'chick f2', 'identified mutation dilution', 'cattle purpose study', 'material analyzed', 'trimming record', 'spacing mb', 'resulting difference', '20 23', 'measure fertility', 'ham salami', '13 autosome', 'cut value', 'region 26', 'horse genome wide', 'family 96', 'fiber trait', 'growth wl77 low', 'acid composition associated', 'affect pp', 'differential expression protein', 'kit gene major', 'stability confirm', 'parity spef2 gene', 'polymorphism gene boar', 'cell pig identified', 'background saturated', 'sequencing seven snvs', 'higher aa 05', 'rs14011783 rs14011780', 'effect endophyte infected', 'racing myostatin', 'mainly abdominal', 'effect protein', '910a 995g', 'growth result corrected', 'report mapping imprinted', 'trait main', 'rate estimated effect', 'aa bird', 'agent great', 'hen growing', 'responsible lea', 'result suggest snp', 'precision power', 'discover genetic architecture', 'single month', 'responsible skin', 'nutrition technological', 'pig problem', '88 microsatellite marker', 'model ct gt', 'typhoid heritable', 'variant potential', 'gga5 gga14', 'bmp7 bpifb3', 'balance pro', 'trait rg', '15 grandsires 608', 'site altered', 'data independent sample', 'weight akt1', 'panel gene mapped', 'classified fat', 'gwas detected region', 'hematopoiesis osteogenesis cell', 'trial 200 pig', 'pathway trappc9', 'confirmed furthermore', 'mepe particular suggest', 'bta25 region 17', 'qtl test position', 'bta bta', 'heterosis multiplicative', 'window region', 'locus qtl body', '528 hsp90aa1', 'classical milk', 'osteoporosis previously showed', 'gga2 11 genotyped', 'cardiovascular craniofacial neurocognitive', 'gain evaluate prkag2', 'using 60k porcine', 'qtn named bovinehd1400007259', 'sequencing help confirm', 'chromosome reported', 'prdm16 locus growth', 'length rl', 'identified age', 'clean wool', 'effect order identify', 'lamb associated', 'minority fv', 'reflect cow', 'resistance far', 'study identify genes', 'increasingly studied effect', 'affecting rfi pig', 'showed gene strongly', 'bird body', 'performed muscle wide', 'parity 06', 'causative gene useful', 'lower probability', 'revealed porcine gsk', 'relaxed test', 'comparative mapping mouse', 'helped refine', 'frequency higher', 'snp ssc7', 'basis qtl study', 'driven hand', 'difference ability maintain', '480 animal', 'impact milk', '06 ratio lifetime', 'snp 95', 'validated based simulation', 'cattle weighed birth', 'region associated marker', 'hypothesis performed', 'associated meat colour', 'contribution 41', 'linear model allele', '60 671', 'caused pathogen', 'model revealed', 'result approximately', 'block 32 77', 'correlated body length', 'terminal krab', 'tick primary', 'significantly greater bw70', 'rate difficult', 'milk order investigate', 'region backfat sus', 'season difference prkag2', 'map consists 462', 'harbour quantitative trait', 'sc gene', 'developed gene', 'german qtl eca9', 'region exceeded chromosome', 'followed cast', 'splice variant constructing', 'based selected', 'comparison haplotype', 'glucose transporter', 'population using', 'oc homozygous heterozygous', 'phenotypic variation shank', 'detected steer group', 'chromosome 10 location', 'genetic variation porcine', 'milk producing dairy', 'centre lacombe', 'genetic variability qtl', 'qtl tested', 'meishan fetus higher', 'maturation ovarian follicle', 'sheep population nv', 'tenderness carcass', 'feather improve', 'pleiotropic effect fp', 'specific serum', 'epistasis pronounced prior', 'significant association dgat1', 'gallus gallus', 'fitted alongside', 'polymorphism snp 667', '16 chromosome 24', 'cis 14 genomic', 'assessed 708', 'cluster smaller genetic', 'growth trait 14', 'aspect global', 'sampling animal end', 'gene interaction network', 'factor recognition site', 'myostatin transforming growth', 'detected qtl new', 'gradefat 15', 'polymorphism snp 48476925c', 'altering balance', 'infection genome scan', 'sire line commercial', 'suggestive qtl located', 'triglyceride level respectively', 'ear trait time', 'study fine map', 'based sparse', 'reaction limiting rate', 'polymorphic selection association', 'pmga 56 10', 'identified blackface', 'autosome ssc using', 'defining subtypes complex', 'mastitis divided seven', 'chromosome 10 14', 'ph color semimembranosus', 'development high', 'mutation type abhd5', 'second qtl located', 'cpd german', 'group screening', 'annotation snp', 'provides promising approach', 'small interval spanning', 'targeted region possible', 'accelerate reduction', 'acid asparagine', 'interaction evident', 'resistance following daughter', 'weight threshold', 'year sex management', 'study dystocia stillbirth', 'offered greater power', 'percentage marker', 'score approach', 'examine effect odc', 'associated sexually', 'ew helpful illuminate', 'residual considered', 'muscle volume loin', 'genotype using single', 'gga1 205', 'curve located second', 'genetic selection provides', 'meishan f2family', '22 bp', 'pig subjected', 'spp1 confirmed vitro', 'mastitis resistance buffalo', 'observed sporidesmin dosed', 'weight fat depth', 'cooperative dairy dna', 'background serum', 'qtl ssc5 ssc7', 'stress qtl region', 'european large', 'analysis serum leptin', 'cnvr showed', 'cattle result significant', '14 affected endosteal', 'located lap3 lcorl', 'snp dna dosage', 'effect female', 'contributes genetic disorder', 'plus skin cock', 'exponentially rising', 'snp spanning 97', 'suggesting genetic', 'typed 52', 'experimental diallels', 'ranged 18 growth', 'dry cured product', 'crossbreeding study', 'effect significant genomewise', 'backfat thickness abt', 'polymorphism carcass', 'indicate loss maternal', 'ggaluga348518 179', 'specific staph', 'atf3 dgat2', 'reduce level heme', 'using kasp genotyping', 'generation pig comprised', 'il8 gene', 'opportunity study', 'harboring candidate gene', 'controlling tick', 'ncapg ile442met previously', 'value ebv reliability', 'cluster effect', 'conditional analysis', 'demonstrated presence separate', 'monogenic dominant', 'rs41694656 associated', 'number significant interaction', 'marker entire chicken', 'mlw population', 'sustainability animal', 'hmga1 stood', 'variance compelling', 'estimated used specific', 'axis including hormone', 'iii single', 'single boar', 'support importance gene', 'approach pathway', 'advance estimated', 'order reduce production', 'procedure model snp', 'multivariate mixed model', 'compression adhesion', 'significant adjustment', 'verified coimmunoprecipitation', 'width weight population', 'potentially exploited marker', 'utt additionally', 'churra population', 'environmental adaptability finding', 'multivariate model principal', 'presence opn', 'carwell locus segregating', 'snp false', 'observed indicating different', 'scored illumina', 'tn 110 cm', 'lm model using', 'abtb2 gramd1b', 'developmental stage mammal', 'combining data cross', 'totaling 927', 'polymorphism btb susceptibility', 'related lipid', 'throughput single', 'allele segregating', 'containing 26 zfyve26', 'haematocrit percentage', 'lipid regulation', 'genotype conformation performance', 'consisted large half', 'possible selection', 'lepr gene considered', 'simple explanation obvious', 'control genotyped', 'information pattern 500', 'normal tnf', 'clearer boundary linked', 'intermediate measurement given', 'analysis minor', 'explained respectively genetic', 'paternal allele', 'family family finding', 'runx2 used', 'fat percentage canonical', 'chinese origin', 'f2 chicken suggestive', 'exhibited additive', 'mellitus factor', 'milk production', 'animal selection', 'cattle chromosomal', 'paternal expression backfat', 'fabp4 significant effect', 'strength cross', 'associated abdominal fat', 'genotypic value ranged', 'ssc12 05', 'tenderness ssc fine', 'culling dairy', 'frequent haplotype hap12', 'bird brazilian f2', 'lrp12 trib1', 'g11 genotyped genome', 'productive animal particularly', 'association growth', 'potential ssc1 detected', 'quality attribute cattle', 'background independent', 'identified sult1a1 cyp2e1', 'mapping breed strongly', '105 holstein friesian', 'forest rf approach', 'meta analysis le', 'fat mass', 'glycogen ssc1 study', 'layer wl bird', 'simplem method', 'genomic heritability', 'pig affect growth', 'related trypanotolerance identified', 'trait indicate', 'μg matched', 'breed shared similarity', 'data bc analyzed', 'akr1c4 significantly', 'qtls pig', 'portion breeding female', 'beef animal meat', 'able use genomic', 'qtl role metabolism', 'pig rat mouse', 'motif protein', 'phenotype cattle', 'breed locus', 'pleiotropic effect f2', 'region spanning promoter', 'associated fcr 293', 'analysis carried subsample', 'qtls fetlock', 'furthermore plausible candidate', 'extends region mb', 'lipid metabolic', 'developed dna', 'weight bfw leaf', 'substantial step', 'genome sequence high', 'included million test', 'strength revealed novel', 'chr linkage disequilibrium', 'affecting obesity mouse', 'backfat bf', 'derive new', 'expressed mastitis infected', 'fiber characteristic', 'trait potential', 'qtl position different', 'informative qtl gene', 'salmonid fish', 'animal selection result', 'conclusion involvement', 'position fat1', 'mll width', 'regression multidimensional', 'cell score bos', 'resource population igf1', 'literature mining indicated', 'included box cox', 'noire du velay', 'associated trait significant', 'texture score snp17', 'line disease', 'directly measure lameness', 'ow 24296', 'gene snp showed', 'bta15 cd82', 'locus fat', 'thorough understanding genetics', 'effect chicken il', 'lw point', 'marker abge342', 'breed particular tropical', 'eosinophil lymphocyte monocyte', 'insulin receptor substrate', 'shed light physiological', 'lymph node transcriptome', 'mapping precision', '10 putative adg', 'estimated sum fatty', '29 kb downstream', 'family non', '216 horse', 'mature gga', 'multiple transcription factor', '439 ca ratio', 'variant upstream', 'cm somatic cell', 'effect qtl afe', 'imprinted gnas gene', 'ssc15 sscx significantly', 'friesian dairy', 'occurrence blood meat', 'positive correction bonferroni', 'used efficiently', 'trait greatly benefit', 'bm detected chicken', 'mgll identified', '41 significant', 'present multiple', 'associated milk protein', 'diabetes mellitus', 'age gene', '90 minor allele', '68 genetic variance', 'confirmed sequencing', 'horse analyzed using', 'polymorphism persists', 'fundamental research', 'progenitor modern', 'length chest girth', 'meat quality milk', 'fat percentage', 'rab27a required enveloped', 'gave statistically', 'bind lp', 'single amino', 'study necessary', 'oar6 cm distal', 'level ld', 'graph qdg mapping', 'bf fat area', '88e 05 protein', '1387c fully linked', 'mir locus linked', 'segregation sscx qtl', 'tuberculosis tnf promotes', 'association egg production', 'trait thirty snp', 'bta28 associated trait', 'pigment specific', 'animal 140 landrace', 'layer 18 white', 'finding suggests muscling', 'meta analyses', 'telomeric end chromosome', '12 71', 'major conserved', 'study gwas identify', 'associated adiposity', 'software employed', 'load 004 study', 'assembly comparing', 'searched single', 'trait qtl ssc7', '33 105 son', 'model residual', 'difference selected trait', 'strategy highlighted number', 'haplotype 10', 'qtl 10 genomic', 'mcv 10', 'avoiding iteration', 'herd beneficial', 'haplotype milk production', 'referred qtl mode', 'eu sire', 'cattle pcr', 'resource family created', 'tt genotype tt', 'snp il 10', 'ssc fatness unexpectedly', 'lectin pathway form', 'ncccwa growth', 'platelet volume', '55g significantly', 'score 10 chromosome', 'dcd ch', 'pool matched non', 'consisting average 20', 'population derived intercross', 'gene assigned', 'ita hsp90b1 col18a1', 'underlying various', 'steer family indicating', '6744 cow genotyped', 'qtl performing', 'haemonchus contortus', 'interval refined partly', 'score female', 'significantly higher bull', 'age 17', 'level genotypings', 'pcnx additional 46', 'associated backfat thickness', 'chicken previously', 'interval detected', 'hematocrit plasma', 'significant estimate contribution', 'suid herpesvirus suhvi', 'breed respectively', 'basic material transport', 'formation skin', 'ovinus qtl', 'training information 282', 'dam based', 'respectively gene involved', 'effect arg236his', '05 association analysis', 'trait eggshell', 'empirical value', 'locus model tested', 'backcrosses line selected', 'hd beadchip result', 'analysis suggest large', 'best cv', 'particularly lipid', 'genetic variant responsible', 'bb ab analysis', 'bft rump', 'grazing ruminant', 'vitamin evaluated effect', 'allele 251 253', 'provide valuable prior', 'discovered number', 'milk dna', 'polymorphism 10 microsatellite', 'heavyweight broiler', 'model tlr9_tt', '62 phenotypic', 'farm sheep litter', 'pig despite', 'polymorphism gene unlikely', 'allelic heterogeneity existence', 'family genotyped 144', 'segment flanked marker', 'pp1r16a tep1', 'attempting practical implementation', 'framework identify causal', 'igf2 affect carcass', 'corrected genome wide', 'progression transmission risk', 'status resource population', 'tbrd validate', 'world using', 'qtl carcass composition', 'significant snp seven', 'cattle progeny', 'height specie', 'model used polish', 'bta02 prim holstein', 'approach detected strong', 'gene rfi development', '30 50 increase', 'myogenesis binding cat', 'viable piglet', 'breed meishan', 'rorc 3290t', '435aa 447gg individual', 'population infertility', '036 pp respectively', 'treating ibk', 'gene cloned mapping', '4500a 4950c identified', 'rfi 05', 'sfa highly', 'bayesian stochastic', 'strong linkage disequilibrium', 'sc family', 'effect body parameter', 'telomere homologous human', 'suggested play important', 'iberian breed', 'polymorphism snp evaluated', 'architecture resistance susceptibility', 'functionally related resistance', 'carcass weight 12', 'chicken egg cow', 'composition characteristic', 'pig slaughtered 160', 'increased sharing', 'abdominal fat content', 'brsv vaccination region', 'prnp gene searched', 'signaling cell proliferation', '264 sheep different', 'consumer european asian', 'conformational trait observation', 'stature nordic red', 'detection sample comprising', 'ex11 represent functional', 'variant associated feed', '11 trait including', 'ipnv 768 individual', 'detected independent analysis', 'distance suggested region', 'study identified genetic', 'wfe conducted', 'nadp malate dehydrogenase', 'ecotypes ghana', 'major danish dairy', 'random sample', 'kb containing', 'nhi line selected', 'girth loin muscle', 'sire pcr', 'significant 54 supported', 'model applied statistical', 'study combination follow', 'alive 05', 'distinction close', 'smaller effect chromosome', 'spp adult abomasum', 'expression oocyte', 'contribution study genetic', 'discovery qtl', 'design cattle secondly', 'function melatonin play', 'dynamic en', 'gg ct', 'influence natural', 'metabolism deposition', 'percentage 70', 'qtl gelbvieh growth', '12 04', 'negatively correlated', 'activity analysis', 'dyskinesia human cnvr', 'ssc6 qtl affecting', 'current study potential', 'detected total number', 'bind lp lta', 'fat trait dairy', 'animal life stage', 'variation associated multiple', 'qtl bta 16', 'use ige', 'using bovine population', '5476th bp lg', '198 type noninfectious', 'approach combination', 'caused hypersensitivity reaction', 'thickness meat tenderness', 'divergent androstenone', 'recombinant progeny', 'multiple reason', '17 genetic', 'use breeding program', 'mineral area measured', 'provide confidence', 'targeted gene', 'danio rerio', 'f2 sutai duroc', '581 animal', 'based blup', 'mb bta5', 'variation contribute rfi', 'contains multitude', 'detected twinning', 'hydrocarbon receptor ahr', 'mutation underlying qtl2', '74x10 recessive', 'promoter intron', 'segregated according qtl', 'detection study nrr', 'sdhc locus', '72472 genotype', 'pleiotropic role', 'myostatin mstn loss', 'family population multi', 'rumen ampk contributing', 'artificially selected', 'chromosome 20 performed', 'snp cacna2d1 gene', 'control grammar', 'use sharper phenotype', 'animal backcross', 'untranslated region', 'pathogen virulent response', 'sow aggression', 'genetic determinism', 'allows genome', 'gene evaluated putative', 'proportion false positive', '877 variant regulatory', 'effect milk performance', 'different trait detected', 'population commercial', 'region discovered', 'taint androstenone', 'uncover underlying causal', 'genotype snp1', 'qtls affecting 24', 'demand important', 'criterion selection horse', 'study understanding host', 'g0 g1 phase', 'identify qtl accounting', 'improves understanding', 'toxicosis polymorphism gene', '1800 bull', 'based selection report', 'detected accounting 10', 'gene remains', 'stearic acid 18', '27 previously qtl', 'nr3c1 important candidate', 'polymorphism tightly', 'copy number cn', 'proposed lead candidate', 'resistance nordic holstein', 'gene near refined', 'hypertrophy snp 2449g', 'threshold sq1 developmental', 'ubiquitination factor e4b', 'snp putative', 'change expression protein', 'surface pathogen', '19 fat trait', 'deleterious consequence', 'site zbrk1 transcription', 'weight withers height', 'population relative ch', '578 bull', 'gwas identified', 'variation water', 'encoding deduced protein', 'context region complex', 'lp 100 95', 'sw520 ratio', 'testing limited', 'climate condition', 'analysis assigned', 'identified bta6', 'sex averaged map', 'development growth', 'reduce aggression understand', 'composite clinical', 'ggaluga348518 179 kb', 'population 1171 animal', 'sheep commercial', 'validate association', 'peptidase 44', 'specific gene slc37a1', '54 qtl', 'significance week', 'marbling score respectively', 'collected dasan breeding', 'gene mterf2', 'sex antagonistic qtl', 'different study used', 'chicken indigenous', 'evaluation genome wide', 'good animal', 'sire haplotype percentage', 'french large', 'linkage percentage', 'myod1 involved', 'change milk composition', 'infected non', 'flanking intronic', 'method aim study', 'region tibia length', 'low high', 'lg variant precursor', 'lcorl arrdc3 stc2', 'approved artificial insemination', 'gene family inhibitor', 'phenotypic modulation', 'included lcorl ncapg', 'moment calibration ct', 'mrna regulated', 'population linkage disequilibrium', 'line 170 male', 'study highlight', '004 pig selected', 'locus critical region', 'class genomic', 'marbling water holding', 'estimate su wld', 'vrindavani cattle using', 'calpian capn1 gene', 'variation locus explain', 'compared zebu', 'study gene', 'data 796', '0001 ltnp increased', 'associated total number', 'genetics body', 'number marker 100', 'lep prl stat5a', '44 fe 43', 'evaluation population consisting', 'population qtl', 'measured plasma cortisol', 'phlpp1 gene additional', 'model 332 erhualian', 'sampled germany italy', '05 seven', 'gpt 143', 'breed study conducted', 'associated mir predicted', 'genetics extensively studied', 'abdh5 expressed', 'calving performance progeny', 'position ssc12 fatty', 'association snp imf', 'weight maturity', 'model heterogeneous', 'code multiple pdz', 'bovine prdm16 allele', 'reactivity tolerance', 'indicated superiority gaussian', 'single cross population', 'region 14', 'qtl environment', 'inflammation mammary', 'harvest weight continuous', 'dq474064 dq474068 genbank', 'lactose milk urea', 'fasn multifunctional enzyme', 'light finding potential', '0314 total population', '10 view reveal', 'basophil eosinophil lymphocyte', 'population novel snp', 'muscle phylogenic', '180 f2', '42 72 cm', 'highly significant value', 'mechanism action amino', 'technology investigated', 'testing significant association', 'virus hiv ovine', 'marker resistant susceptible', 'directly use', 'gr 93', '792 japanese', 'difference detected', 'test location', 'practice genetic variation', 'confirmed combined', 'purebred crossbred creole', 'lifespan cow using', 'increased strategy genetic', 'ct average', 'analysed faecal', 'associated bw abdominal', 'family additional', 'evaluate elovl6 gene', 'cob study', 'study conducted experimental', 'area average backfat', 'trp80stop referred snp', 'increase ph', 'pig grouped', 'chromosome 17 19', 'skin chinese', 'polymorphism amplicons', 'meat marked loss', 'using snp chip', 'polymorphism affect broiler', 'derived broiler layer', 'lod score lei0071', 'sc herd life', 'silico translation indicated', 'study gm', 'sd 021 078', 'determine effect single', 'profile beef', 'fourfold higher', 'pathway controlling', 'suggest traditionally', '90 sscx', 'directly calpain report', 'seven family', 'previously reported non', 'kg negative compared', 'ewe distributed half', 'analysed 600 single', 'ncapg chromosome condensation', 'variant segregating commercial', 'weaning 05', '446g respectively detected', 'bird reference gwas', 'ch4 production region', 'little rln', 'design using holstein', 'region potentially', 'nematode study aimed', 'strain develops hereditary', 'analyzed trait showed', '160g 437g', '435g 447a affected', 'snp daughter', 'trait proportion genetic', 'mapping identified 42', 'associated meat quality', 'c4a2 gh locus', 'generally effective prevention', 'investigation validate qtl', 'trophoblast function', '036 pp', 'adjusted fixed', 'remarkable number qtl', 'record multiple generation', '160 cm gga27', 'day opposite homozygous', 'percentage bta1', 'study 13', 'aa observed', 'mer peptide', 'carcass quality trait', 'haplotypes presented', 'locus prior', '103 lamb', '57 furthermore', 'mapping sus', 'average lifetime', 'include development', 'different cattle resource', 'resource fine', 'snp beadchip 680k', 'genome sequence assembly', 'peak values', 'tert locus nearby', 'mutation affected trait', '140 kg detected', 'factor dramatic', 'shank 21 tibetan', 'single marker analysis', 'autosome included analysis', 'nonsynonymous polymorphism', 'metabolite glucose', 'scan useful', 'imprinted locus shown', 'effect snp reproductive', 'bovine autosomal chromosome', 'pig work necessary', 'probe incubated', 'horn rare modern', 'qtl sc', 'genbank dq494488', 'cart melanocortin receptor', 'individual blanco', 'pregnancy parturition', 'detected microsatellite', 'mapping qtl region', 'ssc3 18 qtl', 'related breed level', 'close 60 genetic', 'total 7258 bp', 'marker related growth', 'effect polymorphism backfat', 'lifetime average days', 'slaughter age', 'near telomeric', 'meg3 pig result', 'property addition investigated', '001 averaging 61', 'ph value conclusion', 'ww daily', 'random model', 'flavour previously', 'breed grandsire', 'segregating breed confirmed', 'impact fe complex', 'animal model significant', 'group located', 'snp43 carcass', 'information linkage', 'trait showed use', 'chromosome outbred', 'phenotype genetically simple', 'significant slc11a1 region', '6n carrier male', '70 05 150', 'positioned previously', 'test including', 'clinical case', 'qtl associated bodyweight', 'effect efficient', 'used genetic architecture', 'parameter parameter', 'modification stress response', 'association pax3 variant', 'analyzed interval mapping', 'individual born', 'qtl reached chromosome', 'mapped region', 'region zo', 'interbreed difference', 'selection estimated', '05 01 mutant', 'total 696 animal', 'brown layer 18', 'variant rs43555985', 'western blot', 'study extend', 'performance trait beef', 'ssc6 minolta value', 'yield heterozygote', 'animal stature', 'cd8 cell', 'selected body', 'significant snp ggaluga151406', 'finding advance understanding', '233t 164a 928g', 'pig wild', 'disorder occur', 'model assuming', 'gene strong positional', 'known play', 'increase milk protein', 'quantified expression level', 'polygenic heritability susceptibility', 'mirna key', 'ssc8 qtl', 'genomic selection trait', 'gwas exterior', '48 cm family', 'glucose genome wide', 'record illumina', 'affected bmd', 'fmo1 fmo5 map', 'ratio fcr number', '17 18 20', 'initial genome wide', 'region ssc13', 'influencing ewe', '593 cm', 'performance acute', 'level kr kr', 'nature genetic determination', 'cm marker interval', 'genetic control little', 'genomic selection model', 'index 0005 0001', 'bovine keratoconjunctivitis', 'identified m1 m2', 'previous result duroc', 'quality reproduction production', 'new world', '435 447a allele', '959 46', 'family previously shown', 'accuracy significance qtl', 'strongly associated body', '200 significant position', 'gene contains', 'leading smaller', 'association conductivity', 'antigen sge compared', 'ovinesnp50 genotype animal', 'animal model heritability', 'information obtained', 'fatness standard able', 'libechov minipig', 'value somatic cell', 'mapped ssc6q12', 'likely closely', 'case control', 'expression genome', 'genotyped polymorphism', 'located 50', 'epistatic effect explained', 'ssc13 explaining', 'conformation muscularity improved', 'combination gwas', 'conserved mammalian', 'gain iranian makoei', 'high throughput method', 'subspecies underlie', 'week 1730t', 'able trace genetic', 'hydrolase domain', 'based 29', 'performed detect quantitative', '11 qtl chromosomal', 'birth weight', 'offer limited knowledge', 'snp located pig', 'variation explained significant', 'resistance gastrointestinal parasite', 'intake secretion', 'autosome bta6 bta14', 'following adjustment multiple', 'weight length wither', 'distinct tandem', 'site revealed 17g', 'confounding factor', '10 11 week', 'qtl region bta04', 'heritability estimate limited', 'ovis_aries_v3 released october', 'kingdom crossbred', 'identification snvs known', 'novel retinoid', 'significant effect dressed', 'negative association detect', 'hsa11 70', 'rank based nonparametric', 'pp near marker', '51 48', 'drd2 drd3', 'ranged 05', 'novel qtl analysis', 'dominance model nominal', '250k single nucleotide', 'mesh enrichment', 'protein percentage respectively', 'strength intercross wildtype', 'mbp chromosome 60', 'tail phenotypic distribution', 'significance genome region', 'targeted bta mir', 'location pde4b estimated', 'whey protein mammal', 'presence 19', 'allele corresponds critical', 'candling reveals', 'eca9 previously reported', 'radiation hybrid', 'genotyped 250 f2', 'jersey cow contained', 'marker bta26', 'total 420458', 'marker include', 'gene complete linkage', 'rate equivalent cc', 'snp31 showed significant', 'describes mixture distribution', 'qtl allele imprinting', '131c translated region', 'pig adhesive', 'signalling gene', 'obtain information', 'tarantino approved', 'design consisted 100', 'regression approach', 'using seven', 'female reproduction generally', 'refine mapped position', 'qtl exhibiting', 'lod 47', 'gwas using 50', 'livestock continues cause', 'italian brown 745', 'evaluates role genetic', 'effect qtl explained', 'strict control', '02 hock', 'cw marker', 'content meat quality', 'chicken candidate gene', 'lactation milk fat', 'cow cy', 'location variance component', 'basis horn', 'bioavailability receptor postreceptor', 'hind limb joint', 'responsible highly prolific', 'impact genetic mechanism', 'genomic context expression', '01 significant result', 'qtl analysis map', 'skip upregulated 65', 'content backfat thickness', 'identified oc', 'ascites reduction commercial', '3α hin1i', 'biological mechanism affecting', 'order relative', 'expression variation gene', 'bta using imputed', 'respectively snp effect', 'indicated shared', 'gblup methodology repeated', 'snp 8068 reached', 'thrgibbs1f90 version 110', 'analysis facilitate accurate', 'recorded f2 female', 'examination basis degree', 'lg content', 'proximity backfat qtl', 'disease mouse', 'quality major challenge', 'iii evaluate', 'rate linear carcass', 'trait level', '20 chinese holstein', '52 relatively high', '46 day 48', 'dgat1 ptpn1', 'additive dominant imprinting', 'ssc14 colour', '234 bc1', 'coefficient variation fibre', '150 ai sire', 'effect qtl quantitative', 'gh1 ssc12 prkd1', 'osteochondrosis polish warmbloods', 'trait used bayesian', 'cwt bta20 key', 'resistance assembled', 'screened marker', 'fixed qtl effect', 'detected ssc6 ib', 'assessment productivity', 'seventeen paternal', 'result study identified', 'variation carcass', 'mdv fowl', 'controlled pig', 'association promoter', 'tbg qtl region', 'population evaluation commercial', 'age 145 sexually', 'marker bta04 strongly', 'impact human', 'axiom affymetrix', 'conclude myog snp', 'relative extended haplotype', 'associated direct calving', 'percentage cw tmw', 'resulting amino', 'adrenal gland change', 'region significant', 'fresh pork consumption', 'organism contribute distinct', 'additionally aca haplotype', 'sequence variant ppard', 'finding duroc', 'oviposition afe', 'validation large scale', 'sized native', 'economic trait swine', 'cyp11b1 dgat1 explained', 'xqter respectively', 'novel linkage analysis', 'using defined', 'gene genotyped association', 'additional chromosomewise significance', 'analysis defined', 'dairy cow alternative', 'gene tef1 rtef1', 'potential marker', 'mb intermediate', 'association study qtl', 'sire novel bp', 'architecture particularly beef', 'elovl6 fabp4', 'general individual effect', 'information following', 'homologous human chromosome', 'cattle net feed', 'size qtl ssc5', 'previously detected cattle', '118 119', '38 10 12', 'cell prosaposin psap', 'cattle herd qtl', 'associated chromosome association', '20 earlier', 'ssc previously', 'composition awassi ewe', 'canadian angus', 'high genetic', 'mutation lie', 'wean conception interval', '05 10', 'madison research', '39 isu 32', 'm259t respectively', '26 underlying', '05 01 dmy', 'autosome chromosome mean', 'different chromosome explain', 'genotype lda', 'multiple measurement biologically', 'alberta lacombe research', 'completely linked pig', 'appealing determine favourable', '183 microsatellites', 'conformation functional trait', 'phenotype le percentage', 'innate immune pathway', 'qtl region showing', 'dj ca fe', 'broiler feed account', 'enzyme identified', 'animal investigated', 'composed cattle breed', 'site snp position', 'property meat', 'mastitis trait', 'downstream transcription', 'region sex linked', 'variance locus contributing', 'strong signal', 'overlapped number', 'gga11 failed', 'background increase power', 'background integrative', 'area obtained', 'responded heat', 'length allele ank1', 'mainly drug recently', 'process marker assisted', 'bta binary', 'heterozygosity estimate', 'trait identify potential', 'result showed rs13997809', 'implication immunity', 'bt rib', 'egg weight snp', 'igf1 gene known', '180 used additionally', 'need genotyped', 'pig phenotyped', 'affecting meat', 'called gdf8', 'expression efficacy ifn', 'independent discovery', 'set id', 'cluster include', 'investigate snp region', 'number service', 'reported result', 'chicken comb analysis', 'innate ti', 'loki software used', 'mastitis resistance dairy', 'effect large previously', 'height electropherograms quality', 'qtl pig chromosome', '51 single nucleotide', 'displayed obvious', 'important table', 'female reproductive skeletal', 'locus lep', 'molecular trait known', 'supporting evidence', 'ones paper', 'difference domestication', 'synonymous mutation snp2', 'transcription factor strong', 'gene candidate region', 'oar2 quantitative', 'ebv pat high', 'influencing variation', '0001 protein', 'level phenotype result', 'yield aim study', 'day egg weight', 'resistance paratuberculosis', 'lambing heterozygous state', 'vrnt proposed strong', 'kg 001 present', 'performed association test', 'information epistasis add', 'varied health', 'indigenous pig', 'day body weight', 'conformation trait chromosome', 'value ssc6', 'suggest specific gene', 'individual combined', 'qtl localized linkage', 'efficiency great impact', 'selectively bred', 'temperature rt respiration', 'adjusted yearling', 'age assessed', 'region economically', 'panda 96', 'jersey breed genomic', 'cm 25 55', 'parasitism production', 'cattle jersey', 'located hel9', '21 respectively', 'sire 93 32', 'population chromosome test', 'snp associated bwt', 'line pig', 'trait chromosome heritabilities', 'fat nitrogen content', 'analysis omy16', 'prkag3 conclusion', 'genome wide polymorphic', '15 26', 'given level', 'purpose research explore', 'role innate', '15 card15 important', 'width near significant', 'plod1 dlx1', 'size maternal calving', 'suggestive threshold qtl', 'incorporating marker', 'number properly weaned', 'suppressive herpes virus', 'variant using snpeff', 'software genome wide', 'evaluated 19', 'factor rao quantitative', 'association trait result', 'collected consisted', 'issue great concern', 'taint demanded androstenone', 'nutrient processed', '90 281 day', 'chromosome rfi', '23 32 respectively', 'regulation temperament', 'trait exon 18', 'sequencing technology examined', 'flexible genetic', 'autosome previously proposed', 'imprh porcine', 'obesity combining', 'qtls highly', 'adj average daily', 'breed syntenic', 'vicinity quantitative trait', 'disorder human', 'fst run', 'positional candidate cloning', 'study detected qtl', 'evaluation sire seven', 'tt psi tt', '001 eye muscle', 'individual fabp fabp', 'separately study origin', 'bta04 narrowed region', 'factor examining age', 'model cause', 'ssc6 gene', 'gain adg data', 'epistatic genetic', 'effect 32 03', 'locus associated', 'understand pathophysiological', 'suggestive association 03', 'rfi altering', 'polymorphism snp bovine', 'cnvs susceptibility', 'fshr gene influence', 'growth rate successive', 'marker previous', 'chromosome bta affecting', '110 cm ssc12', 'covering 23', 'infection result provide', 'neaurp used present', 'marbling qtl mapped', '0051 modelling', 'production italian', 'genome selected', 'composition clear', 'snp located promoter', 'objective genome', 'gave rise 63', 'cd4 cd8 cell', 'region 30 cm', 'chip illumina', 'data 56', 'showed method control', 'livestock continues', 'work provides', 'breed origin', 'sw2130 chromosome sw2516', 'cell autophagy critical', 'phk function', 'score herd', 'putative qtl exceeded', 'major signal', 'historical recombination observed', '05 effect', 'including domestic animal', '16 12 71', 'phenotypic value changing', 'expression function', 'qtl segregating status', 'hf subsequently', 'locus amidst', 'snp 841 dairy', 'study suggested 15', 'residual variance', 'association ghr rs109136815', 'region odc gene', 'linkage qtl interaction', 't65444c affected growth', 'second farrowing', 'estimate fitted', 'individual mineral danish', 'research mqr', 'tolerance subsequent increased', 'affecting trait association', 'agreement reporter', 'chromosomal region marker', 'lower age', 'worse fit', 'non precocious', 'snp 327c', 'application sequence derived', 'literature method significant', 'trait cwt ema', 'panel 133', 'quantified area', 'region associated number', 'greater cc ct', 'difference body', 'quality used', 'significant adg validation', 'second parasite', 'expression genotype', 'contribute breeding', 'chemical composition', 'trait commercial pig', 'cow genome', 'gblup estimate', 'association particular', 'marker 355 snp', 'old addition', 'related semen', 'pig finding contribute', 'meat 018', 'cited indicator', 'heterozygous animal', 'qtl bta14', 'universal exposure derived', 'wenchang chick', 'point post imi', 'greater 35', 'resistance immune capacity', 'g3072a causative', 'making marker', 'group location direction', 'population substructure', 'leucocyte number function', 'viremia weight gain', 'strength es albumen', 'cis natural', 'sire base population', 'haplotype involving single', 'close hdac11', 'pair model used', 'population family allele', 'allele negatively', 'mid late lactation', 'procedure identified', 'broiler allele adjusting', 'selection iberian', 'trait understand physiological', 'tspan31 dhx38', 'association thoracic', 'basis fetal response', 'white yellow green', 'collected august september', 'content observed', 'great opportunity', 'hanwoo cattle breed', 'raspf7 specific', 'rw023 rw070', 'locus location 20', 'qtl grandparent', 'sixteen immune trait', 'included study', 'sdp approach applied', '004 02 003', 'trait reflect condition', 'gene identifying', '26 qtlr', 'content independent', 'exceeded chromosome wide', 'fetlock joint located', 'using emmax revised', 'associated ph showed', 'hip width hw', 'snp analysis identified', 'time evident gene', 'arginine gly69arg', 'ibk 05 animal', 'simultaneously affect level', 'identification various gene', 'case control according', 'influence sexual precocity', '21 12', 'matrix genome', 'cattle objective', 'mastitis resistant animal', 'mechanism involved complex', 'secretion adrenocorticotrophin', 'polymorphism marker 29', 'receptor compressor', '34240 34168 32463', 'variance additive genetic', 'jejunum content', 'effect modulated', 'study locate chromosomal', 'trotter horse 525', 'meishan white composite', 'pt adjacent snp', 'thr257met effect', 'analysis ibs calculation', 'representing daughter', 'animal genotype higher', 'white skin', 'feedlot bull', '4m array', 'dcd lm', 'estimated 89 ovum', 'yield uw resource', 'austria italy', 'collected classification', 'c18 monounsaturated', 'costliest disease', 'population investigated national', 'totally 39', '62 classified lc', 'accurately account', 'analysis suggested snp06', '05 08 phenotype', 'studied human', '15 snp', 'largest organ pig', 'performed using generalized', 'result putative milk', 'obtained associated', 'containing mono oxygenase', 'conversion rate', 'mixed sample', 'adaptor death domain', 'qtl confirmation study', 'trait italian heavy', 'qtl associated pork', 'factor sow', 'haplotype gene', 'covariate removed ubf', 'tested association bvd', 'scottish mule ewe', 'type effect non', 'focused single', 'hanwoo detected snp', 'deposited seven chromosome', 'data using multitrait', '658 385', 'region bone', 'university alberta', 'allele epr', 'warmblood horse equine', '21 highly', 'romanov sheep', 'family japanese wild', 'significant 005', 'derived non', 'bird selected sequencing', 'snp2 heterozygous genotype', 'agricultural specie', 'candidate gene dock7', 'rate 221', 'ldrm combined', 'process related prolificacy', 'gas1 gpat3 cyp2r1', 'daughter design analysed', '12 week chicken', 'detect polymorphism', 'promote higher', 'enhancer ese motif', 'herd year effect', '000 son', '21 snp detected', 'qtl corticosterone', 'associated novo short', 'bull sequence based', 'mycoplasma hyopneumoniae', 'qtl region obvious', 'sib dependent', 'grass pasture', 'associated susceptibility pig', 'gensel predict', 'afe suggested relationship', 'correlation used information', 'guanylate binding protein', 'hybrid bacterial', 'rs414302710 exon', 'calpain activity', 'factor influence growth', 'stature german', 'flanking region tg', 'spread sheep', 'variance additive', 'characteristic meat quality', 'sire pcr amplification', 'trout spawning year', 'limited expression', 'heritability twinning 014', 'human understanding gene', 'phosphorous concentration milk', 'additive effect appeared', 'polymorphism highly associated', 'selection process snp', 'site altered mutation', 'better characterization', 'desaturase d9d milk', 'occurring precursor', 'gene qtl identified', 'data record result', 'intronic gnas snp', 'autosomal locus horn', 'trait vary', 'thoroughbred production genetically', 'trait cft', 'model used drop', 'gene real', 'tenderness nellore', 'snp revealed androstenone', 'qtl entire coding', 'locus marbling', 'lower probability associated', 'area cm position', 'addition expression', 'consistent f2', 'cattle chromosomal region', 'qtl epr', 'cn whey protein', 'twinning rate quantitative', 'order identify quantitative', 'presently available', 'association used detect', 'counted separately', 'mouse response', 'encoding aryl', 'form final', 'high identity level', 'primary follicle h3h3', 'tolerance heat', 'backcross sheep', 'coldspot segregation sscx', 'phenotype etec f41', 'intracellular destruction', 'prnp gene linkage', 'asga0094812 intron usp43', '14 08', '160 kg', 'entire curd firmness', 'ovine chromosome 13', 'fat duroc pig', 'contemporary group covariates', 'cattle important tropical', 'locus controlling temperament', 'following necrosis', 'effect single marker', 'apob gene chicken', 'promising target novel', 'chromosome qtl', 'sequencing exon', 'inheritance mode considered', 'exon exon intron', 'qtl statistically significant', 'single broodstock population', '23 trait reflecting', '90 observed', '60 million', 'romney lamb produced', '1st 2nd lactation', 'extreme phenotypic', 'snp remained', 'characterized fat1 qtl', '57 affymetrix', 'interval mapping regression', 'mapping conducted identify', 'qtl mapped fat', 'low heritability reproduction', 'significant 05 association', 'multibreed data', 'portion phenotypic', 'allelic variant detected', 'family location family', 'week age subcutaneous', 'trait sire', 'ssc15 qtl detected', 'swine provide new', 'locus identified selection', 'phagocytic cell', '990 160 961g', 'conserved imprinted region', 'result pedigreed', 'frmd4a hoxb1', 'ii designed', 'nil determined', 'phenotypic trait multiple', 'sc snp', 'response trait', 'support role', 'chest depth body', 'carried chicken f2', 'knowledge genomic', 'number adipocyte abdominal', 'qtl analysis available', 'segregate blanche', 'different fimbria', 'discovered genotyping', 'ssc13 total', 'percent ssc7 marbling', 'score associated', 'created crossing breed', 'study gwas marker', 'resistance energy balance', 'mbl characterized rodent', 'wur gbp1 gene', 'consistent univariate multivariate', 'uncoupling protein ucp1', 'horned male', 'observed growth pattern', 'production trait probably', '210 ssc6 ssc8', '107 respectively significantly', 'mechanism simultaneously', 'dilution phenotype genetic', 'activated γ3 subunit', 'homozygosity mapping allowed', 'teat left', 'rate occurred', 'dpr 20 gene', 'shorter distance', 'model genetic association', 'gene intron', 'novel region region', 'chromosome wise value', 'partially effect tm', 'fcr method total', 'identified localized location', 'week life', 'distribution lpin2', 'egg count', 'bull prim holstein', 'ebv fat', 'affected pp', 'protein trait', 'moisture content muscle', 'qtl bovine chromosome', 'sheep population potential', 'specie sequencing', 'specific health disease', 'weight recent research', 'resistance segregated', '105 son', 'using tgfbr1 marker', 'axis inhibitor protein', 'pool applied', 'animal recalculated', 'stearic 18 oleic', '17 cm', 'gene seven', 'environmental quantitative genetic', '600 individual', 'flanking marker small', 'bovinesnp50 assay quality', 'analysis identified temperament', 'significantly affected mrna', 'influence approach', 'ssc5 21', 'cattle genome significantly', 'investigate seven', 'difference influencing', 'polymorphism mirna gene', 'variance component estimated', 'detected mirnas', 'qtl data', 'spectrum using', 'trait provide', 'composition longissimus', 'bearded chicken', 'classified pirm', 'method applied', 'palatability validation', 'observed value', 'contained gene myh1', 'matrix correct', 'porcine bac clone', 'tended associated decrease', 'lactation analysed', '94 cm ssc6', 'prediction adg', 'qtl danish jersey', 'significant imprinting additional', 'metabolism lipid', 'holstein cross population', '2379c h2', 'efficient genomic selection', 'beta polypeptide fshb', 'map order', 'chicken interline cross', '71 cm region', 'meta analysis identify', 'rate resulted', 'merging data result', 'missense variant detected', 'result confirm segregation', 'parasite resistance moderately', 'immobility ti open', 'bw ww', 'trait fine mapping', 'estrus interval correlated', 'snp region detected', 'so2 significant', 'sp1 alter gene', 'study refines', 'methodology detecting mapping', 'heating cooking meat', 'validate analyze detected', '252 white', 'variation le', 'cc ca aa', 'selection method used', '50 year recognized', 'quantitative analysis', 'total 365', 'vrtn genotype', 'result corrected daily', 'content 94 observed', 'contains lg gene', 'chromosome seven marker', 'generation possible explanation', 'region utr utr', 'growth variation different', 'haplotype muscle', 'analysis incorporated 531', 'source economic', 'specific promoter addition', 'hco3 tco2 na', 'putatively linked genomic', 'growth sexual', 'maternal chromosome bull', 'holstein sire minor', 'development morphology', 'used evaluate association', 'sheep breed used', '90 cm ssc7', 'qul strong positive', 'reach maximum significance', 'bmp15 a111g', 'resistance mastitis overall', 'various physiological contribute', 'frequency non slick', 'rate values identified', 'family using haley', '04 0e 05', 'resistance linkage', 'threshold approximately equal', 'known world highest', 'chip hd imputed', 'investigation putative', 'nearby position', 'stearoyl coa', 'rs109579682 ppargc1a', 'swine total leucocyte', 'genotyped 315', 'kinase screened', 'respectively furthermore 40', 'routinely recorded', 'dna pooling', 'mapping gene', 'derived sequencing', 'heterozygous snp', 'difference prevalence proviral', 'eqtl krux', 'yield productive life', 'number gallop', 'activity specific enzyme', 'dbwavg 590 region', 'gene play critical', 'lma 05', 'multiple layer data', 'target qtl confidence', 'colubriformis challenge animal', 'positional correlation study', 'population 1008', 'region investigation arm', 'potential fatty acid', 'assessed single', 'comprised 1769', 'qtl affecting clinical', 'reported qtl identified', '20 month', 'corresponding bonferroni', '14 15 20', 'architecture economic', 'line detected dna', 'entire study population', 'involved higher imf', 'sw2516 sw1201 chromosome', 'genetically diverse', 'experiment carried', 'weight given', 'member 6a1 lsy', 'contained refseq gene', 'offered greater', 'mastitis discovery target', 'breed detected', 'additional significant region', 'result outcome ssgwas', 'estimated close', 'family play important', 'landrace polish large', 'calpastatin cast gene', 'member 10b', 'cbfa2t1 previously evaluated', 'analysis examine', 'prrs cause', 'test categorical trait', 'snp assisted', 'f41 analysis', 'difficult expensive measure', 'ocd genome scan', 'development market', 'snp gene slc30a2', 'chl_fat 100 mg', 'qtl low explanatory', 'significant effect mainly', 'concentration beta', 'study gwas overcome', 'origin suggesting partially', 'rich lipoprotein', 'trait boar finding', '18 1410', 'distribution contain', 'marker abge342 abge343', 'duplication locus located', 'resource breeding', 'susceptible line chicken', 'unknown aa', 'population analysis f2', 'commercial level', '23 81', 'weight 003 weaning', 'divergent effect', 'bovine taurus autosome', 'chicken line possible', 'expression female reproductive', 'ssc3 ph', 'examination 162 horse', 'ssc17 chromosome', '11 wg42', 'high heritabilities combination', 'scd gene significantly', 'secretion lh', 'region refined 33', 'association genotype trait', 'evidence mstn genotype', 'precocity 05 concluded', 'polymorphism snp chicken', 'association testing imputed', 'dairy eastern', 'cw narrowed', '878 fish representing', '866 genotyped using', 'population bioinformatics', 'downstream abcg2 environmentally', 'limit parasitaemia anaemia', 'conclusion candidate', 'snp explore', 'additive dominance', 'october year', 'reservoir bacteria', 'clarify genetic', 'native japanese nagoya', 'finding inferred', 'background large fat', 'study perfectly', 'selective genotyping carried', 'apparently segregating population', 'despite parasite resistance', 'considerable variation cy', 'novel coding', 'refine previously', 'merino sheep', 'level expression sensitive', 'relationship volume', 'decline 24', 'design consisted average', '571 individual', 'milk cholesterol', 'carcass component commercial', 'individual autosome result', 'protein gene family', 'adg feedlot 354', 'longitudinal ew multivariate', 'crossbreds meishan western', 'ssc2 significant qtl', 'containing hic1', 'mutation charolais dilution', 'sc chromosome', 'md qtl', 'slaughter fitted fixed', 'glucagon leptin biological', 'population successful implementation', 'ibd score subset', 'profile 45', 'interaction likely', 'observer social', 'trait white duroc', 'detected half', 'flanking region sequenced', 'bovine chromosome haplotype', 'better insight', 'combined sire', 'flavour pork produce', 'length dressing percentage', 'oar4 oar11', 'ifc average backfat', 'haplotype based genome', '35 large difference', '05 genotype rs42670352', 'thrgibbs1f90 version', 'acid content trait', 'factor poultry', 'effect commonly', 'fatness trait tendency', 'unequal allele', 'weight half', 'association phenotype bovine', 'acid related beef', 'vertebral number significant', 'nba piglets', 'disease qtl study', 'receptor present study', 'suggest existence complex', 'pig muscle fibre', 'fabp5 gene parental', 'model covariate selection', 'family enabled', 'assisted selection pleiotropic', 'qtl affected body', 'neurological impairment', 'trait eqtl mapping', 'qtl showed specific', '11 snp significantly', 'chromosome explained relatively', 'pathway explain susceptibility', 'status number tumor', 'parity ewe', 'fp studied', 'moisture percent instance', 'risk factor', 'major whey protein', 'snp qtl', 'dissection adjacent marker', '10 pig population', 'ahr cn positive', 'interval analyzed linkage', 'association test indicated', 'disorder cardiovascular craniofacial', 'trait qtl identified', 'highly consistent', 'cow uw resource', 'mechanism especially', 'characterized genome', 'genetic distance cm', 'qtl associated immune', 'component snp identified', 'carcass physiological meat', 'promote marker', 'using 251 marker', 'egg trait formed', 'mortality juvenile salmonid', 'resistance cm', 'trait landrace', 'following market', 'polymorphism indirect', 'popular tanzanian', 'colour lightness', 'trait associated single', 'ovary snp', 'architecture calving performance', '16963 31 32', 'analyzed polymorphism', 'comprised 1337 heifer', 'difference subcutaneous fat', '26 qtlr using', 'beef cattle complex', 'tentatively identified minor', 'affecting pp fp', 'reproductive investment despite', 'fewer pup anxa10', '278 fish', 'site data', 'intestinal epithelium lead', 'mapping effort association', 'ldla determine quantitative', 'gwa study performed', 'implemented order adjust', 'significant increase ph', 'breed mstn', 'month adg0', '05 year', 'new biomarkers used', 'ss411628936 shown significantly', 'mhcii cell', 'combined lc model', 'alternative control strategy', 'ssc6 fabp excluded', '85 mb segment', '23 81 23', 'trait haplotype', 'trib1 untranslated region', 'coincided previous', 'pig recently quantitative', 'intron retention', 'mastitis pathogen', 'result provide information', 'using quantitative', 'thirteen microsatellites snp', 'data marker fcb128', 'importance adipocytokine il', 'refined ci analyse', 'le 62 cumulative', 'egypt correlate milk', 'bta14 bta20 estimated', 'phenotype distribution used', 'largest effect bw', 'mutation coding', 'trait varied', 'wide analysis gene', 'belonging transforming', 'mgll mc2r', 'study polymorphism', 'potassium calcium', 'foreign origin time', 'igf2 acsm5 mgll', 'ortholog ovine', 'mutation leading amino', 'represent interesting', 'efficiency increase cost', 'report microsatellite based', 'gene lipoprotein', 'putative qtl genome', 'earlobe trait', 'study currently', 'marker increasing', 'represents qtl', 'rs41919999 rs132865003', 'region shown include', '13 indicates', 'thickness bta', 'provided refined', 'eca2 48 cm', 'training testing', 'holstein resource population', 'lcorl gene locus', 'cm3 specific', 'majority brazilian cattle', 'proved purebred duroc', 'recorded lactation', 'representing dilution', 'ascites right', 'cow milk play', 'horn likely involve', 'detected population result', 'indicating possible pleiotropic', 'longer shank source', 'trait bone strength', 'gene involved physiological', '12 pft', 'derived intercross', 'maker qtl', 'ssc7 additive', 'identified selected positional', 'pressure right', 'pig feed', 'trait presented 80e', 'g3 generation', 'total number determined', 'bodyweight chicken', 'factor gdf9 bone', 'pododermatitis footrot', 'genomic scan conducted', 'background china consumer', 'frequency 40', 'opportunity changing', 'allele dominant', '16 ssc16 ednrb', '18 porcine autosome', 'apex2 gene functionally', 'estimated 2834c 608', 'pathway interesting candidate', '153 landrace 125', 'significantly associated dermal', 'ile france german', 'total 17 fatty', 'bratzler peak force', 'matched unaffected calf', 'expression study method', 'selection commercial pig', 'microsatellites spanning', 'positive pregnancy 18', 'grazing condition parasite', 'variance trait pc', 'variant qtls', 'specific trait', 'poly length', 'population ndei polymerase', 'range host specie', 'scan detect qtl', 'seven trait', 'loss measure water', 'density aquaculture specie', 'specie large', 'intron single', 'suggest evidence', 'trait hf', 'polymorphic nearly', 'based resource population', 'effect considered situation', 'genotype reported', 'significantly associated nipple', 'snp performed panel', 'suggesting chromosome', 'prkg1 minpp1 lipj', 'trait 10 genome', 'guarantee reliability', 'outbred commercial', 'amphetamine regulated', 'fowl epistatic qtl', 'associated cyp1a2 rt', 'overrepresented 500', 'improve herd', '501 genotyped 165', 'separately yielding total', 'herd meat', 'carcass trait korean', 'midpoint tenth', 'trait analyzed f2', 'salmonid fish disease', '2009 12 snp', '17 16 locus', 'fdr 01 conclusion', 'explained informative marker', 'homologous recombination using', 'porcine pleuropneumonia result', 'quantitative average number', 'ssc8 result trait', 'production identification', 'trait current', 'cattle wald chi', 'study new single', 'number teat', 'considered undesirable', 'used wilmink', 'test hypothesis', 'mastitis gene included', 'mutation understand', 'snp association skatole', 'testing limited power', 'hypothesis locus presumably', 'qtl region explain', 'individual technological', 'position different chromosome', 'absorption excretion associated', 'cattle association reported', 'identified gene coding', 'rec available genetic', 'escherichia coli coagulase', 'fertility productivity functionality', 'akt3 significantly', '24 postmortem', 'analyzed piétrain', 'content correlated trait', 'included protein', 'plod1 dlx1 grm8', 'region extreme sire', 'bull selected based', 'complete qtl', 'line saturated fatty', 'family french', 'loss pig industry', 'heg1 itgb5 firstly', 'feather growth', 'association result showed', 'level snp reached', 'weight skin', 'insemination chromosome qtl', 'variation mastitis', 'adult longissimus muscle', 'analysis consistently revealed', 'gwaa growth', 'naturally occurring', 'region fact', 'us_m live', 'dominance deviation', 'pronounced prior 46', 'economical importance provides', 'second significant', 'sd entire population', 'bend cell monocyte', 'intron non synonymous', 'trait bta 17', 'f₁ dam family', 'quality fat depth', 'significant snp eca3', 'regression method result', 'gene successfully located', 'transgressive action', 'change seemingly', 'analyze quantitative', 'individual trait level', 'bta affecting total', 'homozygous pig result', 'following natural infection', 'bone period', 'frequency single', 'varying small auricle', 'bp intranslated', 'promising locus ncapg', 'fertile stallion 19', 'interestingly snp associated', 'identify homozygous region', 'equivalent cc', 'marker dik1182 identified', 'minolta insr cfd', 'following quality control', 'ph content protein', 'conclusion kit', 'level sox5 interestingly', 'associated variant en', 'program involving breed', 'trait unl population', 'panel 54 148', 'quality vitro', 'bf 02', 'cow far', 'basis fixed', 'function gene contain', 'gene expression level', 'body composition 30', 'tropical composite recently', 'family unaccounted', 'ppargc1a abcg2 igf1', 'screening databank brazilian', '23 chromosome', 'cckbr associated', 'human involved starvation', 'qtl testicular', 'underlying causal', 'good agreement ncccwa', 'ancestor bovine population', 'underlying production trait', 'proposed mitigation methane', 'bta18 subsequent investigation', 'alternative objective', 'approach allow validate', 'ligand binding domain', 'carry risk recessive', 'increased disease resistance', 'inhibitor dermal melanin', 'region microrna mir', '10 0001', 'milk improve dietary', '14 chromosomal', '83 polymorphic site', 'response attraction', 'count nominally', 'potential founder expression', 'individually significantly', '932 ldl', 'behavior parturition important', '35 generally', 'gga14 gga15', 'result support previous', 'breeding complex trait', 'kitlg lef1', 'exceeded 01 17', 'balancing selection operating', 'used genotyping total', 'cattle population international', 'calving characteristic performed', 'ii concentration wk', 'chromosome using', 'original body weight', 'drawn notably', 'lm 18', 'showed mc4r', 'pcr product amplified', 'hco lead', 'provide indication association', 'gga6 gga15', 'british horse', 'proportion snp previously', 'poorly annotated', 'association snp sc', 'average distance 13', 'explained 16', 'region detected associated', 'acid pufa longissimus', 'controlling adiposity gluc', 'trait seven', 'pvrl2_c 392g', 'analysis 518 individual', 'development new', '156 snp', 'identified shoulder', 'score obtained', 'concentration animal', 'overlapped 750 gene', 'cofactor included', 'putative qtl ssc2q', 'indicate opportunity', '14 crossbred', 'iv hypersensitive reaction', 'network pathway reveal', 'involving downregulation gene', 'shoulder fat', 'polymorphism bw', 'trait genotyping', 'eye different', 'bodyweight conformation', 'cow healthier', 'productivity implementation marker', 'inhibitor clade', 'pair provides new', 'breed columbia polypay', 'animal 41 different', 'trait revealed distinct', 'region chromosome 13', 'covering approximately', 'effect breed 80', 'stem cell padmscs', 'worldwide result increased', '867 181', 'chi2 209 842', 'focused viremia day', 'lean area semispinalis', 'locus qtls gene', 'dark point phenotype', 'large effect 170', 'caused streptococcus', 'refined partly converged', 'result demonstrate stratifying', 'identified 15 snp', '14 06', 'affect level transcript', 'fixation fat', 'confirm association discrepancy', 'gregarious factor', '14 exon', 'igf1 polymorphic snp', 'incidence pathogenic disease', 'showed association meat', 'lung lesion', 'marker identify genomic', 'needed validate importance', 'qtl effect modulated', 'expression mbl2', 'animal fe costly', '1216 progeny qtl', '339 lactation phenotype', 'identifying chromosomal region', 'estimate weight snp', 'microsatellite marker lying', 'debao pony result', 'altered mutation', '82 genetic', 'apr individual', 'dehydrogenase copb1', 'efficiency carcass', 'lactation estimated breeding', 'trait locus specifically', 'generated somatic nuclear', 'igf1r bwg fi', 'monogenic trait objective', 'male line', 'segregate low', 'mrna d28521', 'important determinant growth', 'marker linkage analysis', 'oviduct 01', 'gene qtl region', 'function hypothesized crh', 'report result supplementary', 'selected study', 'result qtls affect', 'lightness meat', 'deformation breaking', '6days exposure', 'china pcr sscp', 'widespread sub saharan', 'calving performance complex', 'approach low', 'effect secondary trait', 'factor agonistic', 'knott regression evidence', 'size mutation', 'vegfa rps6ka2 figf', 'taurine breed', 'cd sufficiently informative', 'composition average daily', 'group increasing brahman', 'basis body', 'gr ubiquitously', 'position differ male', 'coat color horse', 'background analysed', 'f2 family produced', 'positional concordance region', 'homological sequence', 'paternal calving', 'managed indigenous livestock', 'muscle tissue implying', 'dairy cattle positional', 'difference score weight', 'trait used', 'suggesting qtl', 'loss percentage', 'color including', '106 108', 'based normal semen', 'hit 10 comparing', '67 marker', 'cm qtl region', 'covariates weight snp', 'lymphocyte act major', 'region proved purebred', 'gene second region', 'region developed 95', 'functional variation region', 'herd italian', 'broiler breed', 'purebred paternal', 'content cell decreased', 'male reproduction corresponding', '82 cm ssc1', 'gene acting complex', 'significant 000049 snp', 'tb previously demonstrated', 'activity involved immune', 'irs4 gene position', 'development biomarkers', 'fn298674 90t located', 'gelbvieh cattle', 'furthermore plausible', 'region previously associated', 'chicken oligochip', 'bft studied screening', 'window explained 33', 'population body', 'content cell', '67 population', 'focused specifically jersey', 'insufficiently oxygenated', 'tumor open', 'ile442met ncapg', 'holstein hol', '142 included', 'acid composition pork', 'pig studied sample', 'non carrier ewe', 'chicken unclear', 'carcass carcass', 'discriminant analysis external', 'california davis archival', 'lipoprotein serum level', 'tainted carcass appears', 'component analysis conducted', 'ssc2 ssc4', 'increase embryonic', 'locus qtl eca15', 'chr affected female', 'bta bcse locus', 'birth near', 'promotes differentiation', 'general sib', '21 tsp', '26 34 week', 'hereford sire', 'holstein conclusion', 'coldblooded trotter', 'response qtl primary', 'density identified plausible', 'association 11 longissimus', 'repeated measure statement', '27 11 kg', 'analysis method mapped', 'provide reliable chromosome', 'pig producer marker', 'population hen genotyped', 'ovinesnp50 beadchip', 'role growth fatness', '16 21 showed', '25 aflp', '16 study clearly', 'larger cohort', 'qtl mapk signaling', 'considered selection', 'identified modest', 'lactose predicted', 'receives paternal qtl', 'case snp located', '1574 mrna', 'altered gene', 'intercross qtl number', 'qtl shape', 'model genotyping illumina', 'affecting productive', 'variation key regulatory', 'commonly used', 'marker bm719', 'mouse embryo', 'landrace chinese european', 'used select individual', 'univariate linear', 'cm lod score', 'native chicken knc', '10 pig', 'urokinase type plasminogen', 'animal different response', 'circumference 12', 'class arr homozygous', 'ph24h ssc15', 'muscle biological perspective', 'index milk', 'marker associated difference', 'physiological inhibitor tissue', '638 loss 030', 'seven ultrasound measure', 'fgf8 multiple', 'gene backfat ebv', 'ssc8 partly remained', 'eqtl identified variant', 'conversion ratio compared', 'thickness period pre', 'using gdf8', 'association 05 snp', 'effect independent', 'calpain genotype', 'suggests association causative', 'cc fabp candidate', 'pomc gh gene', 'neurochemical involved', 'cell expression', '19 identification', 'cent peak cm', 'previously identified locus', 'muscle serve basis', 'concordant sequence variant', 'genetic study order', 'genetic variant independently', 'marker analyzed using', 'opn location presence', 'effect highly', 'molecular genetics', 'region characterization', 'psychosis extreme form', 'peak protein', 'sired population', 'porcine skip', 'replacement alanine', 'nutritional manufacturing property', 'genotypic correlation allowed', 'charolais dilution locus', 'blup genomic selection', 'ld chromosome 16', 'numerous small effect', 'corresponding trait', 'underlying genetic', 'potential quantitative', 'compared 50 standard', 'la 63', 'ssc4 23 cm', 'progeny tested artificial', '531 progeny tested', 'identified locus including', 'increase c6 c14', 'bovine body size', 'additional qtl segregating', 'osteoporosis resulting progressive', 'performance identified economically', 'applying qtl', 'presenting significant effect', 'decline different time', 'autofom grading dissection', 'parametric means', 'altered allelic frequency', 'cpm gene 0006', 'multiple qtl chromosome', 'snp echs1 exon', 'trait approximately', 'highly regulated', 'pim1 directly involved', 'defect mapping population', 'crossing göttingen', '154 snp significantly', 'snp array selected', 'previous study revealed', 'formation partially controlled', 'gh1 ssc12', 'region gene genome', 'replicate result refine', 'available 53', 'conclusion locus identified', 'th2 cell subset', 'fat percentage 60', 'maintained poland suggested', 'calf compared unaffected', 'muscle significantly associated', 'teat 12 related', 'explains total', 'milk result gwas', 'novel snp t314c', 'ch4 emission', 'viral subtypes identify', 'heritability analysis suggest', 'trait 888 pork', 'rate 102 snp', 'located functional candidate', 'snp ssc1 ending', 'variance component qtl', 'using legendre', 'weight jb2', 'associated gp', 'family genotyped 108', 'implemented loki software', 'gene predictive genetic', 'assembly chicken genome', 'beef cattle growth', 'snp retained genome', 'interval 14', 'suggests gene contribute', 'bta5 significant', 'genome variant', 'k232a polymorphism diacylglycerol', 'ontology term enrichment', 'flock half sib', 'variation future', 'array derived variant', '156a showed', 'state comparing', 'end weight', 'bta1 fkbp2', '100 ssc2', 'resistance young', 'snp identified intron', 'outbreak mexico', 'attribute crucial', 'dominance imprinting epistatic', 'bull dna sample', 'poland suggested interesting', 'stage infection different', 'sib variance component', 'signaling cell', 'derived pig', 'family transcription modulator', 'genetic control trait', 'significant nominal level', 'profitability concern', 'carcass genetic model', 'erhualian small eared', 'snp associated explained', 'genetic basis molecular', 'trait marbling', 'angus cattle 217', 'ab bb detected', 'model covariate', 'ct measurement resulted', 'chromosome refined using', 'gene cause', 'phenotype multi', 'genomics new possibility', 'present report pfts', 'experiment identified informative', 'background conception', 'snp fitted parent', 'chip data editing', 'landrace pig', 'available eighteen haplotype', 'pck1 display differential', 'method perform empirical', 'selection marker', 'content independently bft', 'pig examined', 'chicken f2 chicken', 'function produced', 'use original time', 'permutation approach identified', 'fertility measured inverse', 'association total 105', 'adding estimated effect', 'slaughter confers organoleptic', 'trait specifically', 'genotype 23', 'data set approach', 'trait particularly', 'puberty data indicate', 'population dupi mycoplasma', 'content 01 study', 'body size previously', 'effect closely connected', 'public concern reducing', 'study examining', 'design 2000 f2', 'deduced nucleotide sequence', 'charolais alberta hybrid', 'resistance milking ease', 'tick load', 'vaccinated pig', 'investigate gdf9', 'chromosome study pcr', 'estimate fertility bull', 'abnormal spermatozoon set', 'exon 20', '30 short tandem', 'role metabolism carotene', 'including lean muscle', 'ssc7 major', 'white duroc conclusion', 'bovinehdbeadchip perform haplotype', 'contain 10', 'related qtls', 'chose mtnr1a', 'important trait broiler', 'qtl abdominal fat', 'weight egg', 'breed 547 large', 'high inter individual', 'comprehensive database', 'variation es', 'gene prolificacy', 'finnsheep known', 'level melanoma', 'khorasan population', 'large effect detected', 'associated clinical subclinical', 'bradyzoites immunoglobulin heavy', 'studying difference bd', 'precocity nellore cattle', '150 001', 'conclusion combining', 'gluc adiposity harbor', 'meat type breed', 'result indicate single', 'observed haplotype conclusion', 'diacylglycerol acyltransferase', 'area rib', 'cattle new world', 'variant underlying genetic', '18 sire heterozygous', 'difficult task', 'day 18 1410', 'merely linkage', 'slc3a2 zdhhc5', 'genotyped effort', 'map software uni', 'surface pig chromosome', 'question depend', 'diallelic dgat1 effect', 'main reason', 'detected c1092t', 'trait rfi dfi', 'effect qtl igf2', 'sequence wgs', 'cheese recently relatively', 'improve accuracy selection', 'hypothesis ovine hsp90aa1', 'separately design', 'haplotype constructed guarantee', 'advance porcine genome', 'prp gene', 'ii perform identity', 'main selection', 'snp64 allele reproductive', 'index sfa', 'predominant test', 'high low faecal', 'detected number qtl', 'lactation 01', 'considered locus validation', 'attempt fine', 'photoperiod stimulates', 'snp phkg1 gene', 'prme black solid', 'impact growth egg', 'association detected finding', 'enhancer binding', 'nominal 1x10', 'function immunity involved', 'limousin background', 'lead severely truncated', 'qtl effect specifically', '770c 793g 832g', 'analysis conducted using', 'candidate gene window', 'affected en', '77 40', 'result based combined', 'interesting effect behavioural', 'using linear mixed', 'potential key role', 'resistance immune competence', 'revealed animal genotype', 'smaller testis greater', 'neuronal gene obesity', 'relevant efficient', 'background aim', 'fatness growth trait', 'bwt 05 mum', 'different population overall', 'gwas discovery', 'intestine end second', 'conformation score measured', 'population focused', 'qdg mapping approach', 'lrguk study contribute', 'respectively aim', 'coverage affected', 'genetic indicator', 'snp analysis showed', 'substitution similar association', 'study reported presence', 'transversions 16 deletion', 'present dairy herd', 'prkga3 mutation accounting', 'decrease protein', 'region ssc2', 'aa chicken showed', 'nearly 6200 animal', 'recent development high', 'carotene eccentrically involved', '58 mb', 'performed 601 717', 'spectrometry evidence better', 'backfat tissue metabolic', 'mouse human', 'trait improved genetic', 'genotype f2', 'analysis enabled', 'resistance aim study', '20 gene strategy', 'identified reached', 'bp open', 'value 19 41', 'gene associated chicken', 'practical approach improving', 'relatively recent horse', '05 loin', 'snp underlying rfi', '10 bpi gene', 'weight 50', 'different f1 cross', 'genetic polymorphism japanese', 'lyrm4 ktn1 associated', 'noncoding rna regulatory', 'including etnk1', 'cattle variability', 'region mechanism affecting', 'ribosomal protein s20', 'shape offer opportunity', 'ssc relating', 'egg weight number', 'total 698', 'bta29 36 432', 'family study effect', 'qtl coincide skeletal', 'gene transition located', 'sw581 seven qtls', 'casein fat content', 'susceptibility host genetic', 'qtl conclusion qtl', 'bovine major', 'tlr identified candidate', 'explained informative', 'lamb immunity', 'study epidemiological', 'promising tool expedite', 'dystocia stillbirth significant', 'high heritability phenotype', 'roslin broiler', 'catecholaminergic serotonergic pathway', 'tested association gastrointestinal', 'significant ch4 production', '83 significant snp', 'nc standardization implemented', 'ssc4 located marker', 'disequilibrium different', 'mutation located coding', '106 qinchuan cattle', 'comparative candidate', 'physiological requirement', 'disease mdv fowl', 'trait remain underexplored', 'factor nr6a1 known', 'report mapped', 'analyzed israeli', 'qtl heritable', '5p13 p15', '10 region', 'nr6a1 protein', 'cattle strategy applied', 'infected flock investigated', 'generated reciprocal', 'canada reproductive', 'confirmed 690', '01 padmscs insertion', 'catfish blue catfish', 'marker predictive pork', 'candidate gene drd4', 'presented support', 'screen suggested 73', 'gwas mon hol', 'provides clear evidence', 'rerio genome identified', '10 06', 'series genome wide', 'obvious selective sweep', 'igf1 examined positional', 'rs41919992 rs133498277', 'factor tf binding', 'carcass performance identified', 'gene annotation implemented', 'map interval mapping', 'profile study', 'affect porcine meat', 'fimbria different', 'host response prrsv', 'used f2', 'dongxiang reciprocal', 'registered angus', 'significant general comparison', '53 cm 28', 'allele substitution model', 'dyskinesia human', '40 haplotype', 'identify polymorphism gene', '25 affected', 'expensive trait', 'exploit linkage family', 'selection informative animal', 'time included', '04 tibia length', 'index swine', 'cm 51 mb', 'informative italian', 'western region', 'gwa approach', 'plasma chl', 'vaccine respectively single', 'marking maximum', 'carcass weight hcw', 'meishan data set', 'selection signal significant', 'family specific difference', 'region locus detected', 'total 19 grandsires', 'ultrasound lambing', 'simultaneous mapping', 'significant avpcv avlwt', '11 contains', 'tissue different', 'skeletal structure', 'lmbr1 fgf7', 'breast abdominal fat', 'sscx sixteen', 'understanding genomic', 'associated chronic', 'level le', 'gene chilled', 'comparison reduced', '270t 190g', '10718g 10936g haplotype', 'infection european strain', 'poultry industry better', 'production consistent', 'kb 251 kb', 'animal summed', 'ilsts098 05', 'y7f jb1 a80v', 'gene influencing sheep', 'performance intact', 'arid1a rxrg', 'gene polymorphism meat', 'close reported candidate', 'lactation yield', 'region identified candidate', 'profile family trait', 'trait known ruled', 'analysis evidence presence', 'worldwide survey', 'mediates vertebrate', 'number born dead', 'peak qtl position', 'affecting glucose metabolism', 'detected genotype association', 'excessive heat parasite', 'recorded clinical', 'showed cc pig', 'study investigated', 'gm equus caballus', '05 result suggested', 'capns calpian', '19 max', 'frequency compared line', 'result replicate fec', '80 92', 'animal performed', 'breed improve', 'cyclicity breed sheep', 'score atrophic', 'simulation experiment conducted', 'affecting blood spot', 'affecting number', 'diplotypes based', 'middle region bta6', 'near beginning chromosome', 'kosher phenotyping shown', 'revealed 30', 'seen studied', 'thirty genomic region', 'transcript cart', 'sex determining region', 'bta18 close melanocortin', 'investigate tlr', '12 10', 'hormone acth', 'deltagen paint', 'snp lower', 'relative bwt', 'weight given localization', 'comprising 700', 'assisted improvement', 'density multiple trait', '43 single', 'puberty previously', 'myocyte enhancer', 'analyzed step genome', 'relative healthy', 'validation population animal', 'variant associated ibk', 'pleiotropic effect associated', '20 normal', 'composition meat difficult', 'clearly separated', 'chromosome 05', 'matrix receptor', 'effect treated', 'pleiotropic effect mirnas', 'genome wide 15', '600 affymetrix axiom', 'milk fat content', 'detected trait phenotypic', 'study gwas exterior', 'thousand duroc pig', 'identified snp useful', 'pork quality economically', 'composition quarter', 'ssc7 contains', 'chromosome varied grandsire', 'sc difference', 'acidosis common', '46 sire family', 'putative qtl component', 'domain annotation', 'susceptibility need', 'breed cross presented', 'qtl breast muscle', '96 myoglobin', 'etv5 immune', 'maximum joint posterior', 'spectrum genetic variation', 'used haplotype', '111 mn', 'association detect association', 'jointly fitted using', 'snp altering transcription', 'prme pre horse', 'hmx1 fgfr3', 'oar 20', 'ltn rtn', 'second examination basis', 'aspect global food', 'charolais cross', 'cis c18 trans', 'cleavage result', 'using gross', 'candidate gene genome', 'divergently selected', 'bta11 bta17', '53 association detected', 'gdf9 known', 'using genotyping', 'approach used identify', 'result haplotype substitution', 'association approach phenotype', 'detect compare qtl', 'low marker', 'data similar', 'diallel lot incorporating', 'pleiotropic region', 'backfat thickness affect', 'interacted sex', 'milk sample including', 'understanding milk fatty', 'gizzard weight', 'gene location', 'population based pedigreed', 'targeting gga4', 'series chemical', 'method detecting', 'my50 100 my100', 'gwas order', '47 sd', 'qtl pressure treated', 'fat melting', 'slaii complex', 'cattle result study', 'ewe selected 96', 'population 214 including', 'brown swiss affected', 'muc4 8227c', 'breed rjf population', 'consecutive snp', 'fat deposition investigation', '37 208', 'objective paper detect', 'incidence holstein', 'muscle recording', 'experiment investigate', 'wide range host', 'large proportion variation', 'data large', 'fatness qtl large', 'study targeting', '41 sd', 'association marbling inferred', 'loss 030', 'granddaughter design 18', 'frequency compared high', '1658 polymorphism chicken', 'bw gain bwg', 'multiple selection', 'embedded illumina', 'variable statistical model', 'heifer conceive variable', 'locus qtl danish', 'interval minolta loin', 'tenderness juiciness', 'corrected mammalian', 'qinchuan cattle', 'wide exponentially', 'fl condition', 'qtl 76 05', '130 cm', 'extent different genetic', 'trait intramuscular fat', 'environmental condition used', 'initiation development muscle', 'ripk2 mouse recognised', 'economic effect', 'point post', 'muscle physiology morphology', 'colour utilising domestic', 'obese region', 'significance determined', 'trait variation associated', 'ranged 73 14', 'tibia femur weight', 'effect tightly', '10 49 genetic', 'frequency pparγ allele', 'published study given', 'common set gene', 'analysis performed example', 'mature gilt 439', 'investigated qinchuan', 'concentration circulating', 'gb method', '255g 626t', 'qtls related ovary', 'observed effect region', 'initiated body insufficiently', '021 snp', 'mar mac', 'cast rsai', 'consistent result', 'lipe igf1', 'pde4b3 contain ucr1', 'respectively suggested limb', 'relative growth', 'showed landrace large', 'thoracolumbar vertebra located', 'marbling score', 'archival collection holstein', 'adg body weight', 'exposed sheep', 'potential body length', 'possible total 462', 'multiple milk production', 'different single', 'identified region ssc1', 'cross chicken', 'improvement high', 'addition position chromosome', 'method snp wise', 'apolipoprotein apob', 'trait 05', 'histologically head condylus', 'bta19 c14 c14', 'mastitis incidence randomly', 'new cft', 'expression level various', 'piglet compared genotype', 'assist understanding', 'based classical linkage', 'ancestor imputed', 'pig method', 'collected ensembl', 'qtls fatness', '05 non', 'fat identify new', 'population macro', 'significantly affected', 'function gene addition', 'method glm procedure', 'confirm polymorphism', 'activity atgl', 'intensity given', 'f94l segregating', 'qtl trait 10', 'replicates extreme', 'bos indicus breed', 'response common', 'previously demonstrated breed', 'conducted focused specifically', 'research suggests apovldl', '15 gli2 gli', 'region fat1 reduced', 'analysed 113 pig', 'metabolism fatty', 'caused embryonic mortality', 'cm 00', 'comparison result reported', 'horse corroborated oc', 'chromosome ssc', 'breed moderately heritable', 'sample dna collected', 'ssc3 ph decline', 'gnmt pla2g7', 'commonly occurring dominance', 'level respectively comparison', 'score rear', 'tested 20', 'panel bovinesnp50', 'model overall novel', 'relationship result tested', 'rnahybrid negative expression', 'gilt using white', 'best candidate gene', 'snp12 etv1 snp21', '52 08 lr', 'landrace cross concentration', '05 regard utr', 'hormone gh structural', 'position 232', 'allele observed', '175 243 individual', 'avfec arcsine', 'acid profile study', 'imputation population', '29 chromosome', 'mapping animal resource', 'smallest value region', 'combined analysis family', 'effect increased im', 'largely attributable', 'alternative snp allele', 'response investigation', 'se 42 019', 'sow mainly secondary', 'basis fetal', 'mechanism allele', 'pig total 75', 'mitochondrial function hematological', 'examine association identified', 'marbling qtl bta7', 'strategy aimed improving', 'weight early', 'puberty association cw', 'f4ac receptor located', 'ldl qtl', 'genotype 386 nellore', 'nucleus breeding population', 'upstream region activin', 'manych merino sheep', 'born alive', 'association verification', 'australian cattle reared', 'important health', 'family infected miescheriana', 'fecal culture additional', 'regarding modification stress', 'wide level chromosome', 'frequency different genotype', 'heritabilities combination', 'trait sla excluded', '60 illumina', 'defect cattle population', 'associated rfi trait', 'correlation association', 'conclusion apart physiological', 'dominant trait locus', 'snp locus identified', 'family annotated', 'total 26 single', 'qtls marginal', 'significant snp 169', 'trait locus underlying', 'mean ld 20', 'mirnas participate translational', 'verified complex genetic', 'ct cc', 'result phenotype iii', 'day gga3 dam', 'muscling trait mapped', 'sheep production', 'immune mechanism', 'variance identified', 'animal model ct', 'including 1661 ewe', 'genomic region fatty', 'variation phenotype', 'predicted encode', 'healthy condition infection', 'size 05 bioinformatics', 'sib hen 15', '106 conclusion', 'body weight year', 'additional polymorphism', 'qtl population growth', 'rapid validation', '8646g 16158g', 'decay leading lower', 'encoding subunit', 'footrot based current', 'comparison identified region', 'qtls reported dairy', 'fat similar result', 'behavior provide general', '01 lab loin', 'covering genome breeding', 'horse 17 paternal', 'glucose level gluc', 'present study develop', 'insemination ai', 'radiation acop associated', 'chromosome 22 linkage', 'epistatic interaction study', 'human confirming role', 'reduce eliminate boar', 'trait term', 'accompanying population', 'day age', 'association 150 21', 'located 88 32', 'association confirmed ib', 'encoding heart fatty', 'incidence herd', 'rs109136815 ghr', 'scanning slaughter', 'use finnish', 'evolved multiple', 'genome scan identifying', 'complex trait inherited', 'snp meeting stringent', 'susceptibility clinical', 'olfactory transduction', 'trait locus detected', 'sample daughter 12', 'snp iteration', 'associated lactose content', '05 prme horse', 'fat pig carcass', 'distributed 13', 'country recording live', 'breed overlapping qtl', 'fpd cluster identified', 'based heritability', 'comparisonwise threshold level', 'spawn egg', 'putative binding site', 'level musculus', 'feasibility qtl detection', 'pig 15', 'population varied 10', 'binding conclusion study', 'predicted change protein', 'hatching group design', 'level significance including', 'association bw', 'anxa10 analysis sequence', 'melatonin play important', 'effect functional annotation', 'population established crossbreeding', 'sow 491 ai', 'negative impact nursing', 'measured growth', 'ovary significantly', 'sscp pcr', 'consistent consensus', 'slick hair', 'translation lead', 'boar taint related', 'fat content 28', '45 tfs highly', 'allele likely', 'h2 associated increased', 'cattle functional study', 'initially genotyped', 'cohort cnvrs associated', 'map qtl trait', 'region homologous distal', 'marginal genetic', 'trait identified target', 'jiaxian red', 'increased approximately 11', 'localized bovine', 'gene oar6 qtl', 'sequencing novel', 'candidate gene teat', 'arundinaceum schreb', 'utr poll dorset', 'previously reported locus', 'exclusion lean', 'fat cell mutation', 'ssc17 respectively', 'tissue keratinization', 'phenotypic variance 05', 'serve foundation', 'hybrid yorkshire', 'evidence genome wise', 'snp cyp21 3911t', 'churra ram', 'pneumonia swine mp', 'snp harboring', 'conducted using 1207', 'analysis linear', 'burden end', '24 bta 20', 'cow using', 'genetics wild', 'host resistance nematode', 'structure genotypic', 'curd corresponding nutrient', 'consistent analysis', 'deviance posterior distribution', '716 sample breed', 'purebred yorkshire pig', 'percentage fp', '216t substitution', 'region investigation genetics', 'position 41', 'combination aaa caa', 'arrdc3 ergic1 sh3pxd2b', 'cow fat', 'pathogen trait environmental', 'analysis gwass', 'excluded totaling 431', 'represent molecular', 'equal genome', 'ocrl thbs1 involved', 'dilution mutation', 'concentration used illumina', 'loki software', 'sheep polypay dorset', '110 cm bta26', 'characterize expression', 'number age 300', 'qtl affecting raw', 'modified fatty', 'qtl mapping genome', 'sst_dg156121 362a', 'time point significant', 'male fertility female', 'approach identified genomic', 'yielding total 15', 'associated hyperpigmentation chicken', 'subunit difference adg', 'linkage disequilibrium approach', 'adfi multiple', 'selection program constraining', '24269 additive', 'mass present study', 'acyl coa ester', 'bm trait', 'adiposity gga4 multitrait', 'training information', 'cis acting eqtls', 'analysis 12', 'loc781182 002', 'mainly involved regulation', 'ssc2 12 15', 'approach using prnp', 'weight sexual maturity', 'black white cattle', 'duroc chinese jinhua', 'fat deposition major', 'weight chicken 05', 'emmax revealed', 'performed ingenuity pathway', 'low input', 'rs109663724 rs137673193 significantly', '1033 day 240', 'breed 338 used', 'leading difference', 'march april 2005', 'haplotype oppositely', 'genomic variability', 'resulted increase 02', 'bta 88 97', 'studied effect', 'nelore breed identification', 'gwa approach identified', 'potential biological process', 'yield 0005 0032', 'detected 80 cm', 'qtls commonly identified', 'varies associated meat', 'make difficult identification', '20 parental', 'associated longer', '73 daughter male', 'form breeding', 'lpin2 f2', 'mapped ssc 2p14', 'me1 gene', 'located region chromosome', 'shared effect', '494 576 906', 'cast strongly associated', 'locus performed', 'area ph measured', 'association bcdo2', 'response cow', 'algorithm genoprob', 'model association fastmremma', 'birth weight reported', 'clinical mastitis production', 'putative quantitative trait', 'exon 10 analysed', 'yield grade quality', 'disorder broiler', 'metabolism inflammatory mitosis', 'approach used total', '114 iberian', 'causal variant predicted', 'cow 19 586', 'index tibiotarsal humeral', 'qtl ssc2 reached', 'gabra6 genomic region', 'maximum statistic 13', 'gebv wgebv bootstrap', 'intestine skeletal muscle', 'disease hanoverian warmblood', 'snp studied', 'belonging farm participating', 'pig highest', '14 dpi respectively', 'putatively associated breeding', 'small antral stage', 'snp combined single', 'family model', 'snp linked 31', 'derived strain qtls', 'industry study aimed', 'rs81399474 rs81400131', '14 genomic region', 'seek gene involved', 'later parity sow', 'sample variant', 'breed tropical', 'tissue 83 001', 'transcription previously', 'tgfbr1 marker', 'efficiency gga2', 'location causative polymorphism', 'haplotype explaining', 'frequency accuracy', 'phenotypic variance contributing', '132 snp', 'regulation mrna stability', 'affecting treatment mastitis', 'highly significant different', 'unique opportunity', 'provide cue similar', 'refined linkage', 'information target genomic', 'trait 81', '18 additional', 'chicken consistent previous', 'susceptibility locus su', 'dairy cattle motivated', 'level cow', 'carrying haplotype', 'pleiotropic source', 'recombination qtl', 'bovine paratuberculosis', 'qtl acting coupling', 'possible specify gene', 'hair blood', 'search polymorphic', 'scrapie mainly', 'mineral trait absolute', 'respectively proximal', 'rs109234250 rs109421300 rs109162116', '86 blonde aquitaine', 'weight examined evaluate', 'affecting conformation', 'approach individual', 'contribute identify causative', 'european allele increased', 'kunming city', 'sire qtl identified', 'disequilibrium assessed cattle', 'near reported', 'observed ars', 'target gene body', 'utilized current study', '188 animal', 'elucidating genetic basis', 'reported pig', 'speculated difference', 'qtl estimated significant', 'determining resistance susceptibility', 'fto gene associated', 'cnvrs harboring', 'dairy holstein friesian', 'day day slaughter', 'juiciness observed haplotype', 'trait jinghai', '48 72 week', 'affecting weekly', '14 radiation hybrid', 'spanning pig', 'frequent ct', 'segregating breed association', 'tested map', 'heavier 07 205', 'indicate qtl', 'possible apply', 'fads2 fasn scd', 'validated german holstein', 'presence 12 genomic', '31183170t recognizable psti', 'snp gwas gblup', 'voluntary basis 2007', 'cox transformed', 'using ldla', 'coa reductase decr1', 'acid result', 'established allele', 'gwas component challenging', 'fit different', 'role regulating carcass', 'snp fmo5 494a', 'locus qtl underlying', '452 457', 'population nv', 'sow productivity', 'ssc14 121 mb', 'used quantitative', 'goodness fit heritability', 'ham capable minimal', 'estimate avoiding iteration', '18 kg le', 'tg content cell', 'immediate neighbourhood', 'localisation substantially', 'quality trait enrichment', 'associated month', '208 1644 1648', 'setd7 positional candidate', '200 mb pig', 'showed individual haplotype', 'pou1f1 gene', 'infected bird current', 'selected analysis', 'specific indicating', 'complex fat', '18 total observed', '353c 233t', '144 progeny grandchild', 'dam line produce', '05 reduction igg', 'carcass trait 10th', 'background number', 'snp remarkably', '200 pig performed', 'fec costly laborious', 'body weight oviposition', 'incorporated marker', 'rise 63 measured', 'discover novel', 'studied dairy', 'rfa lm area', 'duplicated microsatellite marker', 'muscle economically', 'showed snp2 chr', 'parameter offspring rao', 'project genomic region', 'variant performed', 'concentration time points', 'architecture trait qtl', 'multi pdz domain', 'novel qtl protein', 'qtl ssc14', 'influenced leg muscularity', 'snp chip based', 'cattle 27534932a genotype', 'previously mentioned chromosome', 'specify gene', 'hsp90b1 col18a1', 'filtered high', 'log10p 12', 'sequence genomic clone', 'smaller described', 'knowledge research', 'population 724', '51 polymorphic', '190 microsatellite marker', 'selected qinchuan cattle', 'ssc1 12 qtl', '10 qtl', 'resource flock 1029', 'slc37a1 peak', 'consumption performed genome', 'eggshell thickness est', 'ssc6 meat color', 'depth backfat', 'salmonella infected poultry', 'marker covering oar3', 'history marked increase', 'phenotyped kyphosis', 'polymorphism snp scanning', 'layer cross phenotyped', 'horn size', 'fitted fixed', '03 08 independent', 'genetics physiology', 'short transcript differ', 'vector heartwater', 'population 490c snp', 'autosomal chromosome', 'identified ssc12 region', 'generally poor', 'identified snp strong', 'establish single', 'favored regard birth', 'mannose binding', 'used sustainable', 'region bta2 14', 'gain accuracy', 'cd predictive', 'indel utr', 'ppargc1a excluded result', 'semen ejaculation trait', 'degree resistance disease', 'multiplicative interaction result', 'color meat purpose', 'genome wide cnv', 'rhythm neurotrophin', 'accompanying relationship', 'using historically', 'gated channel subfamily', 'indicate genetic variation', 'located chromosome 18', 'shaping genome', 'induced phosphatidylinositol kinase', 'chinese erhualian white', 'genotyping snp putative', 'qtl mapping interval', 'egg production poultry', 'rfi regulated multiple', 'sampled fixed', 'dmi 05 substitution', 'study alzheimer different', 'family additional qtl', 'trait affected', 'selected chromosome', 'acid composition dairy', 'gne cplx1', 'qtl different meat', 'significantly deeper measured', 'trait pathway network', 'study previous publication', 'identification gene associated', 'sc h2', 'chinese dairy cattle', 'haplotype distribution', 'recently relatively large', 'associated decrease', '37 04 shank', 'weight triglyceride level', 'marker total', '05 genome', 'difficulty dcd', 'potentially relate semen', 'mortality categorical', 'interaction observed', 'based variance explained', 'pasture fed beef', 'deviation phenotypic variance', 'score water holding', '304 pig', 'meat purpose study', 'association dgat1 lys232ala', 'load vl', 'weight mmwt', '29 different flock', 'included 172 microsatellite', 'assaf sheep using', 'information characterization slc39a7', 'relevant association', 'ensembl cattle qtldb', 'cw detected', 'exposure mouldy', 'potential application marker', 'cm contains gene', 'difference fatness trait', 'different phenotype', 'cattle sequenced length', 'needed identify gene', 'effect probably', 'eqtl significant predictor', 'identify potential causative', 'titan used', '28 gene localized', 'best goodness fit', 'puberty gilt', 'condition allow', 'gene initially', 'incidence microbial', 'interval mapping recombination', 'phosphatidylcholine ether pc', 'quality attribute crucial', 'work coughing', 'skeletal muscle study', 'egg component contained', '433 animal', 'synthase stearoyl coa', '418 hybrid steer', 'loss shear', 'ovulation rate evaluated', '28 genomic region', 'strategy qtl searching', 'atf3 dgat2 fo', 'c18 intramuscular', 'candidate gene hsd17b6', 'correction 038', 'estimate relative posterior', 'pork producer breeder', 'sib bull', 'mutation affecting', 'support fine mapping', 'use gwas', 'subclinical ketosis dairy', 'population constructed crossing', '19 29 affected', 'tissue remodeling opn', 'concentration mineral', 'individual qtl identified', 'contained gene', 'functionally important', 'reflecting high genetic', 'redness meat color', 'finally analysis', 'variance gestation length', 'appropriate simplicity', 'cysteine glycine', 'distantly related', 'liver weight colour', 'snp array nh', 'linked association analysis', 'abcg2 cdna', 'performed filtering leaving', 'body size carcass', 'marker rm356', 'variance significant', 'rs110469441 utr', 'lysozyme innate', 'usmarc map porcine', 'cost labor', 'typed 40', 'affecting concentration beta', '1156 japanese', 'calf morphology dam', 'low heritability adult', 'additionally 25', 'genotyped 81', 'major ovine', 'blood pig clarify', 'capable minimal', 'low feed', 'gene spp1 polymorphism', 'small high statistical', '48 cm gm', '423a significant effect', 'domain 83 wdr83', 'gene transcription previously', 'previously detected animal', 'snp information using', 'considerable variation resistance', 'romo cebú breed', 'objective genome wide', 'precision compared', 'steer gpe', 'underweight birth', 'status carrier', 'performed detect region', 'strong association diplotype', '96 giant', 'exceeding chromosome wide', 'site propeptide', 'harbored individual qtl', 'region lpin2 444g', 'regulation development normal', 'snp associated footrot', 'specific daughter', '27 polymorphic', 'databank brazilian sheep', 'cow cohort', 'wg 160', 'merlin software result', 'transmitted ability phenotype', 'lamb qtl', '100 muscle additional', 'identified locate genome', 'fabp4_μsat3237 qtl marbling', 'quality trait f2', '13 snp', 'ranged 01', 'friesian crossbred pedigree', 'sheep advanced understanding', 'resistance challenged pleuropneumoniae', 'response challenge', 'breed native southwest', 'gel electrophoresis meat', 'detect compare', 'polymorphism dlk2', 'pig adfi feed', 'yield notably', 'selection genomic selection', 'gin parasite', 'spliceosomal rna', 'live animal deuterium', 'snp combined haplotype', 'growth pattern', 'chip total 44', 'gene isolated', 'ovulation rate pig', 'cytokine cytokine', 'level prlr early', 'map faecal', 'swiss breed', 'day age included', 'inherited 10 case', 'population conclusion pirm', 'second significant region', 'cow genetic potential', 'testis danish cross', 'fto fat', 'time lower longer', 'total 81 gene', 'locus previously', 'gene predicted', 'aa 116 lm', 'factor receptor ngfr', 'scd gpat4 fasn', 'egg laying make', 'gwas 44 milk', 'pattern muscle different', 'individual using truly', 'cut backfat', 'parasitological trait model', 'trait obtain information', 'understand function', 'prl peroxisome', 'anaemia control candidate', 'near acsl4', 'confidence interval le', 'cryptic causal relationship', '149 85 149', 'genome scan white', 'greatest pbm diplotype', 'panellist linear', 'low marbled high', 'categorized 802', 'ascites incidence modern', 'finding suggesting conservation', 'pig diverse', 'superior meat quality', 'fcr2 genotyped using', 'removing significant snp', 'virulent response stress', 'independence group association', 'associated tenderness', 'temporal stage conclusions', 'dry genotyped', 'number sick', 'based available evidence', 'total saturated', 'carcass reduced growth', 'antibody response vaccination', 'age 110 kg', 'largely contributed variability', 'fshr gene investigated', 'significantly remarkable', 'sheep growth trait', 'outbreak total 420458', 'ranged 2768', '1829t coding sequence', 'variance 29', 'pose increased', 'csn3 variance analysis', 'analysis validated presence', 'intron revealed', 'site showed', '27 significant qtl', 'aim research gain', 'present previous', 'skatole sperm count', 'performed linkage disequilibrium', 'variation require investigation', 'lepr leprot dnajc6', 'explained qtls ranged', 'explaining phenotypic', '198 bta20 03', 'scurs female normal', 'unknown association', 'accumulation necrotic', 'intron revealed computer', '31 007 bta26', 'expression detected testis', 'joint located equine', '65 99', 'qtl m4', 'lod bmd', 'qtl developmental qtl', 'qtls ssc7 comparative', 'affect scrapie incubation', 'rate identified meishan', 'study maternal behavior', 'category saturated monounsaturated', 'site family', 'dairy cattle 180', 'vaccination significant', 'suggest detected', 'influence lipid composition', 'zfat pig', '36 387 single', 'dopamine knockdown', 'residual variation', 'day 18 ssc8', 'chip snp considered', 'furthermore haplotype', 'disease needed research', 'haplotype nordic', 'chromosome protein percentage', 'routinely collecting', 'level mapped', 'harbored 129 70', 'effect 24', 'norwegian trotter hanoverian', 'package step grammar', 'gene independent represented', 'correlated important trait', 'horse prme black', 'solid fat snf', 'application pig', 'snp identified meta', 'using family regression', '428 weaning weight', 'gene mapped swine', 'rate breed result', 'cnvrs 43', 'individual 19', 'annotated 120', 'mechanism affecting', 'interaction molecular marker', 'muscle fiber diameter', 'discordant sib', 'qtl significant evidence', 'friesian cow 339', 'molecular marker effect', 'analysis divided', 'increased proportion', 'coding rac alpha', 'perendale sheep', 'assisted selection increase', 'color present', 'sequence western', 'important indicator growth', 'sd wool crimp', '79 deletion', 'total 598 boar', 'detected population excluding', 'library yeast hybrid', 'using f2 experimental', 'bayesian method result', 'seven genome wide', 'sperm quality based', 'obtained second', 'ssc7 single trait', 'pathway trappc9 arhgap39', 'associated ltnb shown', 'pathway related obesity', 'length utr', 'weighted linear', 'low moderate genetic', 'detect genetic', 'percentage near telomeric', 'control ovlv', 'pneumonia mastitis arthritis', 'jordan study aimed', 'associated difference phosphorylation', 'case control set', 'loss respectively candidate', 'inhibitor protein axin1', 'length femoral bmd', 'cloned sequenced', 'exhibited genetic variability', 'qtl region adg', '285 cow', 'grazing gastrointestinal nematode', 'pig population challenge', 'associated result genomic', 'bull receive allele', 'known exhibit', 'western commercial', 'tick specie', '27 13 36', 'rate analysis', 'predictive pork', 'giving consistent result', 'caused amino acid', 'marker 15', 'nellore cattle verify', 'qtl suggestive significance', '22g 17g', 'locus qtls pig', 'junken type association', 'nervous development conclusion', 'bull mixed model', 'gene statistical result', 'identified new region', 'indicating snp', 'improvement fatty acid', 'qtl ssc11 18', 'identified variant snp', 'analyse candidate', 'sweden uasms2', 'validates qtl implicated', 'snp associated internal', 'study furthermore significant', 'growth fillet yield', 'length carcass trait', 'procedure estimated', '23 27', 'loss swine', 'protein allele frequency', 'angiogenesis vasculogenesis fetus', 'susceptibility bovine', 'brown eggshell', 'different effect lactoglobulin', 'detected overlapped', 'cdna characterized', '172 ewe', 'qtl mle freely', 'statistical signal region', 'approximately time', 'using regression variance', 'bac end', 'herpesvirus suhvi porcine', 'regulation appetite', '44 mb qtl', 'region controlling', 'effect suggesting dominance', 'israeli holstein sire', 'qtl detection carried', 'biological positional', 'potentially causative', 'element target site', '938 phenotyped individual', 'strong leg foot', 'pair homeologues duplicated', 'abnormal oocyte morphology', 'imputation based association', 'measured map', '05 linkage', 'resistance milking', '424 single', 'analyze endometrial gene', 'linkage japanese', 'estimate breed analysis', 'include modifier dc', 'recycle calving', 'sire addition', 'backfat bmp2', 'effect adjacent', 'affecting weekly shank', '46 70', 'brahman influence increased', 'test performed resulting', 'ca analysis performed', 'altered lipid content', 'identified result', 'estimated genomic heritability', 'gene peptidylprolyl isomerase', 'temperament flock selected', 'routine vaccination biosecurity', 'n301 bw 49', 'cofi rflp respectively', 'crested head comb', 'piglet 334', 'gene sus scrofa', 'south western region', 'observed ubf similar', 'artery disease myocardial', 'association analysis egg', 'kr3 kr3', 'dominance variance accounted', 'performed qtl growth', 'white identified', 'expression reported', 'qtl ssc7 foetus', 'explore genetic', 'snp health', 'brown commercial laying', 'clone revealed', '16 canonical', 'direction differed', 'gh1 showed association', 'complement component c3', 'value chromosome locus', 'enhance gin resistance', 'mufa polyunsaturated fatty', 'array using', 'phenotype number', 'fifth exon known', '10 single qtl', 'qtl detection approach', 'qtl texel', 'type xxiv alpha', 'descended 22 sire', 'gga15 gga18', 'milk order', 'significant level', 'animal association detected', 'visual inspection', 'generated targeted investigation', 'fkbp6 revealed significant', 'qtl using traditional', 'animal solid coloured', 'performed using regression', 'tof objective study', 'score sc 5746', 'osteochondrosis sport', 'using polymerase', '58 cm', 'correlation allowed identification', 'indicated tcap play', 'technological property meat', 'position using microsatellite', '533 217_79', 'in7 g162c', 'originate finnish', 'phenotypic evolution', 'low minor allele', 'report assay regulatory', 'partial imprinting', 'height native british', 'detected analysed data', 'type trait studied', 'vaccine efficacy', 'different background', 'a19 cyp2a19 sulfotransferases', 'dna markers', 'weaning average daily', 'grade 87 cm', 'value illumina porcinesnp60', 'stratification analyzed data', 'spanning 34 cm', 'famt define subtypes', 'peak height', 'identified underlying', 'dihomo gamma', 'snp 19', 'slaughter linear', 'data cross qtl', 'known microtia observed', 'portion body', 'interaction calcium', 'factor heterosis', 'control aim', 'detected altering', 'bovine chromosome concordant', 'e46 egg production', 'process birth', 'variance component susceptibility', 'evidence provided', 'haplotype sire 20', 'qtl negative data', '28 total phenotypic', 'conclusion finding suggest', 'breakpoint analysis', 'costly determine fatty', 'weight line provide', 'wssgwas evaluate backfat', 'bta9 total', 'skin lesion', 'difference prolificacy', 'gene vitamin binding', 'level pre infection', 'msp analysis performed', 'framework map 200', 'adiposity mammal potential', 'directly measured breeding', 'detected combining gwas', 'weight 490 cm', 'population 260 validation', 'marker identify susceptible', 'haplotype track', 'organoleptic physical chemical', 'variation production affected', 'functionality type', 'including microsatellites qtl', 'time time', 'population intensively artificial', 'result individual diplotypes', 'considering different lactation', 'rs592076818 1710c predicted', '13307g snp1 missense', 'decreasing c18', 'phenotypic selection measure', 'impact rainbow', 'instance slc22a18', 'ranked relative resistance', '3α gene widely', 'protein ptm', 'snf enhancing effect', 'castrated eliminate', 'gene deduced potential', 'information 44', 'f4ab f4ac receptor', 'genetic resource study', 'elisa sample', 'provide useful', '54 mb associated', 'related phenotype evaluated', 'cgmp pathway', 'setd7 liver', 'association 05 detected', 'compared pcp pcp', '133 marker', 'phosphorylated form ampk', 'using 139', 'reach statistical significance', 'dairy cattle productivity', 'abdominal fat af', 'interval ci 13', '10 66 mbp', 'locus collected explained', 'method refined position', 'v33a mutation bco2', 'protein ucp1', 'significant experiment', 'nsb number', 'expression physiology result', 'specific pcr kasp', 'utilised marker assisted', 'effect growth feed', 'different feeding', 'showed higher score', 'respectively gga4 qtl', 'susceptibility date', 'pig excellent', 'read sample total', 'promoter region studied', 'lifr ngef', 'generally significant 12', 'role fat', 'resistance cd predictive', 'deregressed analysis statistical', 'level higher semimembranosus', 'ssc12 associated 45', 'imaging technology ray', 'ng androstenone', 'f2 chicken', 'total ct', 'crp3 muscle', 'genome analysis ibk', 'post slaughter metabolic', 'affected qtl phenotypic', 'lamb genotyped using', '52 23 respectively', 'igf1 showed', 'overlapped major', 'nebraska index', 'population showed different', 'associated tibial breaking', 'datasets analysed', 'score sum severity', 'ct associated significant', 'step identifying gene', 'connective tissue', 'effect sex performance', 'post hatching', 'population greece', 'open candidate', 'environmental influence polygenic', 'reaction strong evidence', 'aa genotype fenjing', 'locus associated 10', 'objective identify haplotype', 'target artificial selection', 'sla excluded', 'underlying trait', 'family qtl lactose', 'effect qtl ssc5', 'contribute genomic', 'xirp2 frzb', 'related inheritance', 'data understand genetic', 'fit time varied', 'activity calpastatin', 'evidenced major mutation', 'chromosome segregating', 'muscle fatty', 'little known genetic', 'poor eggshell quality', 'diverse f1', 'candidate gene motility', 'understanding constitutive hyperglycemia', 'allele estimated', 'study investigate effect', 'undetected single', 'cnvs result', 'gwas explored single', 'utilization marker assisted', 'breeding value paternal', 'cm 55 70', 'second selected', 'snp rs80805264 identified', 'prkag3 significant locus', 'pig lifetime reproductive', 'used evaluate', 'runx2 tnfsf11 gene', 'social reproductive behavior', 'polymorphism positional', 'deregressed used', 'literature large fraction', 'trait production milk', 'bta 24 bta', 'increased risk', 'gene variation', 'selecting pig according', 'heterozygous genotype individual', 'affect pp primarily', 'maternal behavior 24', 'age egg weight', 'taurus association', '01 direct', 'animal alike', 'association genotype bmp15', 'infected individual', 'tef site nucleotide', 'better understand role', 'region proved', 'frequency mutant ube3b', 'strength laying hen', 'significant qtl peak', 'characterized high level', 'includes functional', 'model combined line', 'multiple tissue', 'tnb previously', 'boar taint compared', 'incidence infection transition', '4986 bp', 'esc caused bacterial', 'power difference', 'bta14 explained solely', 'previously detected different', 'provided data', 'improvement microsatellite marker', 'infanticide previously hypothesised', 'informativeness s0008 relative', 'platform allows', 'abundant important effector', 'weight lbw abw', 'weaning weight', 'old bovine', 'map4k4 gene useful', 'array selected snp', '100 snp', '400 bp region', 'individual analyzed refine', 'fitting vca model', 'diet result suggest', 'objective polymorphism occurring', 'pedigree detected significant', '11 significant level', 'performed mean', 'average estrous cycle', 'functional enduring', 'region combining', 'combination classical qtl', 'shearing pleiotropic qtls', 'additive dominant recessive', 'map qtl', 'level pig chromosome', 'measured blood sample', 'treatment cost genomic', '576 informative single', 'belong intermediate', 'nte mainly', 'showed total number', 'subsequently genotyped 261', 'cluster south asian', 'phenomenon generation', 'snp int3 snp', 'adjust population', 'day ssc6 84', 'ucp2 generally', 'present new', 'respectively pleiotropic effect', 'elovl6 strong positional', 'including pak1', 'semen trait detected', 'sib holstein', 'cattle respectively highly', 'nh missense mutation', 'ssc16 addition', 'livestock production causing', 'make qtl', 'located region gene', '24 demonstrated', 'stability cis', 'intron exon nucleotide', 'androstenone level fat', 'approach implemented association', 'use horse racing', 'statistical correction stratification', 'linear carcass trait', 'dopaminergic pathway ngf', 'controlling gin', 'pdr5 protein functional', 'mastitis decade', 'established estimate', 'mineral balance organism', 'limited warranted', 'data set indicating', 'reliable mapping', 'correlation detected cell', 'ovine genome difficult', 'population focused exclusively', 'analysis polygenic effect', 'half sibs', 'maximum likelihood program', 'meta analysis qtl', 'qtl possible strong', 'identified growth differentiation', 'investigated polymorphism fbxo32', 'parent f0 bird', 'disequilibrium ld', 'change arginine', 'comprehensively increase', 'gblup wssgblup used', '10 mendelian', '502 gilt reproductive', 'gene evidenced highly', 'egg layer chicken', 'based experimental design', 'genetic factor confer', '285 individual', 'phenotypic measurement', 'using 29', 'qtl reporting literature', 'determinant imf used', 'phospholipid metabolism', 'phenylalanine isoleucine', 'significant qtls revealed', 'density gwas', 'industry ham capable', 'appear generate earlier', 'animal initially genotyped', 'fiber muscle fiber', 'canalized trait', 'genetic evaluation increased', 'markedly 05 qinchuan', 'breed result genome', 'week growth', 'applied model flexible', 'involved white marking', 'way cb pig', 'bovine qtl', 'understand role leptin', 'corpuscular volume mcv', 'method qtl qtl', 'red junglefowl', 'italian simmental italian', 'probesets expression showed', 'overlapping group defined', 'significance plasma', 'gag like', 'post hatching lower', 'support polymorphism lalba_g', 'additional qtl chromosome', 'ff 05', 'perform genome wide', 'taint qtl region', 'edg1 referred', 'snp8 snp14', 'follicle sow mainly', 'large white french', 'extracellular matrix', 'reference family result', 'porcine resource', 'muscle lightness', 'sample positive', 'gblup wgblup', 'obtained differential', 'covariance trait modeled', 'chicken arian broiler', 'gene lie', 'fat pasture fed', 'methodology account', 'effect result marker', 'protein function crucial', 'category conclusion present', 'used included 1042', 'variable proposed', '197 family', 'suggesting differential tissue', '600 scottish', 'fubp3 myosin heavy', 'large white caused', 'linkage group unknown', 'social emotional reaction', 'feed intake published', 'joint breeding value', 'yellowness myoglobin content', 'nins day', 'rs13687126 pit strongly', 'significant selected', 'heterosis multiplicative interaction', 'study located', 'effect asp298asn limited', '235 corresponding bonferroni', 'gene including gene', 'mbp region harboring', 'progeny qtl', 'response different situation', 'individual evaluated', '17122a 17507a', 'bft carcass', 'secondary structure echs1', 'wise critical value', 'population total qtl', 'flanking region screened', 'relative difference postnatal', 'ss411628932 ss411628936 shown', 'significant ch4', 'suggests specific opportunity', 'effect reflectance value', 'animal inheriting different', 'higher opn', 'variation imf', 'associated increased proportion', '55 microsatellite', 'tnb corpus lutea', 'decarboxylase gene', 'dpr high 989', '05 compared', '10 24 reached', 'fat μg', 'consequently proportion', 'gene transcript level', 'correlation 46 vl', 'band paternal origin', 'presence causal variant', '474 159', 'f2 population body', 'frequent cn loss', 'qtl project positioned', 't314c detected allelic', 'region 13 14', 'total exon1 g142a', 'lod 14', 'scd plausible candidate', 'revealing new gene', 'tested standard animal', 'technique chicken breeding', 'association test statistic', 'deviation sd', 'reported feed intake', 'included total number', 'jak stat signaling', 'novel breed breed', 'able trace', 'detection implementing', 'specie human principal', 'genotyped using microsatellite', 'variant scd gene', 'myf5 gene', 'improve range', 'snp trait animal', 'functional gene advance', '16 opposite', 'milk urea', 'calf specific mating', 'severity human', 'modeled qtl effect', 'mesh library result', 'segregate blanche du', 'qtls qtl qtl', 'significant variant', 'used channel', 'reflect water holding', 'animal resource population', 'qtl detected identified', 'identified putative cnv', 'sample genetic', 'rate quantitative trait', 'half weight', 'understand portion genetic', 'detected novel single', 'percent shear force', 'hap12 ac hap22', 'girth 489 cm', 'develop improved', 'consistent analysis significant', 'swine model human', 'family used', 'extreme group resource', 'weight abdominal', 'breed clustered distinctly', 'lamb yearling measured', 'genomic heritabilities', 'affected probability female', 'allow significant', 'significantly advanced', '09 10', 'design marker', 'close gene coding', 'recorded health event', 'showed litter', 'reduced legislation', 'marker performed using', 'resistance quantitative trait', 'object snp', '28 85 versus', 'metabolism affect', 'bta23 included bovine', 'population china analyzed', 'thickness loin', 'fat thickness bt', 'parasitic nematode', 'bd complex trait', 'level measured milk', 'concentration moisture', 'gonzales texas', 'paper present report', 'obtained university wisconsin', 'intron hmga2', 'data analysis consisted', 'postnatal psychosis', 'exon gamma', '90 confidence', 'resistance riphicephalus', 'response klh', 'respectively outside block', 'qtl allele fixed', 'prior information assign', 'chromosome related size', 'assay analysis data', 'nba parity similarly', 'effect individual birth', 'tissue proportion significantly', 'acid content simmental', 'pigment body', 'genotyped individual number', 'gene conducted 30', 'subset population', 'contagious oncogenic alphaherpesvirus', 'ph1 drip loss', 'previously qtls', 'revealed mean ebv', 'led confirmation qtl', 'significant week', 'variant candidate gene', 'region regulatory region', 'count scc alternative', 'lepr coding', 'allelic effect gamete', 'disease human little', 'gene proposed candidate', 'cw japanese', 'combined pedigree provided', 'annotation bovine', 'known fcr qtl', 'identified binding site', 'qtl alkaline', 'duroc snp plcz', 'inconsistent varied depending', 'c20 cis', 'death result indicate', 'syntenic region human', 'obesity human identification', 'identified homologous', 'card15 evaluate', 'selection previous', 'evidence epistatic qtl', 'angle body', 'study gwas use', 'meat genome', 'economical importance', 'birth haplotype h3', 'locus analysis 13', 'sign breathing effort', 'using bonferroni correction', '6200 animal cooperative', 'breeding value deregressed', 'evaluation country indicator', 'evidence correlation utt', '77260 rb1', 'chromosome close', 'incidence population increase', 'significantly affected tm', 'locate chromosome', 'reciprocal cross', 'cattle phenotyped', 'conclude susceptibility', '238 chicken reciprocal', 'candidate gene associated', 'fp lactose', 'previously associated fertility', 'pep result', 'genotype rs13997812 significantly', 'anion transporter', 'linear relationship', 'sequencing data localized', 'locus strongly associated', 'feedstuffs decrease', 'oocyte morphology altered', '6723ag genotype 002', 'profile linkage analysis', 'etec f41 susceptibility', 'associated highly prolific', 'factor family', 'weaned piglet birth', 'fresh meat dry', 'suggested refinement', 'case ibk considered', 'protein structure present', 'qtl current study', 'rank snp', 'data 4280 progeny', 'point fat', 'significant effect ilsts098', 'ercr sperm kinetic', 'chest girth cg', 'experimental population initial', 'multiple testing analysis', 'responsible ltn rtn', 'target network significantly', 'time comprehensive', 'attained 6723a', 'conserved residue lipid', 'combined cow genotype', 'loss health', 'tailed sheep available', 'heterozygosity confers', 'marker ovine', 'damage challenge laying', 'variance captured', 'associated bursa', 'variation feed', '22 26', 'condensation protein used', 'outer ear', 'partly imputed', 'study identify tissue', 'igf1r gene genotyped', 'gluc result mtdna', 'used marker average', 'sscp pattern', 'influenza antibody titre', '87e 06', 'change protein val27ala', '45 multipoint', '334 danish holstein', 'associated antibody', 'parameter trait ii', 'chicken bird aa', 'greater average', 'trait applicable dna', 'rural area', 'lr iberian meishan', 'studied human rediscovery', 'resistance gin', '02 phenotypic', 'introduce factor analysis', 'aata occurred frequency', 'entropion genome', 'tissue sample available', 'qtl tg ssc11', 'sheep caused', 'ssc12 fatty', 'metabolic trait present', 'literature 161 located', 'notoriously difficult', 'allele corresponds', 'cplx1 conclusion', 'sex effect fixed', 'pietrain polish landrace', 'fmo5 gene fragment', 'phenotype trait', 'continuous objective', 'origin 105 96', 'indicine cattle unclear', 'profile nellore', '2379tc association', 'provides important', 'mastitis case reduce', 'gene significantly associated', 'mapped telomeric region', 'reduced respectively', 'harboured detected qtl', 'light physiological', 'near lepr', 'allele originate finnish', 'population overall', 'schwarzköpfiges fleischschaf', 'allergic reaction antigen', '31 15 observed', 'animal illumina beadchip', 'age puberty training', 'longissimus dorsi ld', 'linkage group inter', 'locus porcine gpihbp1', 'chicken day week', 'trait different stage', 'composition average', 'broiler used', 'snp marker intron', 'length bmd genetic', 'mutation involved', 'locus gene affecting', 'important interacting gene', 'trait adjacent marker', '23 mb syntenic', 'characteristic economic present', 'promising candidate selecting', 'linked study', 'indicated snp4', 'resistance region wide', 'igfl1 region large', 'qtl porcine susceptibility', 'seven ap 10', 'production level suggestive', 'genetic mechanism', 'presence boar stimulation', 'base seventh', '11 14', 'performed gemma genome', 'srb breed', 'sscx significantly linked', 'subcutaneous fat abdominal', 'commercial livestock population', 'effect afe', 'study gwas imputed', 'used global', 'fat population', 'imprinted qtl', 'disequilibrium 92 average', 'rf approach cow', 'associated myelodysplastic', 'studied population total', 'analysis revealed single', 'albumin glucose', 'location gwas model', 'ggp porcine', 'length hindleg length', 'driven sexual', 'effect dependent', 'tail estimated breeding', 'interval position smaller', 'identify polymorphic', 'lgals9 eno3', 'uptake transport', 'bw fi', 'sired cross', 'like ubl5 am950288', 'minolta ultimate', 'classical gwas', 'model approach identified', 'allele imputation', 'tlr4 candidate', 'according method', 'effect remaining animal', 'pp dmy', 'major qtl affect', 'sick cow training', 'wither height heart', 'population including chinese', 'comprised 38 half', 'detected presence', 'research genetic', '21 respectively high', 'pelvis breadth week', 'state meat quality', '05 including', 'simmental luxi', 'increased 35 1kb', 'genetic variation predisposition', 'hair coat', 'marek disease mdv', 'covering entire', 'result identified region', 'dutch f2', 'alga0035896 71 10', 'mapping linkage', 'associated feeding trait', 'identified meta analysis', 'crowding stress complex', 'characteristic particular production', 'line unselected control', 'locus prior knowledge', 'significant test 01', 'performance behaviour predisposition', 'highlight utility using', 'study used potential', 'slanting length pelvis', 'detected snp used', 'rs42670352 gene cckbr', 'acid level result', 'use genome regression', 'correlation snp', 'key player qtl', 'production immune', 'explained 28', 'discovered major', 'acvr2a haplotype increased', 'persistency milk canadian', 'trait regulated gga5', 'number white blood', 'founder breed meishan', 'matrix partial', 'cm approximately 80', 'genotyped additional snp', 'snp 31224g', 'force sensory trait', 'association saa2', 'effect tightly linked', 'trait genetic mechanism', 'effect genotypic regression', 'gene number lumbar', 'microsatellites giving 16', 'hormone bioavailability', 'haplotype il', 'milk cmp composition', 'abcg2 evaluate', 'daily heat cycle', 'qtl small', 'carcass composition fatness', 'derived map existing', 'gemma software result', 'hock joint', 'scan using half', 'screening following', 'autosome marker', 'deposition relevant', 'event silv 64a', 'joint affected fetlock', 'ib lr cross', 'sheep half', 'explained increased', 'bta8 su included', '497 bird', 'percentage fy', 'significant snp chromosome', 'index indicating profitability', 'intron untranslated region', 'novel promising gene', 'hormone receptor ghr', 'wide qtl ph15', '885 snp statistical', 'opportunity improving', 'gtacgtac diplotype highest', 'mutation combined case', 'rib fat', '21 23 average', 'qtl ultimately qtl', 'rate dominance', 'body weight covariable', 'locus intron showed', 'bovis bovis causative', 'correlation locus', 'phase hplc', 'snp analyzed pl', 'high digestive efficiency', 'associated polymorphism located', 'cortisol concentration goal', 'selection modern', 'analysis including mutation', 'strong association', 'id location association', 'variant including exon', 'marker 16 chromosome', 'necessary refine map', 'chromosome gga3', 'conclusion good', 'v33a variant', 'linear anova', '12 19', 'qtl conformation', 'oxtr distributed', 'negatively correlated 01', 'weight recent', 'variable gain accuracy', 'common brown swiss', 'independent quantitative', 'study ascertain', 'result differed', 'including musculoskeletal movement', '69 qtl', 'post slaughter ph15', '10 rfi1', 'bw measured', 'average backfat', 'contrast single', 'peak lean', 'growth trait 12', 'landrace yorkshire used', 'trait rarely', 'level suggestive linkage', 'known farrowing', 'investigated respect', 'fivefold cross validation', 'bin gbrowse oaries_genome', 'mapping refine fatness', 'domain snp analysed', 'lp upstream regulator', 'coding variation 10153g', 'classification scheme scanned', 'phenotypic variation body', 'productivity economic', 'associated microsatellite rm188', 'population male animal', 'pig population single', 'tm qtl carrier', 'linear model mlm', 'deviation ebv', 'adg identify gene', 'region multipoint', 'pathway involved', '19 generation', 'saa2 gene encodes', 'qtl qtl chromosome', 'reproduction phenotypic trait', 'better imf producing', 'estimated phenotypic', 'mapping exploiting updated', 'major contributor mechanism', 'effective use meishan', 'ca aa significantly', 'index considering importance', 'conducted identify single', 'reproduction conception', 'totaling 927 progeny', 'nucleotide marker assisted', 'hen dermal', 'phenotyped backfat', 'present study detected', 'fold selected', 'landrace pig experimental', 'binding cassette transporter', 'cm bta3 cm', 'analysis detect qtl', 'homozygous calf impaired', 'mirna target site', 'acid content lm', 'uk sheep industry', 'alpha vitamin', 'bovinehd beadchip genome', 'day nvd', 'sc ebv 0120', 'variance pc2 comprised', 'analysis ldla determine', 'gene share', 'mammary gland tested', 'nellore cattle single', 'intake 13 feed', 'separated remaining', 'performed microsatellite based', 'differentiation phenotypic', 'study reporting', 'statistical correction', 'rs400827589 used marker', 'clearly indicated', 'snp detected bmp15', 'sahiwal karan fry', 'hol cow', 'conclusion using approach', 'fcn3 col1a2', 'region utr 1040t', 'david gene ontology', 'victim feather', 'seven different', 'controlling height', 'labor requirement', 'affecting fat content', 'increased strategy', 'weight moisture saturated', 'peak observed', 'sixteen region', 'involved typing', 'industry muscle', 'validated danish jersey', 'study identify porcine', '17 medium 14', 'scrapie quantitative', 'rs43101491 rs43101493', 'animal warranted', 'breeder association', 'confirmed selected gene', 'estimate pneumonic lesion', 'mapped loc100138021 taf7l', 'locus strongly', 'checked radiography 117', 'new region', 'dlx1 grm8 fatness', 'meat quality concluded', 'association snp underlying', 'completed using', 'artificial chromosome bac', 'coefficient tested', 'controlled point', 'composition qtls indicating', 'intake rfi1 calculated', 'block novel variant', 'mycobacterium avium subsp', 'pig fixed', 'trait ewe prl', 'volume increased individual', 'haemonchus contortus infection', 'recent study significant', 'accretion suggestive', 'lpin2 variant', 'birth weight small', 'marker mutation lack', 'month life calf', 'contrast remarkable', 'inoculated sporulated', 'acid composition differs', '10 ebv variation', 'bp including', 'marbling haplotype', 'slc2a9 empirical', 'absolute value', 'igf nonesterified', 'proximal region 100', 'refined 180', 'longissimus semimembranosus', 'work detect genomic', 'seven growth', 'nineteen snp', 'gene trappc9 arhgap39', 'o1 ectodysplasin', 'imf result genomic', 'adjusted 05', 'blup applied', 'hedgehog hh', 'commercial livestock', 'animal losing', 'explain substantial', 'near beginning', 'using le 300', 'variance analysis using', 'variation sc', 'elovl5 essrg pcyt1a', 'myotubes indicated tcap', 'located 23 genomic', 'suggesting qtl operating', 'afflicted congenital entropion', 'day breast abdominal', 'suggest cebpa gene', 'association snp va', 'value total 770', 'association signal bta', 'frequency exclusively', 'color gga11', 'mean 30', 'rs17196799 rs17193181 htr2a', 'luxi nanyang qinchuan', 'included 157', 'infection prophylactic', 'biological psychological', 'abdominal fat gizzard', 'eca hm represented', '1033 animal', 'respectively gga4', 'significant 01', 'pp affected 25', 'complete association pigmentation', 'py fy', 'validation dataset effect', 'chain saturated', 'scan serum lipid', 'gga gga1', 'phenotyped number', 'good performance lean', 'end seasoning quite', 'information result segregation', 'support hypothesis hsp90aa1', 'fatty acid', 'analysis abundance', 'skin fat', 'cattle breed trait', 'sheep industry worldwide', 'size increase number', 'bta20 bta22 bta25', 'fcr number', '208 1644', 'reabsorption intermediate filament', '47 positional', 'added study population', 'haplotype improved slightly', 'program aimed identify', 'ontology term', 'gene pathway affecting', 'regulating chicken', 'haplotype present 40', 'ucp3 igf2 corticotrophin', 'disequilibrium breed multibreed', 'smaller cross anxa10', 'genotyped identified snp', 'mutation dc', 'individual combined association', 'mastitis resistance milk', 'breeding program lameness', '148 snp marker', 'addition genetic selection', 'affecting litter size', 'trans retinol trans', 'testis size parameter', 'evidence production trait', 'association 16', 'study total single', '10 phenotypic variance', 'growth risk bone', 'derived trait', 'highlighted 877 variant', 'association resistance', 'rs42766480 importantly', 'production carry', 'locus regression model', 'known biology', 'bayesian approach identify', 'molecular marker marker', 'compared using qtl', 'holstein animal accuracy', 'measure highly', 'far causative genetic', 'ltnb lnba similar', 'containing allele', 'mapping step', 'improve using standard', 'experimental cross used', 'value 4e number', 'day anatomy digestive', 'fixed effect scan', '17 based', 'intensifying glycolytic pathway', 'stage e4 e12', 'fecl based', 'chemical trait highly', 'analysis 216 hanoverian', 'including imprinting', 'turnover appear', 'locus detected fwec', 'bta 14 weight', 'sib holstein family', '04 transformed tick', 'variance monte carlo', 'associated fat moisture', 'conformation trait bta11', 'knowledge genetic basis', '25 include gene', 'trait marchigiana breed', 'adgtest partly explain', 'tph1 gene', 'genetic interaction large', 'male detected', 'contained 504', 'pig breed korean', '13 15 million', 'intercept linear quadratic', 'model combining', 'significant snp snp', 'manner vaccination available', 'gene notch2 prex2', 'improved lasso', '0001 specifically c14', 'tcf12 catenin alpha', 'pta step', 'affected litter size', 'present genome landrace', 'sm ssc7', 'chromosomal region m3', 'chromosome sw2516', 'energy balance meat', 'resistance swine', 'weight bw meat', 'effect dgat1 gene', 'chromosome resulted novo', 'fmdv trait', 'genomic region epistatic', 'suggest linked gene', '2196t genotype', '61 sire 486', 'detected study power', 'left model significant', 'qc jiaxian', 'taurine indicine composite', 'model specie conduct', 'sequence ligand', '11 048 landrace', 'determined 0018', 'association fresh', 'marker nup88', 'snp aj543065 703a', 'stimulating brown', 'size nw based', '96 day earlier', 'relationship comb', 'marker level snp', 'swr67 sw2067 comparison', 'shank pigmentation chicken', 'scanning coding region', 'lma lean', 'diarrhea mortality', 'sd weight adjusted', 'trait hard', 'haplotype obtained similarity', 'gwas included 964', 'nutrient processed milk', 'bodyweight gain identified', 'data recorded generation', 'improved predictability method', 'location marker associated', '0003677 value', 'force drip loss', 'lymphocyte binding', 'snp slightly lower', 'qtl probability aforementioned', 'production season 2003', 'challenge inbred population', 'abhd5 gene', '166 son 73', 'nr6a1 gene considered', 'selection region derived', 'capacity negatively', 'controlled combination melanin', 'genotyped ss319607402 variation', 'sc dr', 'qtl explain 40', 'spanning 000', 'oc 27 01', 'qtl associated thymus', 'segregating family analysed', 'lipid deposition tissue', 'investigate distribution lpin2', 'moderately large 433a', 'basis efficient', 'significant parent', 'content chromosome', 'wg respectively', 'cast cd2 cd14', 'activation complement', 'indicate marker', 'respectively model genotyping', 'sheep 67 population', 'ay487830 2228t', 'farrowing bf bf', 'snp porcine', 'growth chicken genotype', 'variation pigment intensity', 'disease susceptibility chicken', '14 dpi indicating', 'detection linked qtls', 'stress condition component', 'effect qtl marker', 'method detecting qtl', 'igf1 associated', 'gene mstn sod2', 'senp5 snp', 'article report genome', '132 marker test', 'fdr 05 including', 'weight chromosome 13', 'cm male presenting', 'sperm propose', 'european line', 'recently developed ovine', 'bvs analysis total', 'resolution qtl mapping', 'treatment seventh', 'polymorphism untranslated', 'using alpha 05', 'qtl reported exceeded', 'polymorphism analysed', 'klf15 gene polymorphism', 'affecting analyzed trait', '80e bonferroni', '82 88 mbp', 'endosteal circumference lod', 'associated traditional measure', 'etec major cause', 'eigengenes confirming', 'relationship liver', 'cluster genetic marker', 'baseline information', 'suggested sensory', 'intake average daily', 'considered study included', '113 qtls', 'improved slightly significance', 'marker association eggshell', 'expressed placenta mouse', 'expression phenotype', 'distribution genotyped panel', 'carried snp association', 'significantly associated adg', 'association desired trait', 'example associated sc', 'haplotype m3 line', 'holstein taken suggested', 'cattle fetal', 'included growth', 'vascular permeability implantation', 'snp imputed', 'chromosome posterior', 'mitf gene sequenced', 'cn 77 lg', 'identified including genomic', 'pig study determined', 'weight epididymal weight', 'growth trait', 'growth positional', 'deserve exploration population', 'number genome wide', 'rapid biological', 'demonstrating complexity genetic', 'substitution allele snp', 'intestinal tissue', 'sufficiently informative', 'hf explained divergent', '05 corrected', 'appeared fixed qtl', 'approach applied identify', 'copb1 coatomer protein', 'exceptional meatiness', 'importance hox', 'objective cattle bos', 'significance fat', 'successfully located', 'tenderness critical protection', 'use reduce', 'hotspot play crucial', 'controlled prnp', 'dwarf horse breed', 'family analysed', 'nanyang aged', 'lyz revealed association', '118 effect', '18 adjusted 305', 'qtl linkage', 'interstitial space', 'miga2 protein play', 'index milk sample', 'increasing marker', 'concordance result', 'record adjusted', 'sire 417 son', 'heritability epl', 'snp select snp', 'candidate gene lie', 'region favorably nearly', 'protein polymorphism detected', 'kg 05 milk', 'percentage fat percentage', '004 pig', '13 microsatellites', 'ecf18r locus', 'order reduce impact', 'ssc16 ssc17', 'study categorical trait', 'autosome average', '70 megabase pair', 'involved animal', 'interact host', 'sib population 518', 'related genes', 'slc22a5 il il', 'bovine neuropeptide npy', '3kb region', 'calf 12', 'non additive genetic', 'blue green', 'sire baier layer', 'omy5 explained', 'report using', 'mcw0106 gene', 'snp attained 6723a', 'effect production environment', 'kind variant influence', 'polymorphism snp standard', 'tgfβ superfamily', 'transporting atpase', 'type cnv encompassing', 'highly significant region', 'chromosome selected marker', 'variation wbsf', 'associated meat', 'result previously developed', '207 262', '462 canadian holstein', '1740 fabp', 'specifically c14 c14', 'etec expressing', 'bovine sequence', 'contains component', 'form final model', 'included qtl', 'horse performed genome', 'trait 6e', 'chip data nelore', 'weight chicken day', 'trait pig time', 'assessed animal', 'quality emphasized including', 'conceive puberty pig', 'genbank aj292286 1330g', 'scan measurement', 'relevant region qtl', 'pig genome average', 'downstream s26859 significantly', 'prp gene role', 'u6 spliceosomal', 'calf charolais', 'preferentially enriched genetic', 'lea qtl region', 'exon porcine fto', 'poisson order access', 'conducted used 44', '060 045 observed', 'different ibmap', 'cattle human comparative', 'strategy used', '169 23', 'serf essential', 'documented candidate locus', 'follicle order mm', 'bw detected', 'assembly 10', 'change packed', 'economic success', '1n9c saturated fatty', '0005 0032', 'significantly different zero', 'insight complex regulation', 'chromosome 23 result', 'distance sw2456 sw1943', 'snp predicted cause', 'population utilized improving', 'scaling component', 'muscle physiology', 'haplotype il 10ralpha', 'f2 backcross lamb', 'affect plumage', 'gwas c14', 'modifier locus', 'reproduction trait marker', 'contamination consumption', 'responsible white red', 'phenotype genetic polymorphism', 'bta4 21', 'evolutionary genetics wild', 'comparison different', 'result selection', 'concentration insulin', 'tumor week life', 'applying squares', 'exon 1000 bp', 'decline pcv challenge', 'detection performed linkage', 'chicken linkage analysis', 'located independent', '20 showed', 'analysis 47', 'examination arg236his polymorphism', 'southern chinese', 'affecting fec 1st', 'scheme different breed', 'observed indicating', '160 kg live', 'dj heritability pd', 'ghr similar', 'family bull', '60 6n', 'pig extreme divergent', 'degree epistasis', 'reduces feed', 'reported effect prop1', 'acid content study', 'sample significantly', 'c1a2 c4a2 gh', 'based approach account', 'chilled overnight longissimus', 'protein ash water', '18 muscle increase', 'method significant values', '05 locus lep', '29 bovine', 'gaining knowledge', 'cpvl hyal1', 'highly viable piglets', 'experiment detect', 'iga result suggest', 'polymorphism qtl model', 'gene f4acr mapped', 'prompt geneticist include', 'fertility possible marker', 'scs_ebvs using svs', 'beadchip genotype porcine', 'identify gene mb', 'mb qtl growth', 'study use microsatellite', 'qtl humoral', 'examining economic trait', 'animal genotyped 180', 'efficiency genomic prediction', 'term detection power', '19 tbrd', 'mutation analyse', 'validated snp', 'mapping target region', 'stepwise moving', 'marker swr1343 sw2155', 'cattle breed holstein', 'major locus western', 'month sow', 'region overlapped quantitative', 'human supporting hypothesis', 'weight population respectively', 'major qtl bisexual', 'family included', '07 lower', 'basis susceptibility ovlv', 'animal illumina', 'architecture combined effect', 'change oar', 'ssc4 fattening period', '426 snp', 'includes functional domain', 'opportunity tailor milk', 'pig chromosomal', 'performing gwas', 'result duroc', 'experiment ii present', 'obvious candidate', 'limited present study', '29 chromosome resulted', 'gene 22 chromosome', 'trait fundamental parallelly', 'gene beef', 'genotype association myostatin', 'encoding leucine', 'heritable 90', 'small individual', 'trait dominance variance', 'distinguish breed strain', 'observed large white', 'group total map', '148 male f2', 'age spawning date', 'used finland', 'dd higher genotype', 'eukaryotic translation', 'exposure derived', 'cm dairy cattle', 'involved biological process', 'exhibited strong', 'ph24h longissimus', 'fec 113', 'accurate phenotypic data', 'variability 93e', 'different stage identified', 'bta6 identification', 'measured individual challenge', 'body composition previously', 'cm achieved region', 'indicated haplotype windows', 'associated bwt postnatal', 'ab bb aa', 'suggest gene affecting', 'c1924t significant', 'gain live weight', 'gene miga2 cry2', 'chronic progressive lymphedema', 'layer particular', 'ehmt2 rbm42', 'conferred greater', 'evaluated range carcass', 'identification genomic region', 'improvement trait', 'fecx allele frequency', 'carcass trait seventeen', 'ca2 release muscle', 'wwt calf pre', 'marking 05 total', 'conception fourth', 'skatole score', 'study explore association', 'increase lean meat', 'information adg feedlot', 'analysis method multibreed', 'pig significantly advanced', '15 oocyte', 'test led', 'dystocia stillbirth cattle', 'body weight 50', 'crossbred landrace', 'confirmed btb', 'structure forecasting result', 'ear tissue different', 'laiwu erhualian bamaxiang', 'sw316 s0003 16', 'qtl associated detected', 'gene demonstrate', 'italian landrace italian', 'animal gene doping', 'family consistent', 'subtypes including melanoma', '788 scottish blackface', 'qtl backfat chromosome', 'meishan f2family chromosome', 'dfiadj trait identified', 'discovery snp performed', 'gene located confidence', 'wide panel snp', 'hen genotyped', 'using 124 microsatellite', 'ketosis cow shown', 'chromosome confirmed cm', 'model ax 311625843', 'increased resistance salmonella', 'feasible enabling', 'chunk based association', 'chicken allele 361', 'activity nr6a1', 'highlighted various snp', 'mapping bta01 bta02', 'snp qtl dominance', 'htr2a associated behavioral', 'indel showed significant', 'correlation dominantly represented', '18 identified highly', 'chromosome ssc 11', 'fitted parent', 'growth meat carcass', 'ovulation rate occidental', 'associated trait direct', 'nucleotide polymorphism cla', 'analysis commonly evaluated', 'close region', 'effect weight gain', 'result trait', 'level correlated', 'value pre', '064 addition', 'differentiation tyrosine protein', 'identify functional', 'candidate gene causing', 'significant association influenced', 'impact dual', 'pathway mediated antigen', 'snp mb', 'evaluated american brahman', 'study reanalysis', 'support result obtained', 'acceptance subject', 'continues significant', 'mouth disease virus', 'specific chromosome', 'haplotype significant', '18 20 23', 'database used perform', 'gwas lean fat', '14 mb includes', 'tentative evidence qtl', 'dmi body', 'length rl furthermore', 'second scan 20', 'identified liver network', 'fixed effect trait', 'rjf population onset', 'chicken study based', 'sequence showed', 'design 171', 'identified novel locus', 'genetic variance ranged', 'shearing analysis', 'yorkshire 173 mir', '490c snp', 'mapped joint design', 'region implying', 'locus affecting deformation', 'bhb used indicator', 'performed 100 snp', 'problem heterozygote', 'qtl detected chromosomal', '05 nn', 'ep estimate significance', 'genetic functional analysis', 'level respectively 17', 'new informative', 'conclusion trait associated', 'appeared associated endocytosis', 'commercial sheep flock', 'imprinted gene placental', 'mapping defined', 'prkdc rgs20 potential', 'ifc abt moderate', 'content strongly', 'parasitic infection main', 'immunity difference', 'jersey cattle voluntary', 'complex linked snp', 'treatment schizophrenia human', 'kg haplotype', '1st 2nd infection', 'observed difference', 'qtl chromosome trait', 'similarity lesser', 'threshold chromosome wide', 'using imputed genome', 'region abdominal fatness', 'birds genome', '26 combination population', 'family qtl located', 'architecture fitness related', 'identify chromosomal', 'negative data sire', 'fatty acid detrimental', 'model used characterize', '77 62 respectively', 'nc_006091 1773t', 'f2 male', 'independent represented', 'kb interval based', '8630 1370 8044', 'identify polymorphism conferring', 'negative influence dgat1', '225 bp objective', 'scrofa chromosome vertebral', 'backfat thickness shoulder', 'rao cohort cnvrs', 'chromosome research', 'mff bootstrapping result', 'related trait include', 'selection enhance', 'chicken paternal', 'dataset 05', 'selected candidate gene', 'weight drumstick weight', '186 twinning', 'qtls correlated trait', 'achieved 01', 'crossbred cow', 'excessive fat deposition', 'dead positive', 'influencing cla va', 'mortality increased', 'pregnant insemination', 'use small number', 'variation litter', 'breeding japanese black', 'breed association observed', '21 pre heat', 'interpreted measure', 'ssc15 ssc18 genome', 'significant cow', 'nil subjected long', 'identified gene candidate', 'dgat1 nibp region', 'related trait pig', 'trait lp', 'information qtls economic', 'nanyang cattle population', 'mode expression allow', 'bird antibody', 'experiment promising', 'exon fabp', 'generation sequenced', '46 day', 'age puberty trait', 'genetic progress using', 'adipocyte differentiation', 'genotype total', 'increase total meat', 'breed polygene', 'c14 c16 c18', 'derived breed', 'infection phenotypic data', 'tbg ssc', 'body weight size', 'qtl immune response', 'prolonged exercise ischemia', 'reproductive performance', 'area cm', 'γ3 subunit', 'lbx1 possible', '13 allele frequency', 'incidence ketosis event', 'fatness trait qtls', 'tibia width weight', 'qtl using lc', 'pck1 closely located', 'mechanism cis', 'cd46 gene', 'specific gene present', 'sequence hypothesize predominant', 'mir 491 line', 'prop1 h173r', 'oh shamo japanese', 'recessive disorder', 'located immediately upstream', 'sarcocystis miescheriana shown', 'variance component linkage', 'reported pig performance', 'affect early', 'locus f4bcr', 'qtl previously performed', 'designing primer based', 'fat lm', 'rib ssc11 48', '20 confirmed', 'fe significant difference', 'type atpase family', 'xkr4 gene located', 'investigated relation intramuscular', 'trait significant effect', 'transition 20 transversions', 'value present work', 'required maintenance', 'mutation significantly associated', 'genotype generation', 'low heritability estimate', 'metabolism suggesting', 'trait experimental population', 'indicating significant', 'qtls affect protein', 'located bovine', 'complex trait polymorphism', 'basis fatty', 'polymorphism detected', 'remain oocyte', 'gene marker applied', 'gwas animal mixed', 'regulator localizing', 'ssc9 provide', 'test fdr false', 'human obesity performed', 'dbw avg 8981', 'ldla oar6', 'mono oxygenase', 'generation resource', 'jolliffe criterion tested', 'period animal', 'variance captured informative', 'maternal stillbirth', 'insag insag', 'effect qtl egg', 'qtl 855', 'identified nba nm', 'relatively common', 'illustrate increase', '05 tdt', 'meat phenotypic', 'study capitalizing population', 'percentage regressed', 'test indicating', '30 gestation trait', 'basis key performance', 'osteochondral lesion blood', '24507g transversion exon', 'reported androstenone simultaneously', 'cm ssc7 locus', 'search gene', 'classical qtl', 'abhd5 performed chicken', 'study direct maternal', 'partly preventing', 'day slaughter', 'involving direct indirect', 'percentage single grandsire', 'additive differ', 'granddaughter design marker', 'highly significantly 96', 'bco2 play', 'significant snp gga', 'significantly higher aa', 'genetics underlying', 'comprising 166 pig', 'individual line result', '6n non', 'precision le', 'bone trait based', 'estimated searching', 'significantly lower fresh', 'greater aa genotype', 'sarcocystis miescheriana', 'far prevalent wild', 'morphology trait mon', 'origin chromosome', 'composition confirmed importance', 'regulating transcript', 'programme nematode', '100 million year', 'opn highly', 'pig general composite', 'f2 crosses generated', 'igf2 considered regulator', 'bta6 recfat', 'targeted region analyzed', 'dlgap1 bind', 'efficiency phenotype evaluated', 'dgat1 study investigated', 'ultrasound location', 'fertility trait early', 'locomotors problem decreasing', 'cpl skin', 'using 50 snp', 'cattle population required', '27 029 ld', 'animal mycobacterial infection', 'gene including chchd3', 'c34t effect total', '924 regional', 'highly conserved', 'introduced tth111i', 'allele detected large', 'genome quantitative trait', 'combining information nearest', 'associated dmi 236', 'sequence lalba_g 242t', 'tropic lentivirus', 'infinium hd 600k', 'genotyping based high', 'percentage correlation', 'qtl stronger', '19 showed', 'ssc1 11', 'percentage pp milk', 'insight allelic', '01 lamb carrying', '95 sd ldla', 'bmp2 ppp1cc', 'case genotyped illumina', 'cm 48 cm', 'genome sequence polymorphism', 'process related glycolysis', '132 cm', 'responsible development form', 'week age genetic', 'rate piglet', 'oc risk locus', 'serum lipid trait', 'group carrying', 'genomic region different', 'quality pose increased', 'region block contained', 'removal fgf8 snp', 'fabp5 haplotype', 'reason ham weight', 'assessment productivity economy', 'marker data', 'mhc clearly', 'approach accelerate', 'human principal', 'associate variation beef', 'control 36', 'ta significantly', 'importance mt', 'deviance posterior', 'aspect associated meat', 'melanocortin receptor mc4r', 'initiator element numerous', 'control linkage', 'weight backfat thickness', 'finding economical importance', 'red santa', 'regard utr', 'breed 141', '13 interesting', 'significant interval', 'connected indicates', 'substitution effect accounted', '19 known', 'effect piglet sex', 'potentially importance', 'accumulation association snp', 'location mb region', 'substantial population stratification', 'worldwide caspase inhibitor', 'qtl foetal', 'trait studied large', 'wise level subjected', 'important plethora', 'type qtl considered', '17015a 18362g', 'decreased 05 abhd5', 'level qtl grouped', 'ham lmh', 'condition characterized', 'hampered identification', 'rorc adjacent', 'breeding provide', 'corresponding gain prediction', 'escherichia coli', 'conducted identify marker', 'fat percentage showed', '16 ssc16', 'causal mutation subsequent', 'later generation', 'confirmed localization', 'lactoferrin iron binding', 'breed non synonymous', 'novel qtl tnb', 'diverse breed measured', '042 bf', 'cattle possible objective', 'disease bcwd cause', 'medical subject', 'assay showed', 'future breeding program', 'gene known contribute', 'frequency 26 44', 'lesion polymorphism glucose', 'pigment background', 'birth breed', 'study recognition', 'relative healthy tissue', 'trait chicken association', 'birth weight trait', 'dgat1 recently identified', 'mapping accuracy significance', 'reported qtls', '51 18 suggestive', 'enabling marker', '05 shared qtl', 'compared ayrshire', 'qtl analysis ssc', 'region significant bonferroni', 'silico sequence', 'segregation additional', 'study milk production', 'baseline trait alp', 'gene 119 mb', 'level individually', 'fat tissue probably', 'located 78 79', 'chromosome wb', 'myostatin variant weight', 'member play role', 'important disease salmonid', '11 12 static', 'growth trait bta6', 'ltnb gene region', 'ass influence beta', 'associated hematological parameter', 'constructed basis sliding', 'marker genetic indicator', 'physical body', 'variability iberian pig', 'colt respectively', 'high concentration ketone', 'site second', 'quality control 64800', 'genotype growth', 'trait cv included', 'location vtn ssc12', 'hgd draiii', 'position increased significance', 'finnish ayrshire dairy', 'foc lamb', 'value estimated single', '60 90', 'applied quantitative trait', 'determined mainly', 'aimed analyze', 'carrier family 36', 'nematode cause disease', 'assigned casein', 'associated rfi2 major', 'background qtl affecting', 'breed management', 'parasite resistant', 'cross low indexing', 'assay composed', '05 adjusted value', '10 mbp', 'huge number', 'animal different genotype', 'effect animal welfare', 'individual hpa axis', 'possible eliminate defect', 'differ mdv resistance', 'map qtl ssc4', 'qtl implicated', 'analysis testis', 'growth feed', 'respectively lamb low', 'component method possible', 'record represented individual', 'related trait identify', 'association largely', 'pig used qtl', 'trait correlated expression', 'unfavorable pleiotropic effect', 'intron genotyped validation', 'including 16', 'sib family constituted', 'deposition fatty acid', 'qtl horn size', 'litter size erhualian', 'imprinting coefficient corresponding', 'position accounted f2', 'map length', 'revealed mutation', 'synonymous mutation including', 'me1 genotype influence', 'paper marker haplotype', 'region qtl syntenic', 'analysis serum', 'signature increased', 'trait identified regional', 'dressing percentage 20', 'ct detect', 'revealed plcb1 map2k6', 'offer great opportunity', 'tested measured total', 'mechanism controlling developmental', 'role regulation porcine', 'qtl 16 chromosome', 'method produce similar', 'gene grm4 allele', 'mstn gene known', 'study utilise data', 'purebred sire result', 'acid composition estimated', 'information muscle', 'ppp1r11 gabbr1', 'qtls controlling single', '972 phenotypic record', 'animal finding', 'lamb logarithm odds', 'selected autosomal', 'form vitamin rdhe2', 'switch coat', 'breed 8308 1692', 'uncovered potential', 'program involving', 'background recent qtl', 'mate choice', 'level pgf', 'alive piglets', 'inverse number artificial', 'important selection leaner', 'affecting muscling', 'data collected 620', 'influence single', 'leghorn layer line', 'specific superiority relative', 'using resource flock', 'survival ssc7 possible', 'total 44 single', 'population approach', '15 significant', 'important indicator immune', 'panel different breed', 'bayesian framework', 'testing procedure', 'carrier affected progeny', 'window explaining', 'overlapped cw japanese', 'yield adjusted 305', 'study aimed map', 'using 312 microsatellites', 'il il il', 'trait gwas reanalysed', 'iberian landrace cross', 'variation breed', 'immunohistochemical staining', 'cycle oocyte maturation', 'rump length homozygotic', 'enabling rapid validation', 'comparison based', 'selection objective', 'explains 23 genetic', 'profile reveal potential', 'corrected significant', 'frequency trait associated', 'ex11 formed', 'significant value', 'affect production conclusion', 'carcass cast', 'cd higher', 'technology non', 'study human pig', 'population study finding', 'recorded information following', 'harbour newly reported', 'understanding technological processing', 'including response', 'dmi fpcm', 'equine genetic variant', 'situated fabp', 'positional cloning', 'plxnc1 addition influence', 'identified body', 'newly reported', 'conclude susceptibility etec', '1420 day 18', 'scurs addition', 'marker retain high', 'reveals positional genetic', 'region included growth', 'showed cnv', 'associated direct', 'carcass evaluation', 'disequilibrium analysis showed', 'effect validate', 'trait 20', 'wide search', 'power qtl detection', 'set containing', 'prompted investigate effect', 'special region develop', 'susceptible progeny', 'phenotypic variance compared', 'trait mapped using', 'gene abhd5', '56 cm', 'gli2 neuronal', 'western meat type', 'disease myocardial', 'recognition closely', 'coimmunoprecipitation immunohistochemical', 'analysis feed', 'associated fat', 'holstein dairy cow', 'chromosome base pairs', 'covering pig genome', 'recorded genomic', 'maximum level', 'region potentially reduce', 'analysis diverse', 'gwas method threshold', 'segregating united kingdom', 'purebred population furthermore', 'cases 550', 'supporting hypothesis different', 'mode inheritance genome', 'chinese origin likely', 'reported affect important', 'membranosus muscle 540', 'overlap genomic region', 'gram negative', 'gene good functional', 'significant qtl controlling', 'gwas total 305', 'cow repeatedly field', 'deletion intron single', 'snp associated hu', 'head 649', '652 single', 'breeding exists', 'revealed arginine', 'shape likelihood', '38 corresponding', 'production trait improved', 'non synonymous mutation', 'milk urea content', 'individual calculated', 'result agreed previous', 'greater individual', 'significant snp rs80983858', 'sox potential', 'backcross holstein', 'porcine gene crucial', 'pmsg hcg stimulated', 'genotyped 454 f2', 'covering 25', 'mineral egg', 'affecting sensory organoleptic', 'determined 277 microsatellite', 'random effect genotype', 'conducted fwec change', 'highest expression fetal', 'analyzed promising', 'romney breeding', 'block snp', 'contribute biological', 'examined qtl', 'showed mendelian expression', 'beef cow group', 'according result', 'simpler trait detailed', 'development muscle mass', 'dlk2 gene', 'trait domestic pig', 'influence detection regional', 'sheep breeding objective', 'qtl influence pp', 'subunit capn1', 'conclusion strong association', '105 pony', 'hypersensitive reaction total', 'significant result rigorously', 'indigenous chicken ecotypes', 'innate ti behavior', 'haplotype marbling qtl', 'marker pig selection', 'putative single nucleotide', 'phka2 btax ren', 'showed marker mapping', 'resource conservation', 'mb associated', 'extensive measurement', 'difference cm', 'line different', 'frequency alternate', 'rna 74', 'litter size record', 'difference height', 'presented provide evidence', 'breed used study', 'developed microsatellites 13', 'demonstrate stratifying genetic', 'genome investigation', 'ccr2 bta22q24', 'mcv candidate', 'study gwas chinese', 'interval employing porcinesnp60', 'result hanwoo', 'eqtl analysis', 'utr help', '28 23 cm', 'meishan pietrain', 'imf content genetic', 'qtl segregating oar11', 'equine industry', 'associated temperament merino', 'software linear mixed', 'experiment performed characterize', 'great understanding', 'meishan genetic', 'meat production trait', 'variance explained evaluation', 'frequency cattle', 'lamb adult genome', 'score adjusted heteroscedasticity', 'recenergy calculated ratio', 'rate 05', 'regulates secretion adrenocorticotrophin', 'marker mapping previously', 'associated twinning rate', 'difference canonically', 'coding gene covering', 'nematode parasite likely', 'recfat recprotein recsolids', 'facilitate effective marker', 'trait presenting bilateral', 'variance iron content', 'sexual selection predicted', 'study aimed analyze', 'sodium na', '87 mbp', '250 day', 'region 617 kb', 'mb centromeric', 'effect sample cohort', '1a mtnr1a', 'ph15 gga1 gga2', 'body height dual', 'ssc6 region fatness', 'resource pig population', 'correlation help', 'chicken divergently selected', 'effect gamete qtl', 'used 44 611', 'animal breeding value', 'using second', 'population rainbow', 'ing2 trappc11 stox2', 'associated oleic', 'analysis qtl detected', 'step grammar gc', 'overdominance pod', 'inter cross pig', 'allele frequency 02', 'respectively compared animal', 'lc qtl 47', 'different assumed', 'gene potential marker', 'null mouse', 'spawn individual', 'tlr9 measured blood', 'composition specifically gwas', 'aforementioned trait', 'breeding time', 'homozygosity alternative', 'recording combined cow', 'candidate gene established', 'qtl information selection', 'qtl region positional', 'unfavorable allele corresponds', 'fiber area composition', 'follows ascertain 19', 'illustrate minor', 'ovulation rate embryonic', 'trait drosophila arabidopsis', 'imprinted igf2 gene', 'different position indicating', 'addition dna technology', 'haplotype 249', 'measure fat', 'pathway sb', 'prt 181 negative', 'maternal paternal', 'growth trait impacting', 'qtl phenotypic value', 'gene fld dairy', 'snp caused slight', 'fo hif1an', 'gene ncapg 1326t', 'measured hematocrit hct', 'seasoning loss', 'a11471g snp missense', 'confers organoleptic', 'pcr genotype 38', 'analysis body weight', 'snp finding suggest', 'generally stronger marker', 'predominant analysed', 'conducted pig population', 'genotype f2 individual', 'ultrasound backfat decr1', 'component meat quality', 'breed invaluable indigenous', 'combine data commercial', 'detected seven', 'locus analysis population', 'mc1r identified', 'stress condition', 'identified locus effect', 'following targeted genetical', '553 haplotype block', 'sired bull believed', '50 chip study', 'merino flock challenged', 'range postmortem trait', 'effect lactoglobulin content', 'point identification gene', 'girth hip', 'population phase', 'dataset recommended', 'disease resistant breeding', 'crossed diverse', '9c11t gamma linolenic', 'oc french', 'essential role', 'qtl interval conclusion', 'receptor gene widely', 'variation individual thought', 'walking horse', 'bovine 130k', 'observed maternal', 'handle complex', 'id locus', 'rate prolificacy sheep', 'larger group', 'insulin signaling behavior', 'pig industry performed', 'lm area lm', 'purpose study map', '20 angus', 'bm6425 chromosome 14', 'fasn gene located', 'lean type breed', 'measurement 14 fa', 'transfecting 293', 'fatness trait genetic', 'additional slick haired', 'tgfbi leukocyte cell', 'analyze possible', 'investigated functional enrichment', 'dam family demonstrate', 'pig present study', 'gene osteoporosis', 'marker qtl designed', 'promoter element', 'area surrounding gene', 'including marker withstand', 'french landrace', 'pork tenderness allow', 'cow imputed', 'red pedigree screening', 'cell expression atgl', 'lamb yearling', 'experimental population chinese', 'bw qtl gga2', 'oar6 qtl', 'origin 105', 'leg trait 12', 'genotyped 33', 'like elongation', 'toughness firmness cohesiveness', 'cow bonferroni', 'generation intercrossed', 'pseudogene parental gene', 'genetic environmental', 'f4bcr determined', '81 gene', 'ssc1 associated', 'associated specific iga', 'trait 10th rib', 'bcse lead', 'content homolinolenic', 'followed meta', '834 duroc', 'economic underlying', 'time use', 'identified outbreak', 'similar effect', 'cm 24 55', '124 microsatellite marker', 'chromosomewise genomewise level', 'f2 erhualian sutai', 'human identification gene', 'born tnb previously', 'independent haplotype', 'lmp genome wide', 'resistant gastrointestinal parasite', 'architecture make statistical', 'trait tested objective', 'weight carcass length', '100 dam family', 'multiple line strongest', 'tunel bta3', 'rs414302710 locus', 'height fat', 'ssc6 objective study', 'old female xinghua', 'model circulating', '19 founder animal', 'loin estimated heritability', 'based contribution linear', 'association candidate gene', 'interval ci ear', 'joint analysis chicken', 'detect mutation', 'near lepr gene', 'training set step', 'polledness nelore', 'causative mutation chromosome', 'use different', 'cpm 45079507a 45080228c', 'pedigree data 56', 'estimated individual', 'muscle lm semimembranosus', 'taking consideration effect', 'number lifetime parity', 'effect account', 'mb horse', 'revealed androstenone level', 'study additional causative', 'program potentially', '10 day', 'number vertebra economically', 'related increased', 'simmental luxi crossbred', 'fasn calpastatin', 'breed report', 'control experimental', 'utilized milk production', 'trait identify region', 'evidence indicates trait', 'trait cattle', 'phenotypic manifestation', 'live weight chromosome', 'melted fat', 'sexual precocity nellore', 'wise significant', 'bracket total', 'qtl detection qtl', 'birth weight bwt', 'finding brings 13', 'sample 360 chicken', 'analysis tick resistance', 'combined negative', 'divergent haplotype', 'nucleotide polymorphism false', 'thoroughbred using', 'using 57k snp', 'predictive genetic', 'regression multidimensional scaling', 'analysed method seven', 'glycogen synthesis', 'novel qtls component', 'af trait distinguished', 'aa ab bb', 'burden addition', 'important issue', '27 bootstrap', 'subspecies paratuberculosis map', '12 qtl', 'major histocompatability complex', 'dissection population including', 'resistance miescheriana', 'osteochondrosis parathyroid hormone', 'suggested limb', 'variation purpose', 'yield chinese', '51 mb 282', 'analyzed tissue', 'fiber characteristic loin', 'bull genotyped illumina', 'positive ratio 25', 'background major', 'marker spread', 'porcine snp', '62 animal', 'infection resistant susceptible', 'genotyped 73 marker', '17 24', 'kit mutation', 'fourfold identified 192', 'independent contribution', 'loss treatment cost', 'commercial broiler strain', 'piglet significantly', 'utilized genotyped', 'analysis minor allele', 'charolais cattle using', 'chromosomal localization', 'important development', 'mastitis marker', 'ass association intramuscular', 'suggesting multiple', 'taint related', 'ability population', 'semen boar', 'including sixteen known', 'detection different model', 'disease different set', 'genetic model applied', 'syncytial virus brsv', '54k single nucleotide', 'acyltransferase dgat1 selected', 'oligogenic polygenic inheritance', 'muscle yield', 'seven ap', 'significant genomic resource', 'aa genotype higher', 'adck5 pp1r16a tep1', 'relevant platelet trait', 'close 10 cm', 'bta 17 classical', '600 scottish blackface', 'estrus presence', 'association litter size', '499 son srb', 'performance thoroughbred complement', 'slaughtering animal', 'carcass trait little', 'monitored pig genotyped', 'interaction molecular', 'region greater applied', 'targeted investigation putative', 'approach result total', 'malate dehydrogenase', 'reanalyze jointly experiment', 'qtl cd4', 'architecture scant', 'differential gene', 'mdv challenge', 'using composite', 'locus affecting', 'locus expected cause', 'association linkage', 'positive pool', 'genomic region overlapped', 'ppara transcript', 'result gwass based', 'evidence fetal developmental', 'allocated half sib', 'retail product yield', 'ontology analysis literature', 'polymorphism pit growth', 'associated chicken body', 'immune status chicken', 'complex condition', 'unlinked snp slightly', 'measurement addition', 'single point association', 'stillbirth problem', 'region marker breeding', 'trait beef aim', 'bovine placental growth', 'stood potential', 'large data set', 'study needed understand', '32463 32302', 'additional locus comparison', 'gamma pparg ccaat', 'analysis suggestive', 'major mb', 'ssc5 androstenone', 'genome potentially influenced', 'weight marbling', 'mbv according compound', 'qtl available', 'born alive livp', 'architecture small', 'content 05 influence', 'major challenge mastitis', 'performed using phenotype', 'rate influenced genetic', 'surrounding gene', 'analysis powerful tool', '24 month', 'peptide growth factor', 'pathway implicated', 'control litter', 'hypusine formation unique', 'oar11 weight', '431 interations', '05 nsb', 'qtl previously undetected', 'structure fat', 'individual secondary potentially', 'suggestive evidence', 'association future study', 'rs339939442 associated', 'mt 381', '001 qtls mapped', 'kb chromosome', 'rs330427832c myh3_rs81437544t casp3_rs319658214g', '14 15 17', 'feather pecking fp', 'locus associated chromosome', 'located protein', 'apart snp totally', 'reveal individual gene', 'effect feed intake', '332 lamb extreme', 'iberian pig', 'pig past 20', 'similar region chromosome', '116 f2', 'sample including', 'skin color related', '26 27 146', 'select japanese', 'performance marker density', 'showing beneficial', 'predictability genetic', 'association study calving', 'morphological trait influence', 'bird broiler', 'sex averaged', 'conserved wnt', 'assisted selection feed', 'fertility additional', 'expression tnp1', 'ld suggests need', 'selection cattle', 'marker covering region', '500 jersey', 'marker swr67', 'important cytokine extracellular', 'snp largest', 'strong candidate explain', 'wound healing skin', 'growth position', 'cattle breed enables', 'pig report studied', 'qtl analysing data', '183 microsatellites covering', 'parent grandparent white', 'trait respectively additional', 'analysis commercial line', 'analysis needed confirm', 'weight lw liver', '785 intron', 'study complement recent', 'using 106 microsatellite', 'backcross pig', 'fitting animal model', 'structure ctsd', 'study strength', '2229 sheep', 'microchromosome 16', 'variance bw qtl', 'existence linkage disequilibrium', 'measured total 1021', 'acaca tested', '75 64 69', 'enrichment analysis trans', 'backfat thickness linkage', 'comprehensive genome analysis', 'family including', 'population low heritability', 'enteric bacteria poorly', 'sample result', 'causal gene candidate', 'response used', 'wide permutation significance', 'acid bf', 'interaction analysis single', 'logistic regression', 'genoprob predict genotypic', 'ibk characterized', 'transporter gene', '15 18', '75 phenotypic standard', 'polymorphism 334 exon', 'kb 251', 'exceptional biomedical', 'slope range', 'suggest variation', 'vegfa rps6ka2', 'ssc1 05 taken', 'earlier reported', 'substitution carcass weight', 'piglet 20', 'developed snp', 'deposition fa composition', 'overlapping previous', 'sensitive stimulation', 'sexual maturity egg', 'difference allele', 'gene revealed common', '10 usp32', 'animal 1828 number', 'based sparse microsatellite', 'population age', 'study cattle population', 'qtl significant 16', 'cnvs likely', 'cow map identified', 'snp50 beadchip illumina', 'incomplete linkage', 'adg important target', 'backfat furthermore snp', 'pde1b gene considered', 'locus gene potentially', 'beneficial health', 'increased number individual', 'influenced fat growth', 'considered individual', 'backfat thyroxine binding', 'gene cytochrome', 'sheep flock', '250 barrow 410', 'mln revealed total', 'challenge vv', '200 pig different', 'sd kg wg42', 'showed stronger association', 'interacts previous detected', 'thr1097asp allele frequency', 'spop ngfr', 'cytokine toll', 'low phenotypic', 'involved ion', 'npc1 protein', 'pig industry study', 'carried using phenotypically', 'reported support previous', 'polymorphism glucose', 'population consisted 1800', 'signal detected', 'association body measurement', 'sorf2 perturbed', 'sibling externally using', 'encodes transcription factor', 'gene involved tnfα', 'region associated fa', 'raleigh nc standardization', 'position cm linkage', 'gene mammary', 'study consider', 'worldwide host genetic', 'production affected different', 'conclusively linked cause', 'generation following', 'following phase', 'population parameter influenced', 'population 433 animal', 'window explain additive', 'ltnp increased', 'associated clearance', 'genotypic association', 'orientation previously', 'antibiotic treatment', '2379t effect originates', '1077 fm', 'breed trait specific', 'qtl interval included', 'resulted increased calving', 'bird experimentally', '59 difference allele', 'probability test result', 'hormone insulin cow', 'qtl concerned', 'using second fourth', 'identify segregating sire', 'expression muscle', 'region explained genetic', 'work detect', 'variance 05', 'rna expression protein', 'encompassing 01 mb', '366 109g', 'marker regression analysis', 'model biological', '51 lod', 'tested pig', '877 variant', 'present study comprehensively', 'yearling based', 'recurrent laryngeal', 'qtl identified suggestive', 'result sampling', 'length bw42', 'identify novel', 'marker window 27', 'pig effect', 'sensory technological measure', 'aggression 1093', 'animal segregating white', 'chromosome 20 region', 'pathway important lp', 'aggressive pecking behavior', '13 18 cm', 'fabp4 fatty', 'mature non castrated', '30 phenotypic variation', 'rib rump mean', 'rate 56', 'heterozygous smaller fragment', 'pathway significant', 'bull kept artificial', 'family segregating highly', 'tissue compared fetal', 'pig production', 'polyestrous traditionally breeding', 'form foundation', 'fdr affecting', 'genetic background date', 'subunit translocated', 'desaturase included', 'indicates importance steroid', 'qtl clarified', 'larger broiler', 'fold thickness', 'related association', 'differ substantially', 'pork quality increasing', 'backfat osteochondral lesion', 'goal present study', 'autosomal locus', 'pre heat', 'correlated response', 'flanking significant', 'dairy cattle despite', 'c16 elongation ratio', 'prkag3 conclusion study', 'different developmental stage', 'susceptibility pleuropneumoniae controlled', 'snp sf5 associated', 'sheep autosome additional', 'mbl gene functional', 'analysis identify locus', 'expression differing', 'study aimed verify', 'involving 284 unique', 'associated allele microsatellite', 'estimate trait', 'inhibitor apoptosis', 'pcr rt qpcr', 'adjacent qtl', 'analysis 1217 chinese', 'avoid inadvertent', 'based function', 'obtained multibreed', 'snp cry2 gene', 'deletion variant', 'significant region block', 'detected combining fixation', 'classical regression', 'intron upstream', 'fold higher expression', 'response basis', 'blup approach', '205g chinese', 'genotyped 166', 'iii infertility 80', 'using bayes', 'identified gene important', 'ebv ebvp genotyped', 'detection 200', '23 mb including', 'gene highest fat', 'maximum likelihood', 'dgat1 dozen', 'node transcriptome', 'group allele', '10 intestine length', 'limited number chromosomal', 'trait benefit beef', 'lactalbumin gene lalba', '17 paternal', '05 non return', '402a intron', '48 week age', 'skeletal muscle comparing', 'process point', 'rbc rdw', 'melanoma interaction', 'result encouraging effort', 'recorded resistant', 'closer pathological', 'rs13997811 rs13997812 showed', 'ibd haplotype', 'selected healthy', 'intronic gnas', 'mtnr1a play essential', 'carcass conformation muscularity', 'growth trait result', 'myostatin 376 amino', 'study aimed identify', 'breeding experiment trait', 'muscle promising candidate', 'validation result total', 'host resistance tick', 'relationship fat muscle', 'experiment set identify', 'harboring qtls', 'associated locus chromosomal', 'duroc breeding stock', 'gga4 gga6 gga13', 'ewe prl aa', 'model prioritize selected', 'genetic improvement programme', 'responsible mediating physiological', 'neaurp cross broiler', 'ma bw', 'termed snp', 'association apovldl', 'attribute priority', 'add understanding', 'gene expression physiology', '63 significant association', 'analyzing series', 'product human consumption', 'program animal pig', 'resistance nematode', 'weight average', 'btg1 fetal growth', 'digestive tract density', 'general qtl significant', 'birth date ensure', 'studied hsp90aa1', 'ultimately meat', 'based significance analysis', 'qtl weight drumsticks', 'express used', 'eca13 eca15 showed', 'involved regulation initiation', 'subsequent gwas', 'marker indicates', 'contrast highly', 'subsequent growth', 'potential lean', '00005 additive effect', 'individual better bone', 'hypothesis gin', 'restricted polled animal', 'reduced faecal egg', 'cluster including', 'function affecting', 'effect residual', 'insemination 78', 'limb bone mainly', 'snp intron associated', 'mutation pcr arms', 'control imf', 'major economic', 'sequencing discordant sib', '21 qtl body', 'load adg determined', 'qtl strongest', 'used single step', 'predominant accounted 75', 'evolution remains global', 'influence salmonella susceptibility', 'biological knowledge', 'genome sequence gene', 'exhibited significantly', 'propose alternative aim', 'distribution indicated', 'prioritization common positional', 'provide replicate', 'casein paep', '26 md', 'equine chromosome eca3', 'region qtl region', 'respectively coefficient', 'relatively high suggesting', 'narrowed approximately mbps', 'stillbirth calving ease', 'analysis single nucleotide', 'characteristic used control', 'population size 433', 'colubriformis determined data', 'genotyped 96', '15 gli2', 'pre selected single', 'panel high', 'wild boar allele', 'later phase immune', 'conclusion power', 'qtl bta9 bta24', 'ratio imprinted qtl', 'reveals positional', 'exon gene silv', 'level genetic', 'live classical', 'frequency difference polymorphic', '21 23 qtls', 'foot leg', 'rainy season 05', 'binding site provided', 'association study parameter', 'holstein known', 'transcription sorf2 perturbed', 'half sib square', 'data current study', 'intermediate immunocrits association', 'showed contrasting', 'exon associated', 'metabolism muscular', 'study g840327c gnrh', 'additional qtl eca7', 'expression seen', 'sheep nw', 'rs41652818 bovine', 'tissue analysed variant', 'gene crucial', 'causative mutation cast', 'del belice sheep', 'ewe established specifically', 'low ph loss', 'related ca', 'background integrative genomics', 'rs42670353 significantly', 'understanding genetic basis', 'lm addition study', 'observed main', 'previous qtl ssc2', 'association signal erhualian', 'including oxidative', 'network gene', 'bft cwt', 'investigate impact random', 'color meat', 'nematode gin parasite', 'chromosome 14 bta14', 'wide scanning', 'c3c haptoglobin hp', 'polymorphic microsatellites evenly', 'heterozygous family', 'activated receptor pparγ', 'cattle 180', 'lma δ2 response', 'lactation production', 'marker accuracy', 'microsatellites bm1227 24', 'fat content day', 'point early', 'study performed genome', 'number important', 'factor alpha subunit', 'situation deterministic', 'bta6 differing', '19 38 phenotypic', 'origin muc4 expression', 'step genome', 'interferon ifn', 'effect powerful detection', 'tibial dyschondroplasia', 'typical problem', 'breed sahiwal', 'confirming previous finding', 'furthermore plumage', 'gene general', 'ndrg1 apc finding', 'affecting stillbirth', 'leucocyte neutrophil neu', 'snp discriminated', 'lmp porcine large', 'recorded birth slaughter', 'segregating commercial strain', 'isu 32 uoi', 'bms833 interval associated', 'total 35 630', 'correlated fatness', '966 f2', 'voluntary producer recorded', 'parasite load', 'abdh5 affect mrna', 'normande bta01 05', '240 300 compared', 'quality trait eighty', 'investigated sequence comparison', 'used carry gwas', 'longer limb bone', 'process brain function', 'vaccination 14', 'cattle complex', 'carcass composition growth', 'adhesion notch', 'h1h3 aggg', 'clear evidence increased', 'study detect gene', 'erhualian laiwu bamaxiang', 'based previous snp', 'separate univariate', 'rs41694656 associated 01', 'testing genomic region', 'carrying haplotype evidence', '43 significant', 'regarding conformation 18', 'kg protein', 'resistance result divergent', 'infection general taurus', 'snp ucp3 snp', 'crossbred gilt explored', 'increased 13', 'marker high density', 'horse fluorescent situ', 'study 12', 'compared smma new', 'estimated different', 'deficiency haplotype genomic', 'sheep association', 'feed efficiency infected', 'created novel retinoid', 'formed fetus', 'platelet implicated risk', 'locus ncapg chromosome', 'underlie ibh', 'modified version', 'il 91508173c polymorphism', 'acid c8', 'showed strong favourable', 'trait 238 individual', 'additional snp marker', 'study order reduce', 'gene involved higher', 'fork length', 'weight calving ease', 'mbv compound', 'little effect', 'result suggest heritability', 'qtls gene involved', 'accomplish goal', 'family result family', 'gene relative mrna', 'immune function trait', 'ocrl additionally', 'genomic mapping', 'effect lep lepr', 'rapidly cattle meat', 'using defined population', 'phenotype resource population', 'a17g locus intron', 'total 21', '90 120 150', '1987 kosambi', 'kidney tissue single', '0005634 value 2x10', 'interval mapping based', 'known high', 'adamts3 afp addition', 'region chromosome second', 'segment chicken', 'notoriously difficult prototypical', 'breed duroc pietrain', '20 marker association', 'tnf mediated', 'basic metabolic', 'common abnormality', 'concentration number spermatozoon', '25 26', 'fish directly measured', 'elucidated analysis gene', 'size including multiple', 'trait involved meat', 'play fundamental role', 'afe egg weight', 'gene polymorphism bw', 'white 66e', 'identified help explain', 'associated vartnb used', 'surprisingly significant', 'v30a dgat1 k232a', 'cross association analysis', 'pig 345 570', 'vrq animal pertaining', 'traditional genetic', 'background rainbow', 'known qtl', 'fineness dispersion staple', 'containing gene nol1', 'hypothalamic pituitary adrenal', 'portion total variance', 'variant activity gene', 'result trait associated', 'homeobox lbx1 possible', 'snp mapped 18', 'harbouring significantly', 'type population', 'loss genome wide', 'associated milk fatty', 'region develop', 'known predicted', 'milk considered indicator', '01 lower', 'ibd mapping', 'provide evidence genetic', 'amino acid substitution', 'large greater', 'significantly impact dual', 'backfat thickness moisture', 'processed milk analyzed', 'disease emmax htr', 'intron 23', 'program improving', 'investigation identify gene', 'heritability postulated oligogenic', 'chromosome gestation', 'development homeostasis', 'version 61 mb', 'data following targeted', 'mediating physiological', 'nature investigated', 'conformation trait conclusion', 'pathogen virulent', 'complex trait marker', 'muscle content', 'large interval making', 'genotyped 954 animal', 'smell insulin pathway', 'treatment separated underlying', '60 animal lower', 'weight determination intercross', 'highest 200', 'specific feather growth', 'hct hgb respectively', 'information content data', 'individual tissue', '14 identified window', 'gene growth carcass', 'muscling phenotype cattle', 'evident final', 'interspecific hybrid', 'major gene recessive', 'associated performance trait', 'region showed strongest', '273 bp', 'chromosome illumina', 'support hypothesis parasite', 'reported genotype spp1c', 'susceptible control line', 'expressed lung testis', 'silico analysis', 'lipogenic enzyme responsible', 'marker associated body', '18 19 22', 'suggesting selective breeding', 'bull daughter', 'clinical blood', 'single marker interval', 'analysis f2', '36 219', 'snp 137', 'potentially associated resistance', 'animal allele', 'analysis large scale', 'explaining difference', 'response artificial', 'direct genetic effect', 'activity alternative classical', 'value uncorrected', 'contribution genetic', 'test marker assisted', 'total 730', 'angus panel purebred', 'potential translational medicine', 'wise threshold level', 'measure water holding', 'approach total', 'castrated shortly', 'contained gene hampered', 'inhibitor tissue', 'qtl discovered', '808543 useful', 'gene expression module', 'canadian holstein bull', 'deduced simulation analysis', 'persists population identifying', 'change packed cell', 'performed heritability imf', 'gene genuinely', 'helpful understanding', 'detection analysis applied', 'quality phenotype', 'activity enzyme plasma', '29 16', 'view genetic', 'study define', 'genomic organization', 'cbg biochemical', 'beneficial reducing', 'fertility including fertility', '439 intron', 'aa genotype 5678784a', 'area shank', 'cross genetically', 'subsequently controlling overall', 'melophagus ovinus qtl', 'experimental challenge inbred', 'pick type', 'yorkshire used', 'pool sequencing', 'peak ultrasound backfat', 'exist calving performance', 'responsible oc', 'ovarian follicle', 'tharparkar indigenous cattle', 'lm slaughter following', 'long arm', 'tm qtl conformation', '66 pqtdt', 'marker selection program', 'oncorhynchus mykiss produced', 'map derived individual', 'efficiency swine', 'gene explore genetic', 'higher follicle 01', 'gwas likely involved', 'used carry', 'homozygous hanoverian stallion', 'la combined', 'lg1 lg3 lg21', 'analysis exceeded genome', 'dmy 40 significantly', 'disease evaluated based', 'recording live animal', 'difference level abcg2', 'degree similarity carora', 'measure exposed', 'parameter related production', '38819398g mutation', 'susceptibility mastitis', 'investigated genetic', 'marker allow additional', 'pigmentation snp located', '14 weight gain', '9966364 10142688', 'receptor associated social', 'age covariate fitting', 'erhualian intercross linear', 'color ph', 'chromosome wide genome', 'improving trait', 'local genomic novo', 'study date reported', 'trait identify common', 'limited power', 'study facilitate potential', 'study indicates snp', 'sonic hedgehog', 'bta7 detected bull', '15th generation meishan', '418 hybrid', 'explained 53 97', 'level 22', 't53729c a53861g', 'genotype conceive', 'perspective result', 'qinchuan cattle animal', 'swiss white alpine', 'cd8 cd4', 'genotype fatness trait', 'control criterion rate', 'frequent ct gg', 'qtl able', 'mb density qtl', '285 animal canchim', 'fasn ewsr1', 'factor affecting', 'rump fat explaining', 'evaluate association', 'detect peak combining', 'sequencing study founder', 'tissue 10 week', 'lactoglobulin genotype produced', 'phenotypic variation study', 'population 109 cnvrs', 'response investigated expression', 'parameter gompertz', '373 swiss white', 'parasite model subsequently', 'different region genome', 'jxau population', 'sire phenotype genotype', 'trait bta 15', 'lipoprotein binding', 'gfra2 influence', 'added total', 'ddei pcr rflp', 'compare analyzing combined', 'composition dairy cattle', 'region conditional analysis', 'estimated commercial', 'associated en', 'coding properdin protein', 'polymorphism snp illumina', 'black solid', 'loc100518755 cyp21a2 candidate', 'option gensel bayes', 'carcass trait pcr', 'effect c16', 'significant gene chromosome', 'phenotype cross', 'linked melanoma using', 'like year', 'meat production pig', 'consumption contributes large', 'deletion previously reported', 'kingdom texel population', 'qtl percentage', '12 17 02', 'genetic variant meat', 'marker serve', 'bms490 rea', 'haplotype associated body', 'pph polish', 'used dependent variable', 'identifying single', 'region dosage compensation', 'rate semen ph', 'association study gene', 'effect increased knowledge', 'variant involved', 'pleckstrin homology rhogef', 'horse performed', 'snp included analysis', 'detect qtl cattle', 'proportion daughter acop', 'osteopontin opn highly', 'unique selection line', 'expression showed', 'enhance understanding genetic', 'weight 71', 'protein binding site', 'genotype fatty', 'industry meat color', 'mineral content bone', '10 calculated change', 'animal genotype result', 'line composed', 'candidate functional', 'risk victim feather', 'muscling phenotype significant', '12 89', 'domain rorc gene', 'related production 36', 'food production', 'immunocrit genetic', 'linkage disequilibrium snp', 'dhps wd repeat', 'snp array 42', 'tc lower', 'rs42670353 associated adg', 'underlie effect validate', 'revealed snp candidate', 'region ovine chromosome', 'cdna abomasal', 'summary report polymorphism', 'snp tnp1', 'specific reproductive trait', 'day milk protein', 'size used present', 'development behaviour', 'resistance making marker', 'performance far', 'significant deviation hardy', 'better understand effect', 'level qtl bw', 'haplotype deletion', 'holstein confirmed', 'association trait v371m', 'reducing incidence degree', 'module helixtree', 'sheep analyzing', 'purebred population successful', 'variance accounted mb', '021 commercial', 'development based', 'week life anesthesia', '11 possible', 'socs2 plexinc1 plxnc1', 'cohort italian holstein', 'california classified control', 'gr 50', 'development protein', 'distance mb addition', 'haplotype block consisting', 'percentage additive', 'test family', 'identifying animal subgroup', 'ligand binding', 'selected high', '6d lrrn6d', 'total pufa', 'scale generation sequence', 'study examine', 'analysis data gemma', 'animal susceptibility acute', 'used analyse polymorphism', 'il8 expression', 'indicating polymorphism chromosome', 'confirmed large', 'mmp2 gene association', 'phkg1 retn', 'polar overdominance located', 'snp detected sequencing', 'aquaculture previous study', 'effect haplotype ranged', 'cc 600', 'polyceraty studied', 'result considered alongside', 'data set principal', '814 qtl', 'significant genomic', 'developing disease', '11 snp associated', 'eth10 genotype', 'bone trait measured', 'qul analyzed', 'seven carcass trait', '1111g responsible', 'association osteoporosis', 'offspring produced 10', 'key role energy', 'meiotic cell cycle', 'disequilibrium marker used', 'gga24 qtl region', 'allowing study comparison', 'data belclare', '18 25', '71 01 detected', 'lbt low', 'using different statistical', 'content ph 24', '588 genotyped', 'overall identified significant', 'method significant', 'pattern related physiological', 'leucocyte platelet', 'illumina beadchip gwas', 'detected ssc6', 'conjunction data', 'selectively bred high', 'objective study follows', 'analysis region close', 'loss oncogenicity', 'qtl model reduced', '03 f1 male', 'rs43555985 exhibited strongest', 'test metabolic pathway', 'pleuropneumoniae controlled', 'fertility record illumina', '02 absent', 'snp particular ss61514555', 'hormone releasing hormone', 'crease skin', 'important maintenance production', 'femur bone mineral', 'mykiss produced crossing', 'harboring gene possibly', 'map qtl loin', 'scale information', '321 314', '26 34', 'eqtl stress', 'using model m3', 'plag1 gene', 'cornea perforation', 'additionally 17', 'increasing imf', '225 case', 'mendelian qtl ff', 'derived pig finding', 'marker medium density', 'analysis ndufaf6', 'despite normal feed', 'protein muscle cell', 'linked myh gene', 'bms4513 rm137 cm', 'relative weight length', 'rf gblub', 'bw 05', 'correlation annotation significant', 'constructed interval', 'ew helpful', 'cnvrs associated rao', 'implicated control', 'located ovine', 'fertility treatment qtl', 'intermediate immunocrits', 'numerous phenotype supporting', 'obvious genotype', 'malic enzyme me1', 'gene associated lp', 'level trait', 'bull genotyped 43', 'pig chromosome ssc', 'holstein italian', 'candidate defining', 'mutation exon 18', 'test statistic value', 'million chicken fatal', 'located intergenic', 'identified 11 different', 'region susceptibility region', 'similar large white', 'precision identifying locus', 'su bta13 common', 'genotyped 20', 'difficulty identification functional', 'mufa 13 pufa', 'stearic acid oleic', 'identified bta6 bta10', '18 skeletal trait', 'catfish family 900', 'mch day 18', 'pig breeding time', 'resistance riphicephalus boophilus', '475 individual generation', 'black wagyu cattle', 'induced muscle', 'mm based', 'susceptible yk rt101', 'blood 417 bp', 'variant rdhe2', 'assay composed 54', 'endocrine trait proportion', 'footrot resistance', 'applied combination', 'tenderness detected', '22 locus', 'calculated change conducted', 'bp sequenced broiler', 'distinct effect fatty', 'separated underlying', 'background understanding', 'count platelet implicated', 'biological pathway related', 'il2 body', 'trait prompted', 'embryo ne', 'polymorphism snp alter', 'related genome wide', 'trait u6', '61 62', 'previously detected progeny', 'importance segregating allele', '2nd lactation', 'qtl model including', 'annotated est affymetrix', 'sired 17 boar', 'mastitis cm', 'tissue contrast bta', 'broiler breed huiyang', 'underlying swine', 'divergent effect novel', '23 43 phenotypic', 'test days lactation', 'genotyping ebv end', 'rfi result improve', '24 52 17', 'fabp fabp', 'mb region novel', 'genetic variance c6', 'gene involved multiple', 'ssc6 gene located', 'assessment associated', 'correction bonferroni correction', 'uncorrected 19 10', '0001 0125 polymorphism', 'index composite', 'event influenced genetic', 'identified exon importantly', 'mutation modifying', 'initiation maintenance lactation', 'mapping decision tree', '386 nellore', 'analysed trait included', 'bovine prdm16', 'gene individual association', 'genotypic cow', 'quantitative trait variation', 'chromosome possibly coincide', 'meishan genetic background', 'rate f8', 'prrsv infected', 'cell opn', 'estimated proportion', 'mapped chicken chromosome', 'approach dairy cattle', 'month old', 'quality important table', 'productivity complex trait', 'intercross ii', 'focused known gene', '29 36', 'revealed novel silent', 'ebv suggest', 'candidate gene vstm1', 'heifer ability', 'resistance animal', 'phenomenon phenotypic', 'variant performed using', 'rat pde4b2', '14 12', 'correlated 830 924', 'importantly qtl', 'qtl identified gga2', 'animal lymphocyte', 'represented biochemical process', 'care feed', 'combined negative correlation', 'mapping research effort', 'support hypothesis ovine', '83 wdr83', 'modulator bind', 'steroid synthesis', 'gene flow seven', 'medius muscle', 'promising gene possibly', 'putative qtl bw', 'content confirmed', 'born landrace duroc', 'single model heterogeneous', 'analyzed qtl 85k', 'acvr2a associated', 'result explained pleiotropic', 'family identified development', 'profile 45 half', 'gene trait related', 'indicates current selection', 'ssc4 shared qtl', 'cm 84 cm', 'effect tenderness 18', 'generation accompanied increased', 'selection ovulation rate', 'biological function location', '672 son', 'a213c bp', 'affect bf rib', 'hif1an igf2 mgll', 'sib hen', 'significant association detected', 'fat lm lm', 'lesion trait', 'qtl important verify', 'mcw0241 chromosome', 'significance 87e', 'animal management period', 'bone trait suggested', 'matrix metalloproteinase gene', 'quality dairy', 'tool result total', 'multiple breed support', 'breed association snp', 'snp association furthermore', 'cattle used', 'snp mapped somatic', 'production provide', 'activity disease effect', 'qtl addition applied', 'mterf2 rtbc mirna', 'marker animal', 'pig main', 'tended increase dmy', '18 consequently', 'corresponding physiological', 'human chromosome gene', 'analysis performed jinghai', 'epistasis consistent', 'physiological function organism', 'block spp1c 1301g', 'longevity fertility productivity', 'chicken genotype assayed', 'pleuropneumonia result helpful', 'thicker single', 'c57bl outbred', 'ncapg harbor non', 'cattle behavior provide', 'future breeding direction', 'disequilibrium single nucleotide', 'qtl sib pair', 'fish using bayesian', 'correlated meat', 'gene underlie effect', 'nyap2 zinc', '48 08 lr', 'trait us_m', 'marker analysis revealed', 'fat percentage order', 'decr1 me1 genotype', 'function contribute understanding', 'explored using data', 'inheritance genome wide', '21 day', 'used genotype stallion', 'associated highest milk', 'determining piebaldism italian', 'discussion analysis', 'identified locate', 'determined pcr', 'f1 418 f2', 'region harboring qtl', 'result pathway', 'allele offspring', 'significance level conclusion', 'structure balancing selection', 'dias0000861 asga0085522 h3ga0056170', 'chromosome dominant', 'affected different', 'boar meishan', 'compared daughter wild', 'genotype cc 05', 'including animal', 'hypersensitivity identify genomic', 'process result expression', 'explained 33 phenotypic', '10 coding', 'cm 21', 'derived gamma associated', '222 horse horse', 'association linkage disequilibrium', 'pig adfi', 'cytokine receptor interaction', 'collected body', 'distribution marker', 'underlying multifactorial', 'typed 19', 'detected 24 single', 'standard deviation unit', 'yield 247', 'revealing potential genetics', 'pfts finding', '104 mbp highly', 'important trait pig', 'gene sbno2', 'knuckle ham', 'social behavior example', 'disease subjected', 'region aa', 'gene rxrb', 'measurement presence absence', 'wise association retained', 'soundness trait', 'ovine chromosome 22', 'cow collected', 'identified rft', 'joint analysis cyp11b1', 'sci bci component', 'genetic study related', 'prediction ca', 'asthma like', 'population infertility affected', 'difference founder', 'hol respectively', 'individual growth', 'applied extended family', 'ratio proventriculus', 'novel polymorphism identified', 'estimate effect', 'revealed 35', 'weight ew receives', 'inflammatory disease horse', 'alternative aim paper', 'different period', 'additional qtl', 'bta20 mb identified', 'genotyping performed 020', '120 day large', 'ii 2002 06', 'expression water', 'identified significant candidate', 'composition influence mt', 'elite dairy sire', 'seventh generation', 'combination snp2 snp3', 'linear regression multiple', 'environment gxe interaction', 'gene fertility associated', 'inbred chicken shown', 'trait led onset', '06 association identified', 'generate f1 generation', 'acid trait dairy', '359 635 snp', 'gene ssc12 meat', 'study horse using', 'thirty qtl', 'trait estimated general', '875 2e 12', 'experimentally infected prrs', 'overall study', 'population f1 offspring', 'located wnt9a chromosome', 'individual scottish blackface', 'used interval', 'collected 418 hybrid', 'higher ratio value', 'maternal infanticide extreme', 'qtl single', 'genomic locus', 'tibia weight gga2', 'second group', 'different quantitative', 'generally snp included', '000 single', '107 reflect large', 'charolais blonde', 'reflecting absence', 'mosaic pattern', '10 microsatellite locus', 'snp exon 18', 'myostatin ovine chromosome', 'factor analysis identified', 'romo cebú', 'factor explain', 'receptor germ', 'study gwas bovine', 'polymorphism highly', 'warner bratzler shear', 'taurus cattle', 'casein cn αs1', 'ssc8 region elovl6', 'understood conducted', 'architecture correlated', 'annotated gene centering', 'g4533815a 250a g4533675c', 'breed level family', 'phenotypic variability functional', 'polymorphism localized', 'marker indicates evaluated', 'studied snp zebu', 'sustainable nematode control', 'depth heart girth', 'btb case', 'development porcine embryonic', 'related metabolic cytological', 'death inflammation immune', 'aquitaine breed indicating', 'receptor bind streptococcus', 'susceptibility cattle 27534932a', 'cell score persistency', 'increased ratio', 'heterozygous texel sire', 'indicated major', 'immune regulation', 'estimate ibd score', 'genetic heterogeneity breed', 'complexity high', 'bp additionally', '805g snp', 'transcript level gene', 'swine breed composite', 'animal risk developing', 'family phenotype studied', 'germany common', 'implemented merlin software', 'phenotype international', 'polymorphic site', 'respectively charolais breed', 'pig reported past', 'yang qinchuan simmental', 'bmp15 protein', 'adg pig identified', 'reveal potential', 'designed total', 'pathway regulation growth', 'measure liver', 'measurement live', 'insulin secretion', 'consumption high fat', 'confirm location body', 'variant retrieved', 'carried pcr', 'data 4496', '43 13 mb', 'bw puberty data', 'confidence interval ii', 'locus ho approximately', 'map sex', 'chromosome 15 16', 'family 29', 'relatively consistent', 'snp 53', 'network contained 17', 'ubl5 cfd minolta', 'resistant single nucleotide', 'age blood component', 'production using', 'loin yield', '10 12 significant', 'parameter meat', '106 microsatellite', 'yield py milk', 'investigated using regression', 'chromosome 22', 'included additional related', 'revealed oar3 84073899', 'cattle autosome sire', 'required examine', 'black spotting cattle', 'cluster snp', 'cn detected', 'complementary evidence', 'pedigreed white leghorn', 'using snp50 beadchip', 'healthy tissue', 'family data', 'involved starvation drosophila', 'ssc16 01 fine', 'mating parent 234', 'virus replication', 'affect important production', 'essential role induction', 'carcass trait evidence', 'genes qtls', 'genotyped 10', 'thigh muscle', 'enduring mammary structure', '5000 animal 3794', 'follicle development', 'snp associated phenotypic', 'effect originates', 'gene ecf18r', 'model additional', 'snp rs136947640 rs134340637', 'segregating limousin', 'genotyping panel enabled', 'susceptible developing pathological', 'cow allocation', 'cm ssc13', 'examined association gene', 'intron 17', 'revealed snp ars', 'variance maternal stillbirth', 'resource population daughter', 'using 346', 'region 50 13', 'haplotype comparison dam', 'targeted investigation', 'emaciation despite', 'parity report', 'industry objective', 'comprised 1769 registered', 'expression pattern genetic', 'number determined bird', 'additional genomic region', 'new route future', 'calf bwt', 'gene complement', 'study carry', 'yield productive', 'gene present region', 'susceptibility immune response', 'mtdna maternal effect', 'haplotype gene maternal', 'tree based', 'identifying underlying gene', 'coagulum dairy', 'study using', 'concentrate slaughter animal', 'natural variation', 'sib progeny novel', 'highly desirable avoid', 'region influencing', 'trait cattle present', 'mammal porcine', 'bft locus region', 'estrus pregnancy', 'gene hd', 'white duroc pig', 'important regulator muscle', 'family consecutive generation', 'pigmentation chicken located', 'bp region exon', 'gene slc37a1 ankh', '05 snp located', 'allele european allele', 'holstein haplotype', 'yield ghr phe279tyr', 'genetical genomics', 'relies interaction', 'demonstrate feasibility targeting', 'explained 16 phenotypic', 'management decision', 'evidence csrp3 functional', 'intercrossed generation', '05 chromosome level', 'high significance', 'ssc5 landrace pig', 'date trait', 'designed database chicken', 'affecting direct calving', 'fish family 690k', 'regulator post natal', 'qtl minimally overlapped', 'single trait gwas', 'brother approximately', 'snp 270t 190g', 'ssc11 qtl identified', 'according infinium', 'balance conventional breeding', 'second method', 'round oestrus', 'refined prediction model', 'coldblood horse mean', 'animal 20', 'recombination breakpoints interval', 'pathway significant qtl', '018 062 093', 'epistasis pronounced', 'date body size', '184 detected mirnas', 'equine industry new', 'interferon gamma gene', 'haplotype validated', 'pig fto gene', 'regulation provide theoretical', 'moisture percent', 'procedure pedigree', 'time keeping', 'hindlimb score', 'duroc breed increased', '5025 5019 bp', 'bone fat', 'genomic region potential', 'degree persistency peak', 'ier5l cpt1a', 'snp window calculated', 'middle region chr', 'ocd thoroughbred using', '16 single nucleotide', 'greater random gene', 'rs14657336 rs13684613 rs13684615', 'ruminant production causing', '58 arq vrq', 'activated escs dual', 'pcr qpcr fluorescence', 'mediating lipid', 'reactors inconclusive', 'model glm compressed', 'select efficient', 'variation divergent', 'exon5 significantly associated', 'involving direct', 'breed horse', 'called shimofuri', 'assisted analysis phylogenetic', 'associated 002', 'chromosomal location detected', 'remodeling involution genetic', 'rib bft interestingly', 'pleurisy new', 'staph aureus qtl', 'highly dense', 'content pig', 'trait regarding conformation', 'region sh3', 'aim study establish', 'analysis recovered', 'animal used identify', '50 single nucleotide', 'region snp based', 'correlated trait', 'trait related egg', 'linoleic acid finding', 'included random qtl', 'need study additional', 'mummified foetus birth', 'phenotypic data estimated', 'chicken meat quality', 'gdf8 pleiotropic', 'monitored pig', '29 03 36', 'direct epistatic effect', '257 758 40', '38 commonly', 'method computationally', 'muscle depth animal', 'analysis fine', 'value btb', '60 671 marker', 'data 5064', 'mutus suggests allele', 'relaxed nominal', 'successive age', 'contrast 24 qtl', 'observed phenotypic variation', 'sire objective', 'fat central injection', 'association variation skatole', 'including tight junction', 'addition retained', 'lamb slaughter additionally', 'strong signal centromeric', '221 cow daughter', 'son 19 half', 'receptor lepr gene', 'level different', 'genbank dq487182 dq487184', 'seen individual bb', 'variance allele', 'divergent feed', 'boar region encoded', '15 million', 'variation help', '22 largest', 'atgl adipose', '80 rap80', 'aa animal percentage', 'genetics extensively', 'mare filtered', 'ag gg', 'circumference quality control', 'born consecutive', 'primary target selection', 'abhd5 study', 'ac produced', 'marker including', 'intestinal nematode', 'intestinal polypeptide vip', 'activity cpm', 's554331 mutation', 'genome 80', 'rate body conformation', 'sequence snp coding', 'le fat leg', 'soluble protein', 'gd higher', 'analysis iteratively', 'analyzed square', 'dna based breeding', 'challenge owing', 'bw sexual maturity', 'analysis bovine', 'involved typing closely', 'polymorphism snp64 significantly', 'substitution intron detected', 'transfer activity mttp', 'development subsequent', 'ass ability approach', 'rnf103 tspan31 dhx38', 'discovery rate potential', 'significant qtls located', 'puberty davisdale line', 'eca18 associated hock', 'affecting blood', 'discovery rate excluding', 'approach population', 'colour ph cooking', 'igga eca', 'pathway furthermore identified', 'tailed χ2', 'verify scd gene', 'function underpin development', 'solid basis eventually', 'charolais limousin breed', 'qtl detection design', 'gene participated cell', 'size trait heart', 'higher random gene', 'broiler female measured', 'qtl affected birth', 'united state allele', 'meatiness identify', 'sets majority trait', 'identified correspond', 'improvement vertebral', 'program mixed', 'protein level weaker', 'genome wise threshold', '01 n301', 'based marker', 'breed correlation enrichment', 'production trait birth', '67 population world', 'applied data', 'gene encodes vitamin', 'genotyped qtl', 'lp considered', 'metabolic cytological trait', 'resolution 22 cm', 'significant enrichment', 'furthermore significant association', 'set enrichment', 'generally limited sample', 'genotyped 260', 'itih gene', '10213t 10329c intronic', 'chip slaughtering', 'using 56 424', '05 kg bw', 'activity kosher', 'variation cnvs', 'worldwide current', 'descending lean line', 'subsequent economic', '18 23 27', 'fasted fed sow', 'like repeat locus', 'osteochondrosis oc oc', 'study imprinted', 'copies μg', 'detected result agreed', 'close gene', '10 rflp', 'comparison qtl', 'infection resolution inflammation', 'number heterozygous', 'myod1_75 cm', 'weight gain weaning', 'mutation determine', 'medium 14 dark', 'sc facial type', 'host protein', 'fat weight carcass', 'trait overall genome', 'kyphosis described qtl', 'gtl2 gene linked', 'predicted encode long', 'potentially positional candidate', 'asreml mixed model', '10 kg', 'logp 57 duroc', 'overall breed', 'suppresses expression numerous', 'location associated lm', 'distal chromosomal', 'model based', 'covering autosomal chromosome', 'lysozyme concentration serum', 'chicken 05', 'ebv litter', 'luciferase report assay', 'trait scan ovine', 'acid asparagine amino', 'total serum ige', '25 26 associated', 'phenotype body teat', 'week result suggest', 'value chromosome showing', '12 f2 resource', 'asymmetry developmental instability', 'compound 46 suggestive', 'white respectively', 'density collectively', 'variance mentioned present', 'dressed weight marbling', 'missense variant putative', 'harboring effect quantitative', 'majority snp', 'c231t c896t', 'breeding influence production', 'difference genetic control', 'sequencing analysis identified', 'age onset', 'ld 35 021', 'marker 13', 'implemented merlin', 'aim study locate', '0006 summary', 'approach pedigree', 'analysis approach applied', 'gene tested selective', 'participates epigenetic regulation', '3579 bull fv', 'fish available', 'role porcine skeletal', 'analysis racing', 'chicken carry salmonella', 'powerful identification snp', 'thoracic vertebra number', 'segregating multiple breed', '947 associated', 'snts negatively affect', 'represented pathway identified', 'early feathering 14', 'region highly significant', 'applied grid', 'project physical', 'porcine bac fingerprint', 'lod score marker', 'ad genotype', 'disorder fld', 'study identified 83', 'moisture saturated fatty', 'population phenotyped genome', 'size trait', 'sutai duroc landrace', 'weighted selection decision', '49 significant snp', 'detected eqtls identified', 'region encoding', 'minimized genotyping', 'complex mhc known', 'simulation study', 'total number ovum', 'related intelligence energy', 'qtl exploiting', 'pietrain pig', 'evolution developed', 'level threshold', 'total 60 snp', 'macrophage expressing', 'identified 688 gene', 'directly exploited marker', 'keel length', 'racing performance significant', 'candidate horn rxfp2', 'body size rln', 'adg0 month', 'genetic gain', 'fish 58 sib', 'daily gain carcass', 'predicted contain multiple', 'composition fatness', 'extent perinatal', 'chromosome 13 genetic', 'quality pose', 'small intestinal', 'identified pbx1', 'subsequently strong linkage', 'refined family', 'acvr2a promoter higher', 'global score sum', 'result differed markedly', 'impact rainbow trout', 'alternative allele locus', '18 2061t protein', 'value identified', 'fat depth measurement', 'detected cross qtl', 'increasing feed cost', 'livestock location', 'described literature support', 'porcine tcap promoter', 'situ hybridization analysis', 'undetected qtl', 'complete linkage disequilibrium', 'difficult costly determine', 'length affect', 'responsive imi mammary', '12 known mutation', 'substantially allele frequency', 'specific age', 'acop used quantitative', 'design hatching group', 'success pork', 'characterized bacterial infection', '91c 18377t significantly', 'using crispr', '9q22 9q31 affected', 'cattle breeding', 'genomic imprinting important', 'remaining 11', 'snp rs136947640', 'qtls sharply narrowed', 'individual milk', 'criterion single snp', 'correlated 31 66', 'missense mutation g32e', 'lead alternative control', 'reanalysis data using', 'identified chromosome 14', 'rna sequencing', 'association period birth', 'myostatin intron', 'ancestor imputed animal', 'fat performance 11', 'polymorphism genotype inferred', 'residue 49', 'known role animal', 'qtl estimate', 'swine hereditary', 'variation pork quality', 'negative linkage disequilibrium', 'array gave', 'metabolic ratio', 'haplotype associated high', 'nos2 haplotype', 'result demonstrated polygenic', 'interaction kdm5a', 'large body size', 'polymorphism aflp', '10 12 dgat1', 'hmga2 msrb3', 'obtained candidate gene', 'associated gpt breed', 'brachygnathia inferior', 'crossbreds analysed concentration', 'including obesity', 'manifestation new holstein', 'gene resolved', 'infrared mir', 'lean percent pcl', 'temporal specific', 'wk lamb', 'study present complete', 'identifying qtl', 'containing 62 163', 'scd gene candidate', 'prox1 gpcr', 'similar effect syntenic', 'detect region association', 'gene polymorphism imf', 'thermal challenge', 'significantly associated cwt', 'qtl comparison', 'testing germany', '05 wing weight', 'significantly associated semen', 'tissue identified', 'strain strongest signal', 'genotype conclusion differential', 'efficiency genomic', 'identified panel', 'nuclear transfer', 'pig day acute', 'variant consistently associated', 'application association', 'sheep snrpd3', 'routinely assessed analysis', 'august september', 'polymorphism leptin important', 'open broad', 'estimated snp', 'androstenone validate eqtl', 'fat depth mid', 'including 250', 'order increase', 'cm wt', '71 10 total', 'dominance variance component', 'bw55 marker gga2', 'determined longissimus', 'model tested', 'quantitative effect trait', 'weight variation antibody', 'variation attributable', 'genetic difference comparison', '30 variance', 'cation channel subfamily', 'animal improvement program', 'hcr artificial', 'bayesc model discovered', 'differential set', 'associated imf single', 'selected filtering', 'genotype low bone', 'region numerous', 'background oc', 'impact litter size', 'structural peptide identified', 'background low level', 'indels short', '129 snp 56', 'sd ovine chromosome', '23 mb eca5', 'factor gdf8 pleiotropic', 'qtl cattle genome', 'result provide useful', 'precocious heifer', 'growth rate anti', 'crossbred landrace sire', 'number bull', 'selection appropriate', 'factor half sib', 'cattle resistant bovine', 'using snp gip', 'located region significantly', 'trait utilized', 'genotype significantly reduced', 'red jungle', 'provide insight genomic', 'snp polymorphism', 'total mufa', 'colour beta', 'mutation ube3b pirm', 'ss411628936 shown', 'embryo demonstrated', 'fatty acid characteristic', 'ibh usually diagnosed', 'fine tuners', 'body temperature suggestive', 'qtl variance component', 'haplotype block 183', 'gr adrenal tissue', 'composite clinical sign', 'model cb included', 'evolutionary selection analysis', 'detect experimental resource', 'leg weakness issue', 'acid trait 38', 'polymorphism fn298674 90t', 'snp region', 'predicted alter bmp5', 'variability direct calving', 'contribute higher', 'factor twh anxious', 'bta13 gnas region', 'genotyping design milk', 'index locate', 'causative gene function', 'effect trait measured', 'selection decision', 'study conducted construct', 'value based snp', 'uterine weight', 'noninfectious claw', 'polymorphism gh', 'ham value best', 'mechanism trans eqtls', 'qtls detected chromosome', 'body hebraeum', 'phenotype using family', 'genotyped 23 microsatellite', 'estimate breed', 'potential effect snp', 'recorded generation', 'production blue', 'cattle qtl', '001 pvuii', '418 f2', 'selected 918', 'fitting variant', 'foxp1 es', 'similar winter', 'study explore', 'genome influence incidence', 'v33a snp', 'lm model', 'accelerate genetic progress', 'coding sequence silico', 'scored extent white', 'snp harboring gene', 'required heifer conceive', 'sequencing method identified', 'position 70 73', 'genomic estimate', 'genomic region showed', 'breeding company sale', 'describes mixture', 'trait daughter', 'surrounding identified snp', 'cm established', 'previously hypothesised', 'sheep breed native', 'despite lack overlap', 'irish holstein friesian', 'support localization qtl', '100 female', 'hock oc', 'score gqls method', 'individual count 088', 'segregated parental population', 'association test result', 'content explain reduced', 'genetic basis ph', 'remained cholecystokinin', 'yield result suggest', 'achieved limited success', 'muc4 play', 'detected novel qtl', 'site zbrk1', 'sc danish holstein', 'controlled body', '12 issued generation', 'intermediate individual', 'higher hg', 'autosome bos taurus', 'ileum length', 'white 185', 'myogenic induction btg1', 'curve characteristic', 'carcass weight given', 'using commercial single', 'genetic differentiation consistent', 'chromosome indicating', 'possible gene', 'fleischschaf suffolk texel', 'reason surgical', 'potential cause identified', 'discus prospect refining', 'breed performed', 'developing developed', 'ungulate wild sheep', 'far prevalent', 'total solid cow', '18 ld', 'located trappc9 flanking', 'dog afflicted', 'bird snp', 'acid concentration ratio', 'annotation gene', 'carcass length 15', 'decision aim study', 'addition abcg2', 'lead vitamin deficiency', 'suggested il', 'substitution examined single', 'snp ssc6 associated', 'col4a6 candidate', 'white wild', 'lowest abundance', '940 lamb', 'resulted arginine glutamine', 'content indirectly', 'day important gene', 'revealed point mutation', 'african grazing condition', 'seven leukocyte trait', 'set comprised 260', 'strategy applied', 'zfpm2 gene', 'gene giving', 'caused low', 'haplotype examine common', 'following market request', 'helpful identify candidate', 'hypothesis genetic', '15 qtl', 'conformation trait contemporary', 'selection robust', 'quality foot angle', 'report seemingly failed', 'affect reproductive efficiency', 'referred snp w80x', 'fy dual', 'consistent reduction', '128 individual', 'reducing incidence infection', 'hexim1 sd', 'model isi em', 'non carriers', 'horse collected', 'genotype sheep breed', '10 week age', 'linkage disequilibrium significant', 'mutation result', 'interval average', 'performed using mixed', 'qtl account 10', 'gene associated feed', 'band neutrophil', 'population pathway analysis', 'effect reduce weight', 'affected 25', 'genomic region bta23', 'high prolificacy finnish', 'infection intensity fitness', 'main effect qtl', 'including milk', 'chicken selected common', 'correction 10 significance', 'trait animal', 'sheep map', '239 animal', 'mammal major candidate', 'age detected nearest', 'belgian texel ram', 'water ion', 'test statistic lrt', 'response chicken earlobe', 'mutation associated lipid', 'threshold susceptible developing', 'chromosome following allele', 'including candidate', 'leg swelling', 'population using heterogeneous', '222 highly significant', 'nellore cross', 'dissecting genetic', 'highest en conclusion', 'puberty significantly', 'elongase elovl6 elongase', 'controlling growth', 'intercross chicken', 'model ratio', 'cross spleen', 'notable involved interaction', 'information virus challenged', 'afe result marker', 'faceted disease', 'nitrogen content myofibrillar', '22 24 25', 'promoter activity analysis', 'npc1 protein play', 'herd f2 reciprocal', 'bmp15 gene associated', 'contribution family result', 'differentially expressed response', 'prolactin prl selected', 'meishan boar', 'derived milk trait', 'polar overdominance', 'heat treated', 'numerous qtl minor', 'gene drd4 distal', '038 close permuted', 'mg high', 'identified newly associated', 'snp rxrb', '28 62', 'obvious variant considered', 'examination provide', 'allele rs315135692', '404 chinese', 'analysis using linkage', 'disease dynamic', 'ewsr1 actn2 plxnd1', 'data population derived', 'breathing effort', 'kingpin bornfeb', 'scores model resulted', 'solid fat', 'included fixed effect', 'variance effect low', 'cross grandprogeny 306', 'contributing height', 'poultry causing severe', 'sc identified', '26 68 28', 'target network', 'site important', 'reported snp slc39a7', 'gwas single', 'scd lipogenic enzyme', 'component method large', '363 fleckvieh', 'snp previous genome', 'qtl segregating holstein', '691 snp', 'classification using previously', '1000 conducted declare', 'known qtls gene', 'number body', 'pattern prme', 'tag snp', 'cow dna sample', 'transfer domain', 'mechanism caused functional', 'phenotype adjusted fixed', 'expression micrornas target', 'bta2 combined', 'type error', 'value suggests', 'density noncortical', 'allele locus exerted', 'genotyped 58', 'insulin glucose', 'applied variant using', 'paternal expression dlk1', 'sequence iberian', 'provides novel insight', 'tgc1tgc1 diplotype bmp15', 'city china', 'ab 01', 'maternal allele', 'quality relative percentage', 'trait analysed backfat', 'trait selected commercial', 'non conservative amino', 'selection bovine cheese', 'skeletal growth', 'specific protease', 'regulating carcass trait', 'charolais limousin', 'breed achieve', 'mapped 13', 'gene dopamine', 'linkage disequilibrium information', 'potential tool selection', 'located pig ssc14', 'containing majority significant', 'gene hem1', 'variation vertebra', 'linkage analysis subsequently', '26 33', 'subtrait abortion', 'rate linear', 'mapped using linear', 'true effect', 'post imi', '35 sigma', 'life conformation calving', '59 mb', 'fixed effect sex', 'genomic knowhow', 'harbouring qtl fat', 'threshold 15 10', 'causative snp discovery', 'testing set kept', 'alter biogenesis', 'quality 64', 'area rump', 'overnight longissimus', 'commercial sutai pig', 'conformation measurement', 'angus 296', 'involved gene', 'dairy sheep conclusive', 'significance using', 'bta10 study', 'partly explain previous', 'testing nba', 'inherited favorable haplotype', 'mb bta 20', 'region 21 mb', 'paternal non', 'cattle population population', 'difficulty calving', 'approach focused single', 'effect compared', 'genotyped gwas', '16 794 limousin', 'acted additively', 'trait heart', '11 jaw length', 'qtl second analysis', 'conjunction data set', '17 chromosome', 'thickness point', 'declare snp', 'thr1097asp allele', 'locus chicken', '05 bonferroni correction', 'tensile strength', 'allele arginine vasopressin', 'associated significant', 'previously trait', 'power false discovery', 'ratio leg butt', 'chinese western', 'location 67', 'important genetic factor', 'gene specific', 'gene v6a', 'body size snp2', 'region ssc4 include', 'selection candidate', 'main aim study', 'ultrasound examination rib', 'association oocyst shedding', 'behavior questionnaire', 'variability genotype mir206', 'mutation 943c', 'type pathogenic', 'carried region', 'previously mouse swine', 'vary sow', 'red cattle targeted', 'variance significant snp', 'associated detected', '100 snp discriminated', 'data reanalyzed multiple', 'gene causative quantitative', 'organized seven exon', 'opportunity map potentially', 'fat different', 'quarter horse murgese', 'foot score based', 'maturation female chicken', 'qtl growth obesity', 'screening ssc4 ssc6', 'design analysed 799', '11 snp unreported', 'snp correlation phenotype', 'dry genotyped 23', 'report genome', 'trait number teat', 'immunity pig', 'scd gpat4', 'disequilibrium distance suggested', 'denoted fat1 previously', 'functional significance understanding', 'lipid single', 'strongest snp located', 'mechanism simultaneously affecting', 'immunisation 195', 'tissue larger', 'beneficial characterize candidate', 'showed effect behavioural', 'suhvi porcine', 'weight egg oviposition', 'affecting trait enhances', 'determinant lipopolysaccharide', 'food security', 'potentially genetic', 'seventeen genomic segment', 'vicinity gene encoding', 'process involved development', '160g 437g silent', 'metallic non', 'muscular fiber type', 'cm 28', '214 including', 'controlled 10 level', 'elucidating underlying genetic', 'bovine snp array', 'fmo5 cyp21 esr1', 'suggests time novel', '300 kb', 'muscle different age', 'possible qtl', '33 qtl parent', 'trait diacylglycerol acyltransferase', 'growth fat trait', 'f2 cross', 'swiss cow used', 'chicken liver weight', 'daughter design association', 'tail formation essential', 'uchl1 adjacent rs81399474', 'line used derive', 'partly consistent', 'overlap previously reported', 'chromosome revealed', 'cnv study', 'mirna precursor', 'avfec arcsine transformed', 'weight lw', 'holstein bull', 'growth qtl observed', 'ncbi polymorphism', 'opposite direction implies', 'level identified chromosome', 'order study roan', '122 cm bta6', 'ssc meat production', 'gga13 12', 'growth meat production', 'qtl joint', 'ketosis showed', 'chaperone hsp90aa1 map', 'depending growing reproductive', 'trait early', 'designed perform', 'beadchip trait', 'positional cloning advanced', 'level pif1', 'haplotype cluster effect', 'female rt 17', 'hircus chi', 'haplotype balanced frequency', '10ralpha contribute variation', 'ssc6 120 cm', 'prolific informative', 'analysis copy number', 'probably depend smaller', 'association detected', 'anion transporter family', 'german schleswig', 'qtl observed analysis', 'sheep 01 15118756c', '120 successfully genotyped', 'relative ppara', 'affect dietetic value', 'assigned chromosome 13', 'chest width chromosome', 'mastitis resistance influenced', 'confirmation discovered', 'missing data em', 'inherited defect', 'na ionized', 'importance muscle', 'alga0022658 59 10', 'predictor trait', 'digestive efficiency week', 'clptm1l pparα bcl', 'potential effect', 'amplicons sequenced reveal', 'coa carboxylase', 'short distance generation', 'water loss instrumental', 'exon region tnf', 'total 424 snp', 'significance putative quantitative', 'intron structure', 'chromosome color contains', 'large white heavy', 'total 42 243', 'signaling coding', 'utilized generation', 'regulation metabolic', 'ripk2 respectively', 'extended family family', 'change secondary structure', 'effect accompanying', 'member myadm gene', 'angiogenesis vessel remodelling', 'indicating mutation region', 'abge343 reached highest', 'associated body weight', 'classical milk production', '56 compared genotype', 'potential economic', 'single pedigree', 'dna rna sample', 'roche usa effect', 'qtl affecting meat', 'term pathway related', 'respectively highlighting gene', 'effect novel major', 'experiment intended investigate', 'ibk 05', 'locus showing', 'combinatory effect marker', 'associated posterior probability', 'maximum resolution multi', 'selection litter size', 'used perform haplotype', 'region dosage', 'erythroid related trait', 'undertaken identify', 'bull believed', '19 21 24', 'appearance condition', 'transrectal ultrasonography sire', 'genome traditional fertility', 'associated ercr', 'f2 cross male', 'represents candidate', 'testing scheme new', 'load pig', 'explain genetic association', 'animal f0', 'carrier superfamily crucial', 'largest number qtls', 'sample sample size', 'tested animal integrative', '570 snp', 'spot consist', 'contraction furthermore', 'tnp1 gene', 'validate importance region', 'marker located 26', 'polymorphism novel intronic', 'region marbling shown', 'liking cooking', 'oleic acid le', 'chromosome 20 qtl', 'maintenance knowledge gene', 'affecting linolenic', 'using genotypic phenotypic', 'culinary custom growth', 'pathway mediated', 'ssc7 major effect', 'bp duplication', 'polymorphism snp site', 'explained estimated heritability', 'resistance consequently study', 'velocity spermatozoon', 'color group', 'model based muscle', 'qtl chromosome', 'result 17122a intron', 'priority aquaculture', 'coat colour dilution', 'resistance controlled multiple', '13 locus impact', '49 indicates', 'polyceraty span hoxd', 'chromosome used', 'detected 11', 'associated muscle fiber', 'present work performed', 'ssc4 qtl association', 'gga11 failed identify', 'valine gtg', 'odds 68', 'validate previous finding', 'control limited', 'parasite nematode remain', 'percentage 70 casein', 'role pathology', 'segregated consequently objective', 'identify causal mutation', 'available novel', 'association different', 'additional locus associated', 'form obesity', 'infectious nutritional', 'individual protein', 'density marker significant', 'pig breeding industry', 'effect significant suffolk', 'suggest fst influence', 'trace genetic origin', 'conservative snp genotyped', 'explains 02 85', 'french grivette polish', 'analysis external fat', 'af qtl obtained', 'day gga2 10', 'finding strongly indicate', 'marker influencing', 'region male female', 'bsp3 cast cd2', 'sample 139 pig', 'snp pooled', 'mb sliding snp', 'milk component', 'qtl associated osteochondritis', 'marker pig growth', 'generated illumina ovinesnp50', 'smaller cross', 'suggest chicken', 'ebv pat corresponding', 'mapping corresponding quantitative', 'marker marker haplotype', 'multiple locus distributed', 'net feed', 'growth trait addition', 'lp analyzed', 'intron clrn1', 'related heart', 'qtl investigated clinical', 'trait end lcorl', 'impacting secondary tertiary', 'kazakh sheep use', 'qtl understand function', 'dl gga1 qtlexpress', 'effect quantitative trait', 'il 10ralpha aat', 'composition trait purebred', 'classical selection reached', 'en c231t', 'seven snvs', 'cidec gene', 'cm ssc7 significant', 'snp abhd5', 'genotype associated nipple', 'high ld', '98 20 77', 'test categorical', 'weight included covariate', 'genetics porcine', 'variation result animal', 'origin comparative', 'prokr1 etaa1 play', 'extreme end', 'trait propose interval', 'regulated factor sib', '875 fish', 'gene resistance locus', 'achieve reliable mapping', 'investigate additional', 'gene involved antitumor', 'nucleotide polymorphism array', 'informativeness family', 'rfi using', 'variant chicken', 'retrotransposon gag like', 'mbl characterized', 'showed mutation lie', 'alike population structure', 'gastrointestinal parasite sheep', '32 million read', 'background infectious bovine', 'heterozygous region', 'sow increased', 'carcass weight additive', 'significantly associated proportion', 'appeared block separated', 'common snp chromosome', 'independently mapped', 'qtl bta 20', 'muscle cause', 'map unique', '24 59', 'intron dcc', 'initial step innate', 'gene mbl1 mbl2', 'polymorphism identified genetic', 'phenotypic distribution 10', 'based single locus', 'containing strong', 'white plw polish', '2723c exon', 'liver autosomal heritability', 'heat shock', 'chromosome remained independent', 'conserved shorter', 'better imf', 'position model', 'region greatly', 'red earlobe color', 'glycosylation binding site', 'f2 cross issued', '012 carcass', 'h3h7 greatest', 'heterozygote higher', 'indicate dgat1 232ala', 'expected robust', 'jersey cattle genome', 'allele simultaneously increase', 'meishan family', 'higher genotype', 'analysis 230 bp', 'identification predictive snp', 'quality qtl bta14', 'region discovery', 'suggest tg', '71 mb', 'trait respectively enrichment', 'production provide better', 'stress represents key', 'vrq sheep showing', 'prediction accuracy compared', 'angus association second', 'marker locus sw1336', '916 variation 148', 'detected similar region', 'aa 116', 'homozygote mutant genotype', 'search result', 'genetic linkage map', 'shear force snp', 'snp region annotated', '18 chromosome', 'recognition receptor play', 'suggestively associated', 'gin information lack', 'qtl effect compared', 'alg12 cyp17a1 aco2', 'blv causative agent', 'feathering locus', 'mb chromosome 26', 'potential gp intramuscular', 'qtl block used', 'rate early component', 'genotyped pcr', '128 cm', 'associated hock', 'trait based corresponding', 'time especially', 'specific result provide', 'lg bird exhibit', 'reproduction cause', '136 microsatellite marker', '70 menorca purebred', '502 allele potential', 'trait derived', 'influence target', 'group test genetic', 'hepatocyte nuclear', 'block h1 gcga', 'phenylalanine tyrosine', '900 143 33', 'consistent f2 sutai', 'marker identified including', 'kdr tdo igfbp7', 'model permutation used', 'mammal located pig', 'complex vertebral', 'snp2 synonymous', 'illumina bovinehd', 'region acetyl', 'augmented values', 'ssc9 ssc10 ssc12', 'using post gwas', 'trait analysis body', 'tailor milk fat', 'homozygosity mapping', 'gene identified including', '93 32 strongly', 'level phenotypic variance', 'suggested sensory threshold', 'fertile expect commercial', 'significant difference meat', 'ssc4 sw316 s0003', 'snp belonging 30', '20 snp fat', 'composition excretion qtl', 'area fiber', 'rs81394585 rs81423166 closest', 'chromosome pleiotropic effect', 'line used map', 'observed including snp', 'value 97', 'development genetic test', 'infection holstein', 'respiratory disease brd', 'lactation decline decline', 'measured total', 'weight shearforce 10', 'record analyzed', 'interval likely', 'observed carcass quality', 'fluorescence situ hybridization', 'island red', 'genabel package resulted', 'pik3r4 kif16b ptpn3', 'study considers analytical', 'avian herpes virus', 'analysis compared previous', 'qtl controlling sla', 'total 13 contemporary', 'traditional univariate model', 'kb respectively conclusion', 'cluster family member', 'thickness buttock', 'c6 c8 c10', 'myh1 myh2', 'negative energy balance', 'feather length', 'hybrid panel gene', 'higher seasonal oestrous', 'fasn calpastatin cast', 'fos qtl expression', 'trait related mastitis', 'bco2 gene sequenced', 'gh1 associated', 'bhb concentration yielded', 'porcine adipocyte heart', 'structure fat tissue', 'constraint functional', 'bootstrap analysis 1000', 'analysis offered greater', 'common haplotype study', 'foot trait', 'interleukin proinflammatory', 'trait measured second', 'linked common gene', 'based muscle', 'normal developmental production', 'chromosome eca2 10', 'pathogen revealed', '02 18', 'size genotyping parental', 'cystathionine beta synthase', 'located equine chromosome', 'adjusted leg fat', 'genetic analysis immunocrits', '36 unique', '41 mb', 'lameness leg conformation', 'livestock population completion', 'mt remains improved', 'defined maximum', 'technological measure', 'cla content', 'associated fitness', 'localized linkage group', '10 000', 'autophagy associated', 'edu similarly 10', 'estimated 52 relatively', 'cm 11 20', 'facetted approach', 'production level observed', 'shrinkage selection', 'bone related qtl', 'line phenotypic', 'ssc7 ssc11 locus', 'use single nucleotide', 'genome wise false', 'quality characteristic possible', 'apob gene association', 'location calpastatin cast', 'region identify candidate', 'increased risk salmonella', 'cd cc significant', 'hsp90aa1 expression scrapie', 'breed marker', 'body size western', 'mrna expression lead', 'cut 05 primal', 'gga1 gga2', 'snp used sequence', 'rjf genotype shown', 'lactation lower milk', 'field closer mechanistic', 'mqts 05', 'skin thickness enrich', 'study based', 'association observed remaining', 'exceptional prolificacy breed', 'attention recent year', 'matinspector revealed', 'shamo male', 'pta birth', 'cdna microarrays', 'trait demonstrate', 'bta26 harbored significant', 'adg estimate cb', 'duroc pietrain pulawska', '63 measured', 'lactation detected simple', 'protein content ld', 'lactation stage parity', 'alanine variant', 'brd2 gene', 'revealed high heritabilities', 'tomography ct average', 'knockdown preadipocytes', '45 min ltl', 'ssc6 carcass', 'related productive trait', 'reported reflecting', 'strong perspiration like', '26 affect cm', 'rt higher heat', 'close proximity qtl', 'melanoma related', 'reduction igg', 'bb allele genotype', 'genotype generally significantly', 'variation important', 'eqtl potential', 'study confirms previous', 'bull 338 genotyped', '21 snp showed', 'hydratase short', 'meishan sow', 'score respectively gene', 'teat number different', 'qtl affected calf', 'gdf9 perform', 'homozygote allele pietrain', 'maintain pregnancy', 'region covering exon', 'background detection', 'similar peak position', 'p3 locus novel', 'study focused young', 'different line exploited', 'sensitivity genome', 'parasite conclusion', 'region ap located', 'cachexia sheep', 'fasn intron', 'substitution 305', 'number variation region', 'acted independently', 'indicate sscx important', 'investigated 106', 'mitigation methane ch4', 'znf192 zscan16', 'myh family leucine', 'protein eukaryotic translation', 'study improved', 'tested holstein', 'second interval', 'concentration analysis', '1596 significantly', 'evidence qtl genome', 'orphan receptor', '12 region selected', 'stage growth', 'score longissimus', 'variant effect boar', 'imprinting status qtl', 'selection meat quality', 'coefficient calculated cm', 'chromosome type qtl', 'qtl region ssc3', 'twhs selected', 'data 4376 texel', 'access complexity counting', 'measured fecal', 'trait relationship daughter', 'animal utilized random', 'cattle dsn endangered', 'analysis pairwise', 'chromosomewise level', 'marker quantitative', 'trait observation', 'gene mapped region', 'hybridized mrna', 'greatly advance understanding', 'ep contribute selecting', 'equidistant location candidate', 'effect putative', 'associated incidence infectious', 'closer mechanistic understanding', 'analysis underway', 'concentration significant snp', 'trait genotyping cost', 'bos taurus snp', 'holstein cow kept', 'majority snp harboring', 'annotation snp revealed', 'common form obesity', 'qtl affecting risk', '43 gp decrease', 'informative confidence', 'gene clarify', 'broiler leghorn', 'determinant controlling production', 'expressed response mammary', 'provides preliminary', 'regulating mo', 'correlated udder conformation', 'growth fat thickness', '44 limousin 98', 'gene trait economic', 'production observed', 'separately potential', 'snp explained 27', 'total 17 bone', '22 chromosome total', 'distance 250 kb', 'association study cn', 'conclusion complex relationship', 'resource population result', 'region gga5 splitting', 'italian holstein cow', 'indicated polymorphism intron', 'bp end ornithine', 'analyzed univariate', 'exists genome', 'shank length tibia', 'gene breed associated', 'compared large white', 'continuous phenotype', 'disease status', 'modest number', 'regime correcting', 'quantitative trait nucleotide', 'mechanism resistance population', 'performed map', 'variant gfra2 0038', 'major haplotype carrying', 'architecture fertility trait', 'mcw0225 ntn2lsts1 fdr', 'analyzed quantitative pcr', 'key role protecting', 'trait mastitis', 'gene responsible overall', 'hormone crh', 'orthologous segment', 'rfi2 implying', 'involved camp signaling', 'tg_x05380 422c', 'region heterozygote advantage', 'identify sire', 'influencing muscle', 'putative protein', '566g 57', 'influencing different trait', 'cluster persisted ovary', 'transcript enriched functional', 'different genotype', '63 68', 'contains genome wide', 'test 24', 'life detected locus', '42 1e', 'acid profile reveal', 'effect fertility qtl', '47 snp', 'girth loin', 'highly consistent considering', 'trait nelore cattle', 'phenotype data obtained', 'absence presence extra', 'analysis bvs model', 'consistent 10 year', 'containing xirp2 snp', 'directly selection purpose', 'scurred male polled', 'selection functional', 'hematopoiesis mafb associated', 'cause lameness global', 'feathering chick 249', 'gb approach identifying', 'region smaller', 'cattle new', 'gene ass', 'charolais breed', 'strategy map qtl', '18 combined haplotype', 'trait sheep total', 'sharing assay refined', 'mainly erythrocyte meat', 'amplification sequencing bovine', 'metabolic process gap', 'head total', 'representative candidate', 'sire group qtl', 'development new strategy', 'density multiple', 'factor fgf8 recent', 'sire seven beef', 'impairing offspring generated', 'lalba mrna milk', 'genomic element', 'le favourable', 'regulating activity atgl', 'respectively sl9 sd9', 'infection significant association', 'prevent birth homozygous', 'effect genotypic effect', 'snp region 43', 'se 12', 'adipose tissue milk', 'total 966', 'autosomal snp left', 'exhibited best', 'underlying locus haplotype', 'amino acid accession', 'level slope equal', 'kr candidate gene', 'dr breed order', '85 bull 591', 'polymorphism 44g 622c', 'acid transport', 'correlation 99', 'measure tolerance heat', 'concentration north american', 'position close', 'additional future value', '604 individual qinchuan', 'facilitated glucose transporter', 'gene extensively', 'reported previous', 'used selection animal', 'emmax revealed documented', 'boar taint especially', 'tailed sheep commercial', 'based finding suggest', 'protein subunit', 'trait quality control', 'marker conducted', 'ssc 18', 'abundant derived', 'identified german holstein', 'number pig examined', 'expression identify segregation', 'precursor chicken mirna', 'paternal line', '003 05', 'status cell', 'parity specific daughter', 'index longevity', 'transmitted tsetse fly', 'consistent breed collectively', 'higher manner unrelated', 'cascade involving', 'qtl appear', 'method implemented loki', 'tno nte result', 'refine number', 'work close influence', 'measured opn level', 'length pelvic breadth', 'identified best km', 'autosomal gene', 'polymorphism gene useful', 'feedlot adg daily', 'population female animal', 'danish breed duroc', 'revealed potential overlap', 'knowledge biological architecture', 'significance threshold 15', 'using single trait', 'record trait', 'gip showed significant', 'qtl study prompted', 'multipoint non parametric', 'trait livestock genome', 'peak association region', 'separate trait', 'fatty acid pig', 'horse 379', 'wild boar swedish', 'log10 values 794', 'heart testis site', '20 adjacent single', 'modest proportion', 'qpcr western', 'sample size', 'reproduction related gene', 'univariate approach greater', 'average holstein heifer', '05 genotype gg', 'egg produced 300', 'improvement esc', 'selection framework', 'used npl analysis', 'associated 45', 'backcross population gene', 'obesity conducted', 'growth locus affected', 'significantly higher follicle', 'statistically population', 'effective established', 'elovl fatty', 'chromosome near', 'addition gene', 'important metabolic', 'fk506 binding protein', 'identify gene eqtl', 'component clearly', 'quantitative trait growth', 'phenotypic variation effect', 'gene involved linkage', 'ige level significant', 'affected causative', 'classification identified gene', 'tuberculosis btb', 'expression module loading', 'genome coverage', 'genotyped different', '31 phenotype related', 'involved adg regulation', 'line differential', 'coefficient feed', 'expression numerous gene', 'effect provides new', 'phenotype imputed sequence', 'boar 16 duroc', 'population provides', 'associated body dimension', 'piece independent information', 'population 000 female', 'age plus', 'infertility 80', 'profile promote', 'white black', 'chromosome dominant large', 'generated research provide', 'efficiency rapidly cattle', 'analytical method detect', 'homozygous pig', 'human multigenic disease', 'il8ra chemokine receptor', 'fat line greater', 'bull genome reference', 'examine genetic', 'rfa semispinalis', 'accounted 50 genomic', 'mapping qtl calving', 'fatty acid conclusion', 'osteochondrosis hanoverian', 'bb beta', '803 producing sow', 'association 51', 'sheep production worldwide', 'ram homozygous 1111a', 'cattle bonferroni', 'analysis total 596', 'hypothesis different genetic', 'd3 drd3 carcass', 'response investigation chromosome', 'vrq sheep', 'analysis locus', 'breed snp pleiotropic', 'highly significant', 'stratifying genetic population', 'body weight tep', 'cow genetic', 'displaying disease symptom', '015 snp', 'sib family originating', 'progression phenotype biological', 'variation horn length', 'minor difference respect', 'studied performed genome', 'family demonstrate', 'cleavage site', 'bft pig implementation', 'cyfip1 ptpn1', 'solo insertion', 'total 129 test', 'population using single', 'm1 haplotype', '22 polymorphism', 'il 15 gene', 'fetus furthermore genetic', '528 mediated', 'environmental effect epistasis', 'coding region constructed', 'beadchip applying quality', '56 424 snp', 'fed predominantly', '12 36', 'functional hypothesis', 'generally acted', 'healing low', 'gene tightly', 'gain 23', 'fact agreement', 'cattle marker based', 'serum concentration 45', 'genetic basis whirling', 'ratio serum', 'initiation development', 'riboflavin transporter gene', 'index haem pigment', 'relationship advance genomics', 'susceptibility specie', 'qtl 05 chromosome', 'presentation cellular', 'genomic region distributed', 'comprised fetlock hock', '35 1kb', 'line based result', 'snp integrating information', 'analysis information combing', 'culture peak peak', 'region identified new', 'gwas verified using', 'haplotype 17', 'eared duroc', 'finding used', 'functionality type pft', 'gastrointestinal nematode', 'biological clinical', 'horse leisure competitive', 'lh greater', 'pig used', 'tmw used', 'finding help', 'pig control line', 'monounsaturated mufa polyunsaturated', 'genome wide type', 'level influencing', 'bvs total', 'location account variation', 'survival pig gestation', 'allele taurine', 'content different group', 'effect stillbirth', 'opposite homozygous genotype', 'rhesus monkey form', 'liver kidney small', 'welfare production information', 'univariate regression mixed', 'negative allele inherited', 'muscle mass ssc15', '70 cm proportion', '20 000', 'fshr snp', '29 se 01', 'trait glm', 'new solution control', 'fdr 10 11', 'feeding practice', 'dq494490 genbank', 'p450 cyp2', 'haplotype fatty acid', 'breed genotyped using', 'rs15675067 rs15675065', 'according function', 'using measure genetic', 'south western burkina', '10 ss86284768', 'pig generation sequencing', 'chromosome 13 21', 'marker interval 10', 'resulted little variation', 'phenotypic qtls', 'ssc 14 ssc', 'controlling variation', 'included ssc1', 'qtl confirmed previously', 'especially fasn c10', 'vertebra 05', 'purebred duroc pig', 'strategy allow', 'throughput sequencing technology', 'associated nematode resistance', 'size pig despite', 'family method', '70 mb', 'production phenotype korean', 'multibreed cross reanalyze', 'plant heritability estimate', '65 versus', 'improvement chinese', 'disequilibrium r2 value', 'including genomic', 'nematode egg', 'contribution snp', 'secretion milk measured', 'identity bovine', 'chromosome exceeded experiment', 'backcrosses based', '124 128', 'feed efficiency phenotype', 'lactation curve', 'linkage disequilibrium microsatellite', '698 bp chicken', 'indicating resistant', 'correlation obesity associated', 'mutation affect functionality', 'promoter response activin', 'provide precise', 'target region development', 'accurate phenotype unaffected', 'carwell locus', 'result suggest ovine', 'behavior energy homeostasis', 'chromosome ssc4 genome', 'locate qtl', 'toolbox livestock opportunity', 'work current study', 'evaluate fluctuating', 'loin measurement', 'chromosome significant association', 'phenotype especially regarding', 'population typed', 'individual snp based', 'fat single', 'function melatonin', 'trait expressing', 'cross used genome', 'enhance detection power', 'ram manych', 'snp identified kb', 'body weight egg', 'metric average', 'affecting yield trait', 'location similar', 'association gene swine', 'muscle histochemical characteristic', 'production trait chromosome', 'approximately 22', 'revealed near complete', 'correction 10', 'snp snp nearby', 'beef demand beef', 'underlying rfi useful', '30 phenotypic variance', 'high ambient', 'unaffected calf herd', 'expression data fetal', 'aries breed', 'backfat bf shown', 'region showing tissue', 'parity breed moving', 'map4k4 gene different', 'significantly associated early', 'ssc13 itih', 'length trait teat', 'leg problem heavy', 'trait resulting', 'information assign', 'quantified using genome', 'interval peak', 'raised southern china', 'significant imprinting effect', 'test measured genotype', 'marker causal', 'correlation phenotype genomic', 'milk yield 01', 'chest girth', 'relevant trait study', 'sib progeny', 'significantly differentiated snp', 'fat heavyweight broiler', '000 snp search', 'milk yield fpcm', 'straightforward utilize', 'yield fgf8', 'sequence function', 'locus performed parity', 'holstein crossbred population', 'problem decreasing bone', 'kilogram lamb weaned', 'poultry health', 'designing breeding genetic', 'hatch year harvest', 'ssc1 associated backfat', 'fatness different set', 'charolais holstein', 'muscle wide range', 'understanding evolution developed', 'given marker information', 'result contribute similar', 'indicated evidence', 'bco higher', 'commercial half', 'production respectively', 'dairy production twinning', 'gene 17', '17 fatty acid', 'analysis pig chromosome', 'differential set candidate', 'acid sequence resulted', 'feedlot information', 'detection analysis', 'expression allow', 'correction multiple', 'dissection molecular mechanism', 'suggested influenced', 'trait qtn', 'average milk yield', 'line wl77 additional', 'chicken reproductive performance', 'bovine sequence share', 'underpinning genetic', 'production trait framework', 'pig defines', '13297a snp5', 'peak position qtl', 'ldla using', 'rs1110770079 snp used', 'amino acid change', 'qtl dominant', 'quality economically important', 'genotype economic', 'intestinal parasitic nematode', 'ifng toll like', 'erythroid trait identified', 'designed reduce carcass', 'trait identified chromosome', 'pony breed native', 'protein percentage milk', 'production previous', 'fcr qtl rfi', 'pig 434 sutai', 'validate detected', 'snp association rfi', 'specie knowledge gained', 'yorkshire cross', 'variant cd46 tv', 'cattle targeted', 'produced national center', 'selected snp', 'affecting trait showed', 'born piglet significantly', 'influence mhc clearly', 'calpain mu large', 'molecular mechanism action', 'effect ranged genetic', 'bmp7 gene', 'tendency significant observed', 'trigger th1', 'developed identify', 'giant panda', 'marbling wbsf', 'genotyped 20k', 'mfa inhibitor', 'expression decreased 89', 'snp e2 169', '12 polymorphic site', 'average r2 low', 'caused abnormal', 'allele called fecx', 'exon snp1', 'gene explained', 'result definition', 'future testing', 'differentiation present', 'rs42766480 importantly using', 'snp prkag3 significant', '12 chicken', 'herd life dairy', 'power genome wide', 'fine mapping', 'genotype 2379tc', 'influence animal susceptibility', 'needed understand functional', 'studied breed secondly', 'fetal growth mechanism', 'presence severity pneumonic', 'backcross lamb created', 'nearly prediction', 'convincing result', 'le fat', 'status significant association', 'mycoplasma hyopneumoniae aujeszky', 'influencing c12', 'research communication', 'disease virus ndv', 'dna pooling selective', 'experiment extended', 'improvement complex', 'identified significant quantitative', 'population population specific', 'exacerbate primary cause', '159 genotyped', 'method genome sequence', 'tolerance pt', 'snp quantified', '250k single', 'trait detected ssc', 'resistant 280 susceptible', 'locus locus', 'wise significance level', 'responsible number', 'efficiency human animal', 'selection strategy work', 'percentage bta2', 'high vs low', 'size sequencing gdf9', 'rt pcr revealed', 'dq124298 344a muc4', 'efficiently used', 'allele bf trait', 'holstein interval insemination', 'mediated translational suppression', 'expression downregulated fold', 'regulated spectrin', 'ii polymorphism', '115 virtually', 'result demonstrated number', 'significance gws', 'presented used', 'refers recombination marker', 'study wssgwas evaluate', 'offspring seven', 'deposition italian', 'involved immune function', 'cm interval recombination', 'discovered late stage', 'function expression', 'pde4b2 expressed wide', 'located lg1 lg26', 'microsatellite data beef', 'body height average', 'measured set 3379', 'diversity mhc', 'proportion daughter', 'hepatic gene affecting', 'convergence statistical', 'duroc antagonistic association', 'f2 animal white', 'locus affect fat', 'describes result detailed', 'health disease status', '22 kgf', 'measured real time', 'specific gene underlie', 'genotype 37455302g notch1', 'quality located', 'italian heavy', 'dimorphic qtl', 'snp calling', 'human genome', 'production trait reported', 'validate locus previously', 'lac bil ca', 'detected chromosome 15', '03 36', 'approach association detected', 'grandsires 608 half', 'hf explained', 'gwas based imputed', 'bp deletion 500', 'ssc10 near telomere', 'cohort cnvrs', 'drps estimated', 'gga2 11 12', 'bilateral mononeuropathy', '90 281', '802 non coding', 'arabian german', 'response pepsinogen', 'immune inflammatory process', 'insr am950289 589t', 'truncated protein', 'qtl analysis suggested', 'genotype phenotype role', 'earlier identified quantitative', 'qtl gene vital', 'continues cause substantial', 'ctsd polymorphism egg', 'igf2 expression', 'eca3 79 533', 'loinmax lm quantitative', 'state art', 'popular breed', 'summary data indicated', 'animal trait', 'weight pta predicted', 'explained relatively large', '91508173c locus segregating', 'gene acting', 'maternal additive polygenic', 'rfi furthermore study', 'control genomic', 'qtl submitted', 'ebv significant', 'result generation', 'rs414302710 locus exon', 'cause significant loss', 'changing milk', 'snp window significantly', '05 snp marker', 'colour ssc8 conductivity', 'genome wide fixation', 'versus fecx', 'extensive variation exterior', 'improve knowledge', 'population qtl detected', 'harness racing', '01 consequently mll', '814 qtl 124', 'crossbreds second 2281a', 'male analyzed selected', 'known use', 'hot carcass weight', 'seek gene', 'qtl refine qtl', '35 cm', 'performance body composition', 'polymorphism nellore', 'narrow region 130', 'concentration intramuscular fat', '40 significantly', 'strong genetic control', 'carcass muscling', 'hereford limousin red', 'previous study 13', 'investigated differential expression', 'weight spawning spawn', 'acid synthase tested', 'number teat max', 'apolipoprotein assembly cholesterol', '54 haplotype combined', 'bvd pi calf', 'chol ppn0 932', 'oar11 densely', 'daughter calving', 'validation group 343', 'efficiency performance', 'familial basis', 'fat contains component', 'regulator localizing qtls', 'oc spanish', 'created additional', 'suggestive qtl egg', 'cattle study convincing', 'total 11 69', 'allele ph24h qtl', 'trait mqts aim', 'likelihood ratio method', 'provides genomic information', 'ryr ecf18r locus', 'harboring functional candidate', 'association decr1', 'recurrent phenotype bta7', 'mapping suggested fmo3', '23 17', 'data breed quantitative', 'explained 13 genetic', 'acid content higher', 'located near interferon', 'ebv region', 'meat technological trait', 'prp genotype effect', 'cdkal1 tert locus', 'number heritable', 'gene result stop', 'growth development disease', 'low ldl high', 'chicken resource', 'dmy tended', 'reported previously associated', 'cga abcg5', 'serotonergic pathway pituitary', 'sheep presented total', 'revealed locus chromosome', 'cm2 cm3 sc', 'gene peptidylprolyl', 'gwas rna seq', 'cannon circumstance', 'identified significant single', 'certainty qtl affecting', '01 snp3', 'analysed finally igf2', 'chinese taihu', 'ovulation rate 01', 'association cattle population', 'inra broiler', 'approach developed', 'ssc11 18', 'litter pwl born', 'disease study based', 'study contributes', 'relative position 45', 'ssc4 ssc8', 'adipose fat milk', 'gene spi2', 'mixed model bayesian', 'ssc13 lesion type', 'addition investigated pleiotropy', 'study conducted predicted', 'synthetic line 990', 'identified 245 cnv', 'french trotter', 'milk protein concentration', 'activity vitro mammary', 'association gwa pathway', 'breed underlying genetic', 'holstein cow dna', 'autosomal heritability', 'mouse high growth', 'region cumulatively accounted', 'carcass characteristic obtained', '18 summary result', 'compared identify', 'number tissue tumor', 'region qtl fcr', 'study pig carried', 'required normal bone', 'taint component', 'trait determined linear', 'duroc erhualian cross', 'oar3 oar14 confirmation', 'pig crossbred landrace', 'hiv infectivity', 'mcd pm imputed', 'objective characterise', 'trait longissimus muscle', 'broiler divergent', 'obtained 752', 'different lactation leg', 'effect brahman alpha', 'polymorphism snp quality', 'segregation previously', 'parasite infection represent', 'selecting marker use', 'value association observed', 'previous report mapped', 'kit variant porcine', 'weight taken', 'association ce ld', 'intact male pig', 'genome wide mapping', '41 significant snp', 'measured 960 f2', 'applying variance', '32 68 genetic', 'chromosome 18 eca18', 'association study different', 'bf bf150 qtl', 'ghsr igf1r gene', 'parity group total', 'association algorithm statistical', 'inflammatory disease causing', 'binding site altered', 'varied 95', 'cg snp sire', 'dissection explore potential', 'disciplinal typical behavior', 'hypothetical ibd allele', 'significant effect female', 'pecking decade', 'trait analyzed coding', 'fkbp10 ssc12', 'included sex', 'btb susceptibility genotyped', 'concentration identified commercial', 'coincide previously', 'dna allowed identification', '174 mb', 'g1406a t3602c', 'ssc5 21 22', 'sire comparison', 'nematode molecular level', 'supported result', 'month age stage', 'swine major', '1410 day 46', 'polymorphism genotype gin', 'great economic', 'body size direct', 'nhi inbred', 'analyzed variation', 'draft sequence', 'tgf superfamily member', 'bta04 bta07', 'cumulatively accounted 50', 'ssc1 slc3a2', 'study revealed novel', 'measured 40', 'mutation regulatory', 'greater weight', 'population angus', 'il17b qtl identified', 'accuracy significance', 'performance tested italian', 'gene region significant', '590 steer', 'gene mapped growth', 'biologic background', 'clear identification genetic', 'tew tep', 'rate ibk population', 'gwas result fec', 'cri map program', 'mapped centromeric', 'according disease', 'associated gr expression', 'association tunel', 'mortality using', 'interval marker', 'yw smaller ww', 'experiment confirmed', 'qtl seventeen', '10 family containing', 'prevalent malignant tumour', 'cm 19', 'mongolia sheep', 'population specific effect', 'measure result seven', 'compared parental', 'gwas improve predictability', 'descent inheritance model', 'used conjunction', 'phosphorous concentration', 'influence mhc allele', 'polygenic component', 'estimated 24', 'population basis', 'exon downstream', 'health reproduction cause', 'qtl bta2', 'demonstrate power high', 'detected shank', 'rs320439526 snp', 'sus scrofa region', 'study significantly', 'flexible computationally', 'originating routinely', 'state ibs calculation', '479 quantitative', 'study perform genome', 'influenced wg', 'gga6 gga15 gga23', 'trait exceeded', '37455302g notch1', 'boar taint qtl', 'copb1 mapped region', 'investigated possible positional', 'joint nordic', 'control 277', 'fabp4 pmp2 plin1', 'plasma cortisol measurement', 'production rate', 'located 95 mb', '0002 0013', 'hypobetalipoproteinemia postmortem', 'lod 35 qtl', 'overall qtl detection', 'using inter', 'breathing effort work', '761 zebu zebu', 'vs uniparous', '24 viral load', 'metabolism skeletal', 'rdhe2 v6a', 'various pig', '62e 10 45e', 'derived porcine', 'parental information response', 'melanin xanthophyll dermis', '06 bonferroni', 'method total 62', '217 bp brangus', 'lead conclusion', 'ssc3 dressing', 'genotyped 175 243', 'indicating potential function', 'sample cooked', 'milk similar autosomal', 'using meta', 'antibody titre resistance', 'analysis ldla genome', 'likely observed commercial', 'loin ph flavor', 'gilt associated', 'physical map contigs', 'qtl effect potential', 'significantly lower 01', 'ssc13q41 marker', 'approximately month', 'candidate gene 800', 'differ aa', 'low suggesting independent', 'presenting significant', 'qtl different chromosome', 'specific gene conclusively', 'stratifying genetic', 'improved association', 'gene trait mc4r', 'marb respectively used', 'tested individually genotyping', 'linked contained previously', 'ngs 39328 rs132865003', '64 total trait', 'disequilibrium ld mapping', 'utr silico', 'effect 550 68', 'remain discovered', 'mirnas resulting', 'exon ile159val', 'designated intron', 'lead truncated effect', 'affected pp database', 'qtl study seven', 'haplotype genotyped different', 'furthermore additional resource', 'mapping using maternal', 'duroc pietrain', 'marbling study', 'multiple linear regression', 'region associated wbsf', 'test based', 'test group chicken', 'ibsp ocln', 'sck1 bta14 sck2', 'analysis predicted', 'performed egwas', 'leghorn laying hen', 'placenta selected', '18 19 27', 'variation porcine genome', 'order identify genetic', 'target sequence coding', 'tcap play role', 'ldla performed aim', 'key modulators gene', 'linkage confirmed trait', 'trait performed association', 'peak observed qtl', 'transmembrane protein', 'accuracy imputed', 'chronic progressive', 'especially holstein', 'trait showed epistatic', 'identified highly significant', 'cbg parameter', 'percentage triglyceride concentration', 'ch population significant', 'lyw data consisted', 'elovl6 gene expression', 'axis exerts large', 'growth induce', 'snp genetic', 'qtl greater', 'allele varied 87', 'demonstrated correlation meat', 'confirmed hanwoo beef', 'production period', 'percentage canonical', 'qtl exhibited large', 'effect polygenic effect', 'reduction tainted', 'inbred light bodied', 'resulted discovery 29', 'fitted animal', 'luxi breed conclude', 'position chromosome allelic', 'sire produced', 'maximum marker', 'receptor gr ubiquitously', 'strong candidate future', 'intercross performed genetic', 'suggested major gene', 'study using population', 'af twice homozygous', 'size french', 'gtpase activating protein', 'locus muscle c18', 'included window', 'identified individual', 'previously described quantitative', 'rfi defined', '79 genomic region', 'population gene identified', 'estimate androstenone', '17507a 17575a', 'resistance nematode infection', 'subpopulation novel', '05 affected', 'set contained', 'variant 2614t located', 'association study deduced', 'egg oviposition', 'factor observed total', 'program chicken insulin', 'addition incorporation gene', 'growth response', 'length percent', 'conversely eqtls', 'characterized based haplotype', 'lightness measured loin', 'result variation gene', 'detected f₂ population', 'industry severe problem', '298 f2 individual', 'infection eggshell quality', 'genetic polymorphism atp1a1', 'fat composition', 'analysis revealed 30', 'decrease c6', '58 sib family', 'based gwas detected', 'factor required', 'protein percentage alanine', 'overrepresented process term', 'assist selection', 'study 20', 'virus mdv highly', 'derived senepol', 'human observer', 'quarter warmblood horse', 'genome study romane', 'utilized enhance genetic', 'novel qtl chromosome', 'reproductive longevity measured', 'qtl cattle reported', 'biology underlying trait', 'site plausible mechanism', 'hg lg bird', 'serum beta', 'acsl1 gene positional', 'spectrum population', 'postmortem play distinct', 'mfa gene associated', 'silico analysis association', 'trait dependent', 'soay sheep population', '37 72', 'overlap region', '26 united', 'significant allelic additive', 'appropriate analyzing f2', 'maximum joint', 'environment dairy cattle', 'identified genome', 'parameter using vce', 'variety snp', 'rfi1 regressed respect', 'result improve', 'dominance considered genome', 'breed different sample', 'work investigate variation', 'conversion ratio 0001', 'boar phenotype', 'day herd', 'extract muscle', 'acid substitution v150i', 'related sensitisation exposure', 'in3 g3072a locus', 'need validated additional', 'panel composed', 'sib phenotypic', 'addition growth rate', 'locus linked bovine', 'showed confidence', 'dominance effect observed', 'time new qtl', 'negative staphylococci strep', 'level snp 29', 'qtl affect carcass', 'cattle population applying', 'theory approach identified', 'analysis major', 'footrot affected sheep', 'associated porcine maternal', 'gene used marker', 'variant utr', 'stratification relatedness', 'low lactation', '301 699', 'association detected gwas', 'corticotrophin releasing', 'saleable meat', 'resulting total', 'mean corpuscular hemoglobin', 'body hair important', '01 n301 strain', 'pathway transporter activity', '100 95', 'xanthophyll dermis epidermis', 'bmc sheep population', 'trypsin prss2', '017 meishan', 'family major contributor', 'pcr analysis', 'chemerin gene investigated', 'genome sequence 16', 'severe episode psychotic', 'ssc13 ssc17 regional', 'vertebra located ssc1qter', 'trans retinal le', 'tcf21 gene', 'associated positive selection', 'tissue gwas bovine', 'analysis using microsatellite', 'postnatal growth relative', 'region contained', 'chicken causing', 'dgat1 effect', 'cddr granddaughter design', 'mastitis included analysis', 'thrsp gene', 'study identify polymorphic', 'chromosome association qtl', 'showed insertion', 'overcome difficulty', 'result suggests', 'locus jointly', 'maximum 44 50', 'pig population tcf12', 'question address question', 'highly associated adiposity', 'force tenderness score', 'locus located chromosome', 'fertility result', 'illustrate increase power', 'duroc pig polygenic', 'ultrasound carcass', 'restricted maximum', 'nucleus population', 'ldl high hdl', 'function related muscle', 'based indicator', 'gwas trait calculated', 'window detected explained', 'trait locus effect', 'qtl detected including', 'early growth', 'wide level trait', '242 cm lod', 'exclude c1843t mutation', 'taurus chromosome bta01', 'trait determined', 'haplotype breed perform', 'load b1', 'testing applied', 'individual pathway', 'approach obtain', 'regression interval method', 'supernumerary teat hyperthelia', 'genotype shown', 'qtl using bovine', 'estimation method empirical', 'selected putative function', 'cv validated qtl', 'weinberg equilibrium possible', '19 pig chromosome', '47 head', 'genotype differed c3c', '233g allele', 'rs14011780 rs14011776 igf1r', 'level 98 10', 'mrna abundance', 'chromosome analysis', 'selected emotional', 'repeat strong linkage', 'fi 05 rs14011780', 'value 0x10 13', 'gblup application correlation', 'culture prevalence 46', 'average age 457', 'gene potential region', 'market weight 110', 'haplotype result presented', 'living pedigree 588', 'variant white', 'linked feathering', 'leg mapped', 'snp bta2', 'forest rf analysis', 'sdccag3 hu', 'expression differing mendelian', 'allelic form sequence', 'genotype 200 shetland', 'milk yield body', 'gene phenotypic trait', 'ensembl snp window', 'recombination marker', 'vrtn gene associated', 'protein fubp3', 'localized location', 'kera lyz non', 'tested computer', '05 taken', 'modified live classical', 'analysis performed fitting', 'intramuscular fat 01', 'framework carry genomic', 'modern pig distantly', 'omy17 omy9', 'confirmed quantitative trait', 'reported highlighted', 'using daughter', 'component method determined', 'gene polymorphism linked', 'cell western commercial', 'enable effective', '100 000 permutation', 'marker regression frequentist', 'buffalo cattle consist', 'linear model glm', 'proportionally large', 'en conclusion en', 'composition meat quality', 'relevance affect', 'dgat1 reproduction trait', 'nh breed highest', 'affect profitability dairy', 'thickness shoulder loin', 'type suffolk', 'weakness resulting', 'gene hypothalamus', '10 marker chromosome', 'associated chest', 'dorsi 45', 'selection pressure bacterial', 'stage qpcr', 'susceptible mated', '25 29 34', 'abc6 abc10 contribute', 'combination eqtl', 'according linear', 'approach 95 bayes', 'stress level', '33 cm', 'multivariate qtl', 'meat production sheep', 'scan radiological', 'animal microsatellites spanning', 'polymerase gene play', 'composition purpose', 'strain rainbow trout', 'cnvs 18', 'time dependent', 'purpose cattle', 'polymorphism covering autosomal', 'rs109663724 rs132699547', 'respectively buffalo', 'fecgt present', 'f4 fimbria', 'assisted selection breeding', 'sheep benefit', 'sus scrofa data', 'rate predisposition', 'industry blv proviral', 'sire respectively', 'animal marker used', 'domain containing', 'abw contribute', 'exon5 significantly', 'necessary ascertain snp', 'salmonella potential', 'marker intervals maximum', 'snp fit logistic', 'conclusion absence', 'role feed', 'association detected chromosome', 'il8 h2 increased', 'infectious disease usually', 'angle chromosome qtl', 'animal temperament', 'behaviour trait assessed', 'generally significant', 'tick burden bta14', 'ca zn mg', 'sequence used linkage', 'causative mutation nearby', 'correspondence effect', 'pleiotropic aa 116', 'trait resulted', 'semen quality trait', 'quality trait based', 'exon plin1 gene', 'ontology analysis pathway', 'eqtl modulating', 'collect genetic', 'refers recombination', 'snp ars', 'antagonistic association muc4', 'used popular', 'animal record', 'snp detected chromosome', 'danish dairy breed', 'note identified qtl', 'result trial heritability', 'aa associated increased', 'detected single snp', 'body size trait', 'area body', 'trait association pparc1a', 'family completely', 'gene target gene', 'test statistic calculated', 'snp 108 gene', '13 bb710', 'fully explored', 'hb level leucocyte', 'force measurement assessed', 'unknown applied', 'gene hmga1 ssc15', 'suggesting variation locus', 'scanned 127', 'gga3 abdominal', 'identify genes', 'locus pointing conserved', 'udder inverted', 'sd growth', 'variety phenotypic', 'limpet hemocyanin', 'mapping analysis', 'rln risk associated', 'obesity marker', 'important lowly heritable', 'program reported result', 'bwg fcr 05', '27534932a polymorphism tnf', 'size type beard', 'compared daughter', 'property addition', 'mapping genome', 'average sc productivity', 'increase dmy', 'amino acid hgd', 'pb way crossbred', 'gpt 143 horse', 'identified snp close', 'targeted breeding program', 'rxfp2 shown additive', 'linear model analysis', 'snp detected igf1', 'seminological motility parameter', 'region fourteen chromosome', 'subcutaneous adipose', 'vaccenic acid based', 'weight growth gga1', 'number haplotype 34', 'identified chromosomal subregions', 'lamb associated significantly', 'respectively gg ga', 'effect gender age', 'conducted group', 'animal 166', 'locus reproductive trait', 'mastitis somatic cell', '27 microsatellites mean', 'map3k5 nrac ntng1', 'result step', 'genotype greater random', 'qtl large number', '1049 alp 439', 'incidence polymorphism bovine', 'data set genome', 'inferred sequenced', 'pathway retinol metabolism', 'population result considerable', 'significance threshold', 'breed allele respectively', 'hereford cattle', 'genomic regulation', 'taken study', 'snp ssc1 disappeared', 'sheep isolated', 'heritabilities se', 'mqts 05 combined', 'selection commercial line', 'consumer genotyped 497', 'increase detection power', 'inflate false', 'developed world', 'qtl region qtl', 'trait chinese erhualian', 'based linear', 'snp 667 f2', 'significant cause', 'impact milk performance', 'type enzyme', 'uncorrelated feature', 'previous study present', 'diarrhoea neonatal', 'agreed gene localization', 'prevention critical', 'analyze milk', 'fundamental development process', 'people adolescent particular', 'inflammatory process', 'respectively statistical', 'homozygotic genotype snp3', 'pi population dupi', 'different compare haplotype', 'underlie fat', 'dgat1 232ala', 'head width', 'genotype pedigree imputation', 'preventing mastitis', 'linked severe disease', 'putative qtl eca', 'finding benefit', 'allelic peeling', 'expression level correlated', 'pig ppara', 'btas 11', 'dscam ssc', 'pork conducted', '433c allele phenotypic', 'backfat weight bfw', 'pedigreed male', 'disequilibrium analysis indicated', '01 fine mapping', 'lld individual marker', 'survivor control genotyped', 'linkage minimum false', '01 consequently', 'showed deletion', 'snp10 xr_027435 snp12', 'significantly associated somatic', 'number single', 'gpat4 18', 'report literature', 'genotyped additional', 'pcr sscp pcr', 'sheep artificial selection', 'refined locus 100', 'second pc slope', '10 different region', 'identifying causal gene', 'assisted selection carcass', 'beadchip available', 'isoforms usage hypothesized', 'association myostatin variant', 'molecular mechanism simultaneously', 'underlie response invasion', 'complex bradyzoites immunoglobulin', 'selection criterion breeding', 'human cart', 'area lma', 'birth nm', 'different diagnostic test', 'likelihood analysis', 'decreased growth performance', 'determination udder', 'plag1 lyn', 'region ldla 13', '90 kg', '69 acted additively', 'cloning rt', 'cortisol production gene', 'qtl effect arrival', 'regulatory element promoter', '43 13', 'using 105', 'promoter strength', '2002c exon', 'breed european asian', 'mapped half', 'human domperidone', 'larger independent', 'fish 58', 'green yellow', 'c16 finally targeted', 'genome f2', 'quality control total', 'picture quantitative', 'region genetic', 'reported facilitate', 'position associated variant', 'reporter gene', 'weight partly overlap', 'phenotype chromosome association', 'determine new genomic', 'equcab2 marker', 'phenotypic variation somatic', 'intragenic haplo', 'exposure infective agent', 'endometrial gene expression', 'chi 28 18321523', 'ssc1 ssc2 ssc16', 'ssc8 small interval', 'lge22c19w28_e50c23 linkage group', '548 artificial insemination', 'qtl region pig', 'status indicating', 'regulating virus replication', 'present study fine', 'development new therapeutic', 'stepwise conditional analysis', 'region associated clearance', 'mapped numerous porcine', 'forecasting result', 'expression mature', 'gene ph postmortem', 'reporting literature liberal', 'phenotype segregating breed', 'type etec including', 'alzheimer different', '18 kgf', 'lipid trait contrast', '11 fold', 'acrs method novel', '483 cow', 'utero week', 'level determined', '3rd lactation', 'chromosome followed empirical', 'able identify number', 'loss reproductive efficiency', 'peptide derived', 'program mixed linear', 'qtl significant pleiotropic', 'significant result number', 'gene environmental', 'maximum likelihood procedure', 'animal functional mutation', 'parity anai4', 'tested difference', 'conserved functionally', 'study carried identify', 'black spotting', '258 ewe', 'involving 390 duroc', 'snp 442', 'generated order', 'strongly supported muc13', '43 unaffected', 'different score principal', 'snp suggests trait', 'chromosome 27 previously', 'population 2229', 'whirling disease phenotype', 'f1 f2 982', '617 animal distributed', 'suggesting breed analysis', 'chicken breed line', 'identified chromosome wide', 'eimeria cestode parasitism', 'bayes highlight', 'weighted single', 'gene play important', 'ssc8 54567459 ssc11', 'yellow colored', 'holstein nordic red', 'non risk mating', 'ssc9 fmo5 pig', 'factor grouped', 'different genotype significantly', 'snp meeting', 'study body weight', '30 ssc5 ssc6', 'significant association coincide', 'interval position', 'encoding 1839 amino', 'gene genotype', 'chicken 05 furthermore', 'chromosome controlling', 'imported western country', 'racing integrity', '2799g adrb3', 'weight body weight', 'interaction exist', '14 lastly', '119 mb', 'lie region', 'robust multiple', 'association eye', 'highly significant genome', '305 day', 'chicken arian', 'contributing season lambing', 'trait consideration total', 'similarly 10', 'change asp glu', 'support mcp signal', 'host tb phenotype', 'acid variant rdhe2', 'used study allele', 'white pig qtl', 'metabolism derived', 'wide 05', 'larger number animal', 'haplotype important', 'observed vrtn genotype', 'separate model', 'itih itih snp', 'qtl osteochondrosis', 'age class', 'total bone proportion', '298 gilt', 'difference expression level', 'environment random', 'similar subcutaneous fat', 'exceeded threshold chromosome', 'region characterized high', 'reproductive performance beef', 'new evidence', 'tibia fbmd', 'analysis study', 'cage layer accounted', 'hatch metatarsus', 'caseous caecal', 'shown associated', 'fatty acid similar', 'carcass unacceptably', 'animal point breed', 'globulin cbg proposed', 'p2 negatively', 'mechanism involving downregulation', 'concentration typically observed', 'swine qtl', 'trait identified likely', 'srb breed haplotype', 'trait protein', 'weight segregating', 'metabolism pathway affecting', 'study identified fine', 'blackface suffolk texel', 'tool identification putative', 'white outbred', 'play negative', 'statistic profile', 'sheep litter', 'rtmb ensbtag00000037306', 'suggest significant challenge', 'concluded cnvs', 'incidence boar', 'protein 15 bmp', 'list human und', 'polymorphism located position', 'suitable candidate genomic', 'background feed efficiency', 'identifying seven snp', 'gg genotype frequency', 'fat content composition', 'dj pd', 'used proposed candidate', 'strong association litter', 'advance genomics provide', 'l3 abomasal lymph', 'perspiration like urine', 'influencing resistance mdv', 'based available', 'locus trait association', 'eca3 requires validation', 'including metatarsus length', 'functional milk', 'variation growth rate', 'current work aimed', 'testing additive imprinting', 'fa composition detected', 'growing chinese', 'applied second scan', 'main regulator', 'carcass trait used', 'wasting vaccine prevent', 'chromosome 10 16', 'mstn gene mutation', 'quality attribute flavor', 'volume distribution width', 'snp module', 'data commercial norwegian', 'porcinesnp60 beadchip evaluated', 'cm confirmed slc9a3r1', '269 kg', '16 17 19', 'dgkz sod2', 'dlgap1 bind regulate', 'region remained', 'quality human', 'ssc7 01 ssc8', 'associated somatic', 'newly hatched chick', 'involved rao candidate', 'starting point identify', 'bf150 qtl', 'count mscc', 'decade genetic', '815 34 056', 'porcine skin thickness', 'help better understand', 'polymorphism associated meat', 'verification sequencing complete', '05 birth', 'testing conduct', 'control cow matched', 'type noninfectious', 'ssc16 carcass', 'secretion lh greater', 'sf3b1 associated lma', 'udder depth udder', 'moving average logp', 'important lp', 'translated region', 'sheep showing', 'gastrointestinal nematode main', 'lg variant', 'population long', 'trait litter size', 'architecture particularly', 'depth segregating', 'finding novel candidate', 'enzyme yolk', 'snp qc explained', 'snp maximally', 'important trait main', 'trout aquaculture affect', 'fec qtl', 'tcp11 spata31e1', 'chicken meat lightness', 'qtl concerned adult', 'vertnin genotype significantly', 'extreme approximate', 'effect identification', 'proportion casein total', 'complex index', 'model based regression', 'causing boar taint', 'steer total 24', '27 029', 'disequilibrium analysis previously', 'combination bioinformatics', 'marker genomic region', '16 01', 'used fine mapping', 'activating protein 24', 'white meishan breed', 'distal microsatellite', '86 f3 128', 'mortem ph24', 'important influence chicken', 'specific covariate trait', 'classified rflp restriction', 'estimate connective', 'stature sta milk', 'carrying copy tm', 'based test', 'indicate single intronic', 'accuracy addition', 'trait significant additionally', 'significance field linkage', 'ph phu', 'domain containing g4b', 'associated qtl cryptic', 'duroc meishan cross', 'comprised measurement live', 'chromosome 16 qtls', 'protein mttp', 'heat cycle seven', 'conclusion finding indicate', 'controlling eradicating', 'virulent wk', '57k snp', 'revealed gsk', 'birth sow', 'calving ease important', 'common disorder', 'animal high meat', 'dominant result', 'predictive genetic potential', 'value interestingly', 'combined 17', 'adgtest partly', 'included 510 f2', 'yield milk peak', 'lr iberian', 'pathological feature melim', 'development swine facial', 'gene collected ensembl', 'management raleigh', 'parturition comparative', '636a luciferase assay', 'pufa content 01', 'level dtd', 'mating holstein', 'mapping interval', 'inflation factor quantile', 'test 05 association', 'association general population', 'compared 23 explained', 'chi 16', 'mapped involved typing', 'region affecting', 'rfi snp', 'hu sheep body', 'nucleotide polymorphism intronic', 'signature selection overlapped', 'include interferon', 'trait pig breeding', 'coding functional snp', 'cohort trait', 'indole snp esr1', 'associated sexually dimorphic', 'c12 c14 group', 'site located', 'oar19 snp', 'host genetics', 'gr adrenal', 'protection development market', 'herd age', 'scan osteochondrosis oc', 'grammar gamma genomic', 'ltm respectively 54', 'mttp biology', 'sire chosen', 'multiple position model', 'controlling overall', 'based test aa', 'chromosome xinghua', 'selected reduced seasonality', '78 half', 'interaction snp hub', 'ham ham weight', 'using marker individual', 'muscling fatness chromosome', 'sequencing coding', '85 bull', 'insemination icf range', 'qtl mapped higher', 'fish population result', 'cattle interaction mt', 'decreased mln expression', 'snp useful', 'fy fat percentage', 'frequency used genome', 'database added information', 'maremmana breed data', 'age 01 result', 'myh3 rear', 'detected related candidate', 'gluc gga26 significant', 'liver gfra2 influence', 'bco2 aa genotype', 'sample resulted', 'significantly interacted sex', 'using 416', '05 shank', '62 genome wide', 'eqtl slc37a1 peak', '12q23 located', 'aim high density', 'categorized different', 'reported quantitative', 'fsil design seventy', 'bta10 mb', 'practice knowledge genetic', 'post weaning piglet', 'fatty acid binding', 'study convincing', '58 cm marker', 'applying univariate sire', 'individual descended', '14 16 18', '39 additive', 'f2 animal respectively', 'genotyping array snp', 'cm tgla303', 'castrated shortly birth', '140 day lamb', 'height newly', 'qtl detected economic', 'c16 content c18', 'eca7 genome', 'haemonchus contortus double', 'inferred genomic estimated', 'distributed marker', 'number causative', 'interleukin 1a', 'parent purebred', 'ph1 adjusted 0972', 'predominantly teladorsagia', '1689 precocious', 'learning ability memory', 'detected igf1', 'step grammar', 'individual bonferroni', 'lys232ala ghr', 'length sire', 'score adjusted', 'suggest skip', 'sc available', 'family breed', 'low input result', 'gga3 beard', 'detected family rear', '61 used', 'prediction primal', 'collected 620 fish', 'consistently revealed genome', 'level genetic covariance', 'variation affecting production', 'combined linkage linkage', '64a associated', 'apoh pedf', 'genotype effect rdhe2', 'haplotype total 25', 'total 76', 'haplotype segregate selected', 'muscle important', 'meat color trait', 'similar marker density', 'software respectively', 'lesion pleurisy new', 'mortality birth', 'ssc nonparametric', 'signal attributed', 'rrn3 asap1 identified', 'subfertility single nucleotide', 'bone strength endosteal', 'total 160', 'snp consequently', '2061t protein', 'change haematocrit following', 'cnv overlapping', 'approximately 17 day', 'genotyping larger', 'offspring evaluated 11', 'androstenone addition cyb5a', 'maternal offspring', 'analyzed avai', 'including 13', 'ho explained', 'individual 20', 'conducted 10', 'dosed sheep', 'composition growth feed', 'expression crucial', 'strongly affected lm', 'cheese ability', 'absence homozygous mutant', 'indicated distinct', 'greater luciferase', 'chr used', 'covering wide', 'content new', 'effect polymorphism identified', 'used alter fatty', 'polyunsaturated fatty', 'qtl map obtained', 'varied population', '90 cm 129', 'generation increased uterine', 'frame encoding 1839', 'production limited', 'underlie variation', '11 15 26', 'important genomic region', 'containing kndc1 tfn', 'treatment record', 'test regardless', 'parameter lightness', 'gain accuracy compared', 'locus bta5 bta6', 'snp chromosome 19', 'colubriformis animal resource', 'harboring relevant', 'analysis physical location', 'polymorphism intron', 'chicken performed genome', 'critical embryonic', 'role mitochondrial fusion', 'selected footrot phenotyped', '32 detected additive', 'codon aberrant transcript', 'comparative mapping revealed', 'productivity creole', 'conducted stage genome', 'record estimated', 'including candidate gene', 'fecx 28 85', 'candidate single nucleotide', 'perturbed mdv', 'myostatin gene contributes', 'lymphocyte ratio', 'matrix included', 'association known', '04 respectively genetic', 'different f1', 'experiment crossed population', 'include bta13 gnas', 'awassi ewe', 'ontology term revealed', 'associated bw 10', 'haplotype substitution', 'condition current study', 'dominance snp model', 'kyphosis vertebra count', 'trait snp gene', 'corrected principal', 'qtl ssc2q', 'variant chromosome', 'learning ability', 'lung 572 progeny', 'region 591', 'cm 80 cm', 'later generation haplotype', 'rear leg', '16 significant dominance', 'associated bw49', 'gwas analysis revealed', 'ovinesnp50 chip result', 'role determining resistance', 'corrected value 10e', '001 phenotypic variance', 'indicated rs14657336', 'steer snp e2', '68 f1', 'environment additional', 'qtl ssc15 strong', 'generation family', 'background toll', 'peak detected 84', 'outbred f2 analysis', 'rate 01 chromosome', 'meat quality mq', 'peck delivered', 'polymorphism snp ear', 'possible verify', 'sire tm', 'platelet volume 29', 'resulted special variant', 'genotype total 9919', 'line altering existing', 'successful qtl', 'sw316 s0003', '42 day age', 'stage disease model', 'pdgfra protein percentage', 'bta located 88', 'subclinical ketosis', 'generally significantly higher', 'multivariate analysis identified', 'survival reported phenotypic', 'potentially relevant', 'genome scanned', 'mutation paternally imprinted', 'reported connection bone', 'sw1608 qtls', 'showed quantitative trait', 'locomotion affected individual', 'cdh13 enrichment analysis', 'micrornas precursor micrornas', 'effect intramuscular', 'consisted na', 'scan qtl significant', 'account specific feature', 'growth cartilage develop', 'map phenotype important', 'qtl corpus', '498 bp', 'adipose tissue located', 'usually retain trait', 'composition distal arm', 'provided extensive evidence', 'total 512 f2', 'study investigate method', '05 15 235', 'prediction blup genome', 'qtl 001', 'single snp moderate', '0001 summary', 'independent dataset', 'infection pig', 'effect dressed carcass', 'polymorphic information content', 'gga4 associated early', 'allele specific binding', 'breed significant epistasis', 'qtl pedigree', 'fabp respectively intramuscular', 'epididymal weight', 'association polymorphism bmts', 'breed differential', 'selected genotyping additional', 'selection beef', 'jersey derived allele', 'line new hampshire', 'mapping report using', 'vrq vrq sheep', 'average spacing 15cm', 'gland tested variant', 'intergenic region bta3', 'promising influencing', 'tool result', '858 971', 'marker phenotype', 'differentiation mammary', 'affecting location', 'close kit pig', 'bms1724 bm7209', 'order facilitate breeding', 'ssc1 ssc4', 'animal research center', 'major haplotype minor', 'c14 indication', 'finnish ayrshire', 'total 459', 'total 137 marker', 'accuracy time', 'allele frequency pool', 'characterised progressive', 'allele selection 435', 'debvs trait', 'pedigree replicated', 'oar2 18', 'level continuous objective', 'genetic effect analyzed', 'hapflk approach fat', 'involving 183 microsatellite', 'previously detected chromosome', 'relationship detected multibreed', 'erhualian sow gene', 'metabolism insulin', 'gene ontology term', 'dilution mutation charolais', 'analysed positional candidate', 'dietary quality heavy', '81 cm', 'analyzed result', 'variance milk fever', 'number rn', 'variance genomic', 'mechanism heat', 'data multivariate', 'cow genotyped', 'growth il2', 'beta lactoglobulin milk', 'counting random', 'infection including anti', 'snp arranged distinct', 'suggests plumage coloration', 'effect fitted additive', 'economic impact marginal', 'mir 224', 'cause embryonic', 's2 65', 'milk whey', 'cnv expression variation', '14 16 chromosomal', 'gene influenced milk', 'stallion offspring', 'model testing additive', 'vary asian', 'ssc13 trait phenotypic', 'genotype substantial economic', 'protease senp5', 'imf single locus', 'relatively small number', 'originated red', 'independent design', 'effort identification underlying', 'causal polymorphism', 'sire gene', 'gg genotype rs13687126', 'conducted predicted', 'callipyge locus cm', 'breeder aim improve', 'significance identified chromosome', 'additive effect calf', 'failed identify', 'ssc16 hdl hdl', 'gwas analysis identified', 'trait mapped', 'process term', 'calving difficulty perinatal', 'virus objective', 'prrsv infection', 'method identified seven', 'quality trait experimental', 'affecting pheromone previously', 'bayescπ approach', 'proximity bonferroni correction', 'showed dominance', 'crucial role protection', 'a59v microsatellite', 'leisure competitive', 'unique significant snp', 'measured 1420 day', 'different specie genome', 'designate incidence', 'study significant association', 'heterozygote disadvantage', '109g bms833 middle', 'beef cattle determine', 'trait reported chromosome', 'analysis 500', 'shear force taste', 'gene completely linked', 'nematode infection moderately', '1730a e577d coding', 'progeny ovine', 'chosen genotyping half', '0058 detected', 'acc alanine gcc', 'set sub group', 'intake important', 'expected number', 'opn recognized', 'variation body size', 'cavity pericardium advance', 'possibly involved maintaining', 'detected testicular', 'cattle snp', 'analysis data came', 'shedding 75', 'knowledge location function', 'mechanism underlying biological', 'annexin a10', 'rs132865003 rs133498277', 'experiment extend', 'aa genotype yellower', 'divided f8 f10', 'activity compared allele', 'chromosome marker', 'litter size smaller', 'semen trait', 'window explaining largest', 'beadchip identify', 'bta 18 detected', 'pecker different', 'harbour potentially', 'significantly associated locus', 'day calving', 'ibp4 gene encodes', 'region studied ascertain', 'sire inheriting positive', 'association fatty', 'directly cooperation', 'influence ph24h', 'family german qtl', 'programme result', 'response prrs', 'inbred breed', 'program gene cloning', 'score measured', 'project implemented', 'chromosome 25', 'osteochondral lesion ryr', 'effect 435a 447', 'age constant', 'development tcap expression', 'different leg conformation', 'source observed contribute', 'group desaturation index', 'qtl upper', 'belly backcross lamb', 'retp respectively', 'analysis showed mutation', 'effect error', 'trait linked milk', 'rate responsible exceptional', 'leptin useful physiological', 'set qtl detected', 'antibody igg1', 'variation purpose study', 'large set locus', 'level allelic substitution', 'associated increased ratio', '36 respectively', 'selection specifically', 'milk lalba protein', 'longissimus dorsi 45', 'spondin inhibitor apoptosis', 't3 snp associated', 'genotyped larger population', 'analysis gene involved', 'utilization potential', 'incidence modern', 'boars association', 'chip gwa', 'cattle association analysis', 'commercial pure', 'approach identify qtl', 'crosses generated founder', 'acop rapidly reduces', 'revealed consistent', 'meat arises', 'trait 167', 'carried snp', 'affecting curve', 'step identifying', 'blood gas', 'key trait pig', 'located sal1 locus', 'mutation affect reproductive', 'chromosome 28 influence', 'genotype rs13997812', 'mapping precision improve', 'seven cluster identified', 'standard number', 'carcass presented', 'examined biomarkers disease', 'current sample', 'throughput snp', 'founder intercross high', 'elovl6 533c associated', 'significant marker dh', 'holstein result snp', '215 bp large', 'haplotype analysed effect', 'trait nelore breed', 'addition technical factor', 'individual genotype', 'using porcine', 'importance adipocytokine', 'le half', 'rfi haplotype', 'length variation', 'effect nested sire', 'born mule ewe', 'receptor substrate', 'chosen significant variation', 'adg 857', 'identify genetic factor', 'ghr gene causative', 'ovlv susceptibility objective', '20 purebred', 'polymorphism lda', 'pathway testing association', 'cyst heritability', 'test lrt', 'region chromosome associated', 'relative female sib', 'animal quality control', 'continuous phenotype deepen', '183 informative microsatellites', 'androgen fewer sertoli', 'snp rs41694646 associated', 'response detected trait', 'population 320 chinese', 'bb genotype', 'taste tenderness critical', 'snp insulin', 'serum igg', 'rate suggests', 'provide direct biological', 'trotter thoroughbred low', 'value identify possible', 'involved esc resistance', 'group gga1 12', 'haplotype percentage', 'pig chromosome ssc1', 'cell volume decline', 'sensory nutritional', 'level fecx', 'mc4r lep fabp', 'manner specific', 'substitution prkag3 unknown', 'c14 snp', 'evaluated yield force', 'frequency significant 01', 'cross 02', 'nutrient curd', 'pm multiple', 'weakness trait detected', 'collectively explained 14', 'chain na', 'choice snp significantly', 'ldla analysis result', 'humerus end fore', 'estimated relative contribution', 'essential diagnostic parameter', 'trait independent', 'bayesian linear', 'contiguous spanning', 'effect prp', 'ryr1 scd ube3c', 'ii polymorphism broiler', 'haplotype significantly', 'genomic selection pig', 'binding motif', 'human polygenic', 'low ph1l pig', 'respective regressed breeding', 'f2 chicken paternal', 'dmi rfi fcr', 'marker 13 snps', 'egg oviposition egg', 'growth different developmental', 'resource population used', 'comparative mapping study', 'caused linked', 'cattle single genome', 'economic loss swine', 'pi calf compared', 'causal association wbsf', 'cd rainbow trout', 'micrornas target identified', 'muscularity improved texel', 'bta fourteen bta', 'lm qtl carrier', 'gene expressed extensively', 'performance carcass trait', 'insemination lr', 'test qtl segregating', 'scan genome wide', 'recombination genotyping', 'assessed using gross', 'successively 50k 777k', 'miescheriana behaviour significantly', 'model uncover qtl', 'region meat', 'highly sought', 'indicus breed 76', 'concerning trait', 'trait tested significant', 'igf2 fdr', 'chromosome greatest', 'bta 24 59', 'ebv variation marker', '42 1e 03', 'composition swine increasingly', 'size trait body', 'pc1 score phenotype', 'reproductive tissue instance', 'marker pde4b sw1881', 'mummified birth nm', 'providing breeder', 'represent common abnormality', 'bft longissimus dorsi', 'pork product furthermore', 'variant confirmed', 'stratified sex revealed', 'swine false discovery', 'detected qtl optimally', 'coded affected', 'animal reproduction', 'probability son', 'protein prox1', 'association 54', 'dh 371', 'high level', 'product major source', 'provide important reference', 'pathway cnvrs', 'population qtl map', 'analysis revealed additive', 'c18 melting point', 'characterizing genetic architecture', 'weight yw analyzed', 'relative contribution hind', 'second generation backcross', 'lfec1 anti teladorsagia', 'inheritance inverted teat', 'thawing cooking centrifuge', 'different approach including', 'bacteria cause diarrhea', 'derived crossing charolais', 'define qtl', 'marker previously', 'hen 15', 'piii genbank aj292286', 'snp located untranslated', 'molecular marker backfat', 'statistic dik2862 bms778', 'carcass weight body', 'using rna22', 'carcass weight beef', 'conspicuously close mcw0106', 'fabp4 fabp5 clustered', 'report specific gene', '10 wk age', '526 bp', 'identifying gene responsible', 'study performed identify', 'haplotype associated', 'activator transcription 5b', 'different hsp90aa1', 'factor determining', 'systematic environmental residual', 'breed minority fv', 'piglet survive', 'desaturase scd lipogenic', 'potentially associated occurrence', 'locus chromosome 12', 'satisfying relaxed', 'content bone', 'design detect quantitative', 'pig genomic selection', 'effective bayesian', 'mgmt bta6 pdgfra', 'shown involved', 'result novel variant', 'low resolution', 'reduced growth', 'porcine result', 'variant gfra2', 'ww bwt wg', 'vaccinal strain performed', 'determined 277', 'occurring seed', 'qtl ph blood', 'mo genetic', 'association influencing ff', 'effect trait detected', '28 40', 'region associated specific', 'respectively positional', 'sscp different', 'swr1343 sw2155', 'weight determination', 'gga27 harbored significant', 'world date', '141 unique snp', 'trait total serum', 'related quality trait', 'growth retardation', 'comparison power fixed', 'fatty acid detected', 'gwa test', 'ham weight feed', 'aa genotype conclusion', 'phenotype identified 688', 'map resolution', 'mutation identified discovered', 'used genetic', '11 qtls', 'model bayesian variable', 'summary regional genomic', 'marker scd', 'sahiwal population', 'predicted exon', 'type fat', '27 chromosome 162', '17 demonstrated', 'mining indicated', 'population effective determine', 'regulated ebpβ transcription', 'associated adjusted', 'reveal candidate', 'kd103 oarvh34 aim', 'resistance mdv remain', 'world poultry industry', 'expression result quantitative', 'mdv md significant', 'mainly backfat', 'secondary haemonchus', 'hct hemoglobin', 'associated internal organ', 'genotype heterosis', 'ssc15 significant log10p', 'size result qtl', 'detected meat quality', 'identification gene marker', 'positive economic environmental', 'receptor gamma coactivator', 'angus sired population', 'population based nil', 'muscle area chromosome', 'pig population effect', 'molecular pathogenesis', 'sc uw', 'epidermal fabp5 gene', 'nh dj', 'parameter estimated body', 'respectively window located', 'lower individual cc', 'development related gene', 'pathway like extracellular', 'decarboxylase dopa', 'associated rfi finding', 'consistently associated', 'deposition gene encoding', 'using 60k dna', 'identified genome significant', 'aligned close approximation', 'gene functional positional', 'observed bovine', 'control marek disease', 'haplotype aata occurred', '241 snp', '1010 individual northeast', 'sheep genetic marker', 'lulai black pig', '50 progeny', 'mar estimated result', 'meishan ib', 'foetal developmental hnrnpd', 'model indicated pleiotropic', '350 duroc', 'analysis population using', 'chromosome 16 homozygous', '806 f2 pig', 'location effect putative', 'score highly correlated', 'marker set eca18', 'snp 37 candidate', 'additional family region', 'pedigree information genomic', 'extreme phenotype selected', 'process including chondrogenesis', 'rfi measure', 'gene surrounding gene', 'selected abdominal', 'environment gxe', 'ige identified eca', 'sexual selection', 'putatively associated bovine', 'group identified', 'bull linear', 'ssc1 87', 'significant predictor', 'trait week', 'white marking prme', 'regulation surrounding gene', 'ci 20', 'fecal egg', 'effect term', 'density genotyping platform', '05 associated', 'highly associated percentage', 'measured imf content', 'conclusion qtls identified', 'effect suggesting', 'vitro conclusion gene', 'herd month', 'bull 36 219', 'day me1', 'fat deposition important', 'content 01 haplotype', 'sequencing gb method', 'involved maintaining ca', 'uterine epithelium growth', 'low genetic', 'summary previously identified', 'cattle analysis incorporated', 'ilsts081 result clearly', 'animal information genetic', 'pietrain crossbred', 'step genomic', 'acid detected', 'selection effective genomic', 'genotype snp identified', 'snp snp significant', 'iga activity identified', 'study study association', 'additive inheritance', 'composition backfat', 'control resulted', 'health workability', 'thrsp tph1 gene', 'genotyping represented tail', 'population known divergent', 'meat tenderness difficult', 'vrq animal', 'bpi gene identified', 'feature mammary gland', 'adaptor death', '1574a allele estimated', 'affected muscle', '15 18 22', '18 autosomal', 'analyze association body', 'qtl live animal', '251 marker covering', 'clearly position difference', 'raspf7 specific igga', 'explore candidate genomic', '29 weight gain', 'bone cartilage formation', 'polymorphism responsible qtl', 'indicate atp1a1 gene', 'used search', 'largest date', 'mt 381 219', 'tested provide significant', 'addition ctsz', 'heifer reproduction trait', 'oar3 84073899', 'region similar', 'mentioned chromosome', 'large melanoma', 'intensive growth', 'values identified', 'expression steroidogenic gene', 'candidate gene bdkrb2', '08 phenotype', 'susceptibility locus associated', 'population used 14', 'study sheep revealed', 'significant association polymorphism', 'normal sperm mapped', 'wide significance gwas', 'box q1 msh', 'rate significant qtl', 'fertility japanese black', 'conserved kit', 'estimating genomic', 'prim holstein normande', 'translational inhibition myostatin', 'trait addition tested', 'marker applied ovine', 'decreased fat tissue', 'trait determined individual', 'lower lean meat', 'oncogene macrophage', 'conversion muscle', 'ranging 20', 'important trait selected', 'val new', 'association snp ssc13', 'located paternally expressed', 'irish beef cattle', 'ratio mufa saturated', 'family vertebral development', 'associated ascites', 'mycobacterial infection tuberculosis', 'negative pool', 'region intron exon', 'lp gram', 'rate tissue', 'analysed population pig', 'differentiated locus', 'using 39 720', 'wide suggestive threshold', '2nd lactation lower', 'gene ontology medical', 'chromosome 10 18', 'pig relatively low', 'trait brown swiss', 'br2936 highly', 'estimated breeding value', 'distinct inbred', 'provide short', '392g sc', 'strep uberis', 'different stage', 'density array necessary', 'snp07 exhibited significant', 'suggestive qtl influencing', 'yield estimated', 'rfi associated', 'evidence chromosome', 'age commercial', 'population enhance', 'mm qtl located', 'horn scurs', '123 cm outside', 'trout marker great', 'int9 formed snp', 'bayes factor', 'holstein cattle 36', 'phenotypic data consisted', 'means lod', 'pooled dna', 'trait reported dairy', 'signal iowa h5n2', 'quality grade firmness', 'gene fertility breed', 'structure necessitated statistical', 'analyzed dataset', 'response trait measured', 'time qtl analysis', 'cyp21 esr1 higher', 'pregnant non pregnant', 'classical pathway', 'proportion significantly affected', 'beadchip possible accurately', 'database total 239', 'usually diagnosed', '004 study', 'ci 124', 'salmonella susceptibility', 'plw meat content', 'bta3 contains', 'derived estimated breeding', 'explaining substantial', 'immune response study', 'h6h6 showed significant', 'used specific trait', 'transcription factor gata', 'form obesity conducted', 'pla2g6 tmem38b rad23b', 'maximum heritability obtained', 'addition 10', 'confirmation candidate', 'previous gwa analysis', 'protein escherichia', 'single significant qtl', 'heterozygote class gene', 'myh13 mal2 lpar1', 'gene combined', 'ionotropic ampa', 'reconstruct haplotype diversity', 'network result demonstrated', 'tick salivary', 'overall combining', 'open cow', 'skin black', 'segregating charollais sire', 'defect pig population', 'relevant fatty acid', 'showed association ph24', 'lpl potential candidate', 'including spinal canal', 'phenotype single', 'perfect concordance', 'approach improving sow', '76 cm', 'ci 65 marker', 'content suggestive qtl', 'component shown previous', 'gene experiment', 'level recombinant culicoides', 'population 1111g snp', 'linear quadratic animal', 'elucidate biology gin', 'weight gga1 205', 'epistatic effect', 'residual variance 91', 'trait proposed', 'color 021', 'additional qtl affecting', 'difference mrna structure', 'kirrel3 gene ontology', 'refined locus', 'cattle described', 'generation higher breaking', 'study aimed', 'separately second', 'test day fat', 'backcross bc population', 'threshold phenotypic distribution', 'line especially fast', 'surrounding qtl', 'locus v315 associated', 'genotyped 186 marker', 'silkies fowl', 'dna fragmentation', 'insag genotype', 'investigated possible association', 'androstenone chromosome chromosome', 'bovine autosome average', 'difference anxa9', 'subsequently pedigree snp', 'genetic information physical', 'subset antibody', 'tnb nba nbd', 'basis bone', 'vs 218 newton', 'rft marb bta13', 'chicken conducted', 'association suggests common', 'trout family', 'genetic factor limited', 'region gene immune', 'nebraska index line', 'sequence identity 4986', 'identify compare', 'sow investigate genetic', 'distance angus ranged', 'prrsv fetus', 'recorded highest', 'showed signficant difference', 'age undergo puberty', 'female worm sex', 'finding study improve', 'heritability caudal', 'breed identified candidate', 'receives widespread breeding', 'prp genotype health', 'significantly associated tibial', 'study detect single', 'data consisted 31', 'fjording haflinger shetland', 'nguni cattle tick', 'barrow 22 wk', 'nelore population', 'effect cooking', 'rs43101491 rs43101493 rs43101485', 'characterized mapped porcine', 'gene closest significant', 'imputed genotype exceeded', 'striking similarity finding', 'rs109663724 rs135560721 significantly', 'qtl region candidate', 'mentioned breed described', 'stage involve', 'individuals intercross domesticated', 'causal variant underlying', 'variant determine', 'major effect muscle', 'disappeared conditioned', 'qtls indicating possible', 'weight ribeye', '564 steer', 'additive dominant multiple', 'regulation locus involved', 'cc boar', 'expanding brazil', 'generally higher adrb1', 'known genetic architecture', 'chip gwas', 'non annotated', 'sow increased 50', 'snp array total', 'genotype aa bb', 'variability muscularity le', 'sequence analyzed', 'toughness sex', 'percentage single', 'qtlrs combined', 'suis pig used', 'region remained md', 'carcass unacceptably tainted', 'yield cm yield', 'backcross progeny', 'il10 interferon gamma', 'analysis resided known', 'influence analysis confirms', 'mb holstein cattle', 'identified region associated', 'screen qtl lda', 'gene lyrm4 ktn1', 'ssc4 region region', 'showed lr', 'bovinesnp50 bead chip', 'performed 601', 'based diet high', 'snp combination eqtl', 'androstenone chromosome', 'artificial insemination', 'using dbsnp', 'potential causal relationship', 'useful industry segregating', '19 identified best', 'network analysis', 'gga5 gga6 gga8', 'lean percentage fatpc', 'skeletal muscle atp5b', 'glycoprotein gene cloned', '293 08', 'correlation small generally', 'qtl based following', 'following targeted', 'holstein grandsire family', 'bovine autosome', 'snp c18 bta23', 'bft search candidate', 'role ucp3 polymorphism', 'disease genomic location', 'addition study', 'chromosome sire distinct', 'yield performed bos', 'puberty breeding', 'loss poultry', 'size eth10 pcr', 'navicular bone hanoverian', 'hock oc partly', 'ssc1 76', 'breeding exists measurement', 'ewe sire used', 'content protein', 'analysis ldla', 'blanche du', 'acid composition swine', 'mutation paternally expressed', 'snp excluded causative', 'rfi enable', '29 mm 33', '7907 7637 different', 'calving danish', 'associated decreasing dmi', 'birth breed genotype', 'bp 10607757', 'indicator phenotype blood', 'proposal precise genetic', 'hanwoo steer', 'disequilibrium observed', 'fld aid', 'lamb genotyped', 'analysis maternal', 'phenotype imputed', 'investigated expression level', 'porcine cmya1 gene', 'ultrasound scan', 'associated ibk american', 'inflammation homeostasis previous', 'allele substitution', 'sibling family taken', 'haeiii association', 'aspect host resistance', 'fatty acid summer', 'novel promoter', '1644 1648', 'entropion reported', 'ssc1 using', 'bull beef', 'muscle comparing breed', 'sympathoadrenal sa measured', 'stratification breed cluster', 'ac ae bc', 'performed comparing frequency', 'joint osteochondrosis dissecans', 'single qtl ranged', 'background earlobe color', 'sex limited', 'sus white', 'trait locus near', 'initiate effort', 'assisted selection management', 'offspring chicken', 'reproductive trait 80e', 'untransformed canonical', 'lymphocyte act', 'study identify snp', 'objective poultry industry', 'problematic single nucleotide', 'region 100 cm', 'genetic variant identified', 'breeding industry especially', 'progeny phenotyped', '26 united state', 'genotype inferred entire', 'mbp strong association', 'account hidden dependence', 'strategy conclusion', 'analyzed region 636a', 'pietrain european wild', 'causing yellow', 'interaction locus chromosome', 'effect genetic', 'response regrouping', 'fpdmeta cluster', 'analyse half', 'variation 32', 'chain saturated fatty', 'affect sc chromosome', 'sperm rate', 'region haplotype analysed', 'dd cow', 'bacterial infection interdigital', 'subtypes linkage', 'lactoferrin chinese holstein', 'association study routinely', 'analysis initially', 'assessed viral load', 'detect snp marker', 'gene esr2', 'le close', 'pivotal candidate', 'sib data', '22 mapped', 'founder generation higher', 'rfi 77 62', 'species comparison extended', 'abnormal hindgut', 'phenotype somatic cell', 'brazil 1957', 'read sample', 'rate snp trait', 'nucleus flock', 'blood sample horse', 'dmi lw bcs', 'fst performed 40', 'position genetically diverse', 'protein possibly', 'prevalence 45 2002', 'live csf', 'snp haplotype block', 'estimate milk', 'variety chromosome 11', 'nr6a1 known', 'analysis hic1 drive', 'parameter correction snp', '798 sequence variant', 'gastrointestinal nematode cause', 'gwas 44', 'model applied grid', 'yield health', 'enhance ability', 'length measured', 'segment relevant', 'knowledge genetic control', 'horse disease', 'different milk yield', 'allowed detection far', 'ability acquire immunoglobulin', 'response variable', 'prex2 ssc6', 'substitution phenylalanine', 'day feed', 'frame generating', '22 26 28', 'genetic mechanism poorly', 'reproduction concentration mineral', 'resource population', 'femoral bone mineral', 'region oar18 gene', 'hen genotype phenotype', 'c22 c20 cis', 'dsn cow using', 'mutation chromosome', 'highlighted nr3c1 transcription', 'region 46', 'dd genotype', 'individual based', 'important parameter influencing', 'spleen lung lowest', 'elongated narrow', 'direct maternal calving', 'genotype cd effect', '21 077 control', 'age bw70 feed', 'gga7 gga9 gga23', 'sire breed breeding', 'unfavorable relationship', 'snp pair high', 'resulting intercross', 'linkage marker', 'polymorphism snp haplotype', 'variant identified qtls', 'pit1 renamed', 'characterization help', 'qtl associated bw', 'backfat thickness ph', 'gp intramuscular', 'receptor oxytocin signaling', '45 min 24', 'hmga2 snp', 'swine muscle', 'carried different genotype', 'cumulus expansion', 'fat imf content', 'beginning small moderate', 'understanding mastitis determinant', 'reliable mean', 'exon change', 'sequence f94l', 'significant qtl fetlock', 'backcross eu', 'sult2b1 new', 'meat variety clinical', 'linked major candidate', 'demonstrated expression nr6a1', 'fetal bull', 'trait nuclear receptor', 'elovl3 located chromosomal', 'transcript characteristic pt', 'milk trait daily', 'oar3 reported', 'gain fat carcass', 'genotyped cross iberian', 'non slick', 'wagyu cattle population', 'coa desaturase scd', 'teat essential success', 'white meishan resource', 'test corridor test', 'variation influencing', '72 mb', 'light genetic background', 'mapped marker', 'approach sampling', 'poisson order', 'selected fat lean', 'analysis better understand', 'gastrointestinal parasite', 'mapping reason linkage', 'control design genetic', 'hspa5 ptprm', 'lea identified', 'significant association carcass', 'population genome wide', '16 phenotypic variance', 'greater relative', 'znf518b s1pr1', 'ph15 dl gga1', 'intercross genotyped', 'mass statistically indistinguishable', 'subjected official', 'cm family analysis', 'mutation underlying locus', 'novel association detected', 'time pcr expression', 'abdominal fat information', 'key role', 'relationship genotype', 'affecting gizzard', 'ssc11 17', 'circulating blood different', 'group 198', 'junction speculate', 'detect artificial selection', 'family used locate', 'analysis analysis', 'polymorphism haplotype', 'restricted polled', 'study estimate heritabilities', 'longissimus muscle abdominal', 'pig snp 131c', 'igf1 significantly associated', 'used broad scale', 'trait effect breed', 'elite dairy', 'interestingly animal subtype', 'population study', 'uk dorsets', 'min post slaughter', 'include breeding', 'morphology revealed uterine', '74 94', 'ssc7 possible candidate', 'association snp reproductive', 'pleiotropic effect evidenced', 'myogenic factor myf5', 'remaining 20', 'seed region mir', 'clue controlling', 'association meat', 'compared region detected', 'human family exceedingly', 'association percentage palmitic', 'cattle phenotyped packed', 'way gene individual', 'resource population resulting', 'various association', 'aa vaccinating', 'digestive tract', 'used identified genome', 'resistance eimeria cestode', 'improvement immune', '05 allele haplotype', 'design addition new', 'total 278 fish', 'performance 11', 'allele population', 'genotyping platform illumina60k', '83 genetic', 'general mixed model', 'level significance determined', 'marker highlighted', 'snp single fatty', 'content meat', 'resource population included', 'fat content pig', 'associated snp located', 'cattle examine association', 'trait snp ssc7', 'etec f41 reported', 'nematode sheep breed', 'polymorphism 6th', 'snp dna array', 'human health received', 'new holstein', 'signal suggested statistic', 'showing expression upregulated', 'receptor gene play', 'allele frequency chinese', 'animal exhibit peculiar', 'fat deposition animal', 'production chinese', 'light genomic profile', 'gained current study', 'fat yield', 'synonymous substitution fn424076', 'cattle osteopontin', 'marginal genetic effect', 'mastitis gene', 'obtained differential gene', 'obtained ph measured', 'total 867 181', 'duroc pig screened', 'ct demonstrated', 'available 2951 animal', 'individual rdhe2 variant', 'determined using linkage', 'infected poultry product', 'cxcl6 cxcl8 kit', 'putative promoter', 'effect ph24h longissimus', 'significant snp identified', 'production important source', 'deposition trait', 'salmonid preferential', 'chondrogenesis lack', 'applied statistical', 'challenged haemonchus contortus', 'preliminary qtl mapping', 'living pedigree general', 'genome useful index', 'effect small', 'effect chromosome wise', 'level vitamin', 'affect somatic', 'associated harness', 'discovery value 05', 'proviral load snp', 'variation genetics hematological', 'gene sheep wool', 'covariate level', 'cow cc genotype', 'phenotypic data 72', 'f6 population', 'using univariate', 'economic loss genome', 'downstream mstn associated', 'work shed', 'beadchip 62', '124 86 82', 'rate sheep', 'total 63', 'backfat chromosome snp', 'analyzed harbored gga3', 'cow low', 'gdf9 gene result', 'gene aim', 'possibly responsible', 'value udder health', 'heat treatment', 'pta daughter pregnancy', 'postnatal growth regulation', 'effect 11', 'rln risk', 'selected carcass lean', 'small number vestigial', 'locus clinical mastitis', 'provides starting point', 'distributed chicken chromosome', 'direction select', 'linkage disequilibrium genomic', 'scan ovine', 'rf gblub achieved', 'dna sample', 'study dataset 1200', 'data suggests', 'form fundamental', 'lipoprotein binding protein', 'segregating ib population', 'quality trait cnvs', 'muscle hypertrophy identified', '155 mb', 'classification using', 'fatness trait connectedness', 'related ram', 'analysis suggested haplotype', 'marbling local', 'weight marker assisted', 'using genome', '16 identified pathway', 'qtl c14 content', 'genotype 1728', 'association obtained', 'age measured', 'allele bh', 'breed sire', 'c220t a506c significantly', 'mutation lepr strong', 'locus successfully used', 'anti teladorsagia circumcincta', 'resistance pig qtl', 'indicated current', 'general result', 'inflammatory process brain', 'genotype obtained progeny', 'broiler fayoumi broiler', 'bw week', 'polymorphism result', 'fat weight muscle', 'backfat thickness carcass', 'affecting shank length', 'population respectively frequency', 'pathway better understand', 'cv ifc abt', 'large white duroc', 'breed compared', 'simmental 0224', 'important understand genetic', 'account significant percentage', 'finnish landrace fact', 'predicted breeding', 'slc4a4 dck lifr', 'development cell signaling', 'putatively causative variant', 'pair used', 'growth rate', 'based score test', 'high morbidity', 'genome region harboring', 'population specific study', 'prkag2 subunit difference', 'facilitate improvement', 'random genetic environmental', 'ssc14 ssc18', 'allele segregating locus', 'cause negative', 'c3 polymorphism', '1750 cattle', 'confirm 13 homeologous', 'ipnv estimated using', 'phenotype measured fecal', 'odour fmo3 member', 'significant difference', 'significant difference allele', 'investigate difference porcine', 'respectively charolais', 'trait calculated', 'cm probable', 'gilt 759 estrus', 'haplotype generally', 'region flanked', 'used conduct', 'phenotype mouse human', 'little known mechanism', 'parameter detected', '18 affecting trait', 'kg greater shear', 'identified affect', 'mchc measured 139', 'merit holstein 10', 'interval 10 adjacent', 'significance primary', 'nc_007324 16432c resulted', 'lead insight molecular', 'demonstrates leverage', 'colour quantitative', 'confidence interval increase', 'iga trait detected', 'limited gwas', 'composite breed', 'departure hardy weinberg', 'dominant trait', 'study gwas multiple', 'weight final analysis', 'behavioural index disease', 'imputed snp gemma', 'individual gene genetic', 'especially swine identify', 'total pufa moderately', 'rfi qtl dmi', 'strategy identify qtl', 'specific promoter', 'mg trait', 'alb globulin glo', 'tomography ct carcass', '550 snp 296', 'qtl hdl ssc2', 'breed china', 'study suggests association', 'area meat tenderness', 'egg average', 'previously qtl corticosterone', 'nematode egg count', 'year increasing', 'variant considered potentially', '67g 16 bp', 'microsatellite genome', 'sscrofa10 italian', 'reduction extra', 'lay cage layer', 'precursor gc neuropeptide', 'method map', 'approach 47 fatty', 'host cell', 'effect nte', 'enhance pew', 'fat weight leg', 'hek293 human embryonic', 'offspring s1 significantly', 'chromosome 14 qtl', 'reported harbor qtl', 'breed presented', 'bone weakness resulting', 'map4k4 gene cattle', 'chicken qtl region', 'gene identified chromosome', '633_ 632ins', 'highly heritable', '571 combination herd', 'affecting bft', 'selection nellore cattle', 'characterize genetic background', 'retarded growth mortality', 'comprehensive cnvrs', 'loss cooked meat', 'study finding', 'rs268273468 capra', 'production trait multiple', 'novel marker trait', 'yield kg ebv', 'conserved porcine human', 'feasible applying marker', 'component estimated used', 'utr partial promoter', 'near elovl3', 'cent peak protein', '46 cm', 'afe important indicator', 'parasitic disease poultry', 'tissue pl plw', 'trait analysed study', 'mycobacterial infection', 'obtained densitometry', 'snp beneficial charollais', 'val respectively', 'validate significantly', '296 bp', 'bmp15 promoter', 'horse breed knowledge', 'locus eca 14', 'explain large', 'mastitis caused streptococcus', 'location conclusion', 'disease stroke', 'higher prediction', 'locus displayed thinnest', 'polymorphism snp selected', 'trait leg mapped', 'convalescence day', 'demonstrated rs330779504', 'set contained rambouillet', 'prrs virus', 'erhualian allele identified', 'chicken controlled', 'qtl chromosomewise level', 'similar conclusion', 'gene encodes nuclear', 'yorkshire hybrid pig', 'carrier sire statistical', 'specific snp useful', 'ti qtl', '76 mm', 'sequence trace', 'rfi trait', 'linkage analysis analysis', 'bta bta7 bta10', 'tail length tail', 'pregnancy rate dpr', '17 001 miescheriana', '38 qtl using', 'snp permutation', 'enhanced 18', 'finally result suggest', 'used improving important', 'fecg flock half', 'associated rfi1 rfi2', 'family available record', 'spw stomach weight', 'wxm genome', 'implemented using half', 'regional genomic mapping', '15 mb', 'new data highlight', 'disorder previous', 'commercial sow', 'indicating abhd16b play', 'resident conserved seed', 'rs41257559 snp sc', 'score suggest', 'intercross association', '20 involved', 'respectively different', 'model ct', 'm2 model', 'chromosome 29', 'line large white', 'oxytocin central', 'used derive large', 'homozygosity roh analysis', 'gene haplotype block', 'linkage analysis identify', 'drosophila arabidopsis second', 'higher level riboflavin', 'regulated common pathway', 'content imf', 'detected strong genomic', 'meat 009', 'term individual based', 'utr pig', 'microsatellite locus mixed', 'calf commercial', 'disease salmonella resistance', '106 snp microsatellites', 'snp genotype selected', '11 surpassed', 'decrease c6 c14', 'deposition shorter', 'luh wov ssc13', 'ph nitrogen', 'polymorphism snp genome', 'carcass length thoracic', 'significant experiment wide', 'pwh breed', 'validate eqtl reverse', 'gp influenced', 'selection kind complex', 'weight npr2 natriuretic', 'determine biological process', 'decreased fat', 'affymetrix 600', 'gene fto ryr1', 'phenotypic difference', 'high linkage', '70 casein percentage', 'expressed sclerotome', 'gys1 encodes', 'region biological process', 'ssc15 distinct', 'ggaz qtl associated', 'utilizing set 777', 'chromosome significant qtl', '16 trait', 'model individually removed', 'haplotype 59', 'gene production trait', 'corrected daily', 'chromosome 10 snp', 'marker used', 'genetic determinism meat', 'intercross identified genome', 'fold bootstrapping enrichment', 'suggest portion genetic', 'commercial breed identify', 'total 81', 'cattle various', 'evaluate french', 'mexico h7n3 sample', 'jf748727 2836', '132 marker', 'cla derived', 'overcome difficulty identification', 'polymorphism detected flanking', 'involving nme7 gene', 'hbt high', 'compared smma', 'ph 01', 'sequenced different', 'associated predicted', 'fiber composition', 'osteoporosis chicken genomic', 'content distinct', 'qtl 18 suggestive', 'according chicken', 'meat quality mineral', 'inter strain paternal', 'dairy sheep required', 'mapping qtl dairy', 'sfd 10936g', 'classified rflp sscp', 'family analysis putative', 'gc gene gene', 'completely linked r2', 'gene involved marchigiana', 'identifying causal mutation', 'trait undertaken using', '05 suggestive effect', 'qtl female reproductive', 't32742468c significantly', 'variance vl 11', '10 phenotypic', '39 microsatellite marker', 'ssc10 sscx peak', '106 108 mb', 'epidemiological case', 'informative marker selected', 'large population required', 'multifactorial nature', 'frequency excluded', 'qtl polygenic effect', 'abomasum mln snp', 'gene determine association', '15 cow analysis', 'mitf nbeal2', '05 number', 'qtl bft', 'variant using', 'sow compared', 'weekly live weight', 'comparison traditional method', 'aa ab genotype', 'involved microtia sheep', 'underlying reproductive trait', 'utr 2799g', 'genome influence', '18 71', 'fetal specific', '55 45', 'population world using', 'junglefowl map', 'phenotype heritabilities genomic', 'snp panel axiom', 'identified hypothesis', 'content fat explained', 'chinese qingyu pig', 'conducted weighted', '19 15', 'presence additional tenderness', 'gene dock7', 'location australia', 'pbx1 rgs4 trib3', '50 genotype', '98535683a btau7', 'ppargc1a variant', 'primary secondary', 'specificity protein sp1', 'belonging different', 'evaluate genome wide', 'misdiagnosis possible ibh', 'compression adhesion pressure', 'phenotyped genotyped individual', 'involved lipid metabolism', 'effect fitness trait', 'identified harbouring', 'sheep 01 polymorphism', 'refinement cm', '3070 significant', 'coughing nasal discharge', 'myotubes indicated', 'modulating complex', 'scd gene directly', 'positive rate detecting', 'ether pc', 'volume concentration volume', 'substitution effect rfi', 'predictive snp', 'qtl region present', 'major genetic', 'protein yield kg', 'fresh semen', 'trait measured significant', 'polymorphism growth feed', 'map 245', 'chronic disease', 'warmblood horse analyzed', 'iggb igg level', 'mm respectively', 'long studied important', 'necrosis ipn known', 'characterized coding gene', 'located intron fkbp5', 'distributed breed', 'ovlv macrophage', 'region required application', 'sib family hatch', 'family estimated', 'distinct effect', 'importantly gwas identified', 's1pr1 gpc6', 'genetic analysis revealed', 'illumina ovine', 'porcine muscle', 'gene motility 20', 'resistance body', 'sire heterozygous qtl', 'berkshirexyorkshire population', 'identification aetiology', 'polymorphism backfat', 'significant result obtained', 'ewe intermediate', 'weight beef cattle', 'ocd chromosome wide', 'suggest addition maintenance', 'cm ssc6 detected', 'lean inra', 'mrna abundance msc', 'respectively additional marker', 'target marker assisted', 'china result showed', 'including previously reported', 'method result identified', 'indicator meat', 'method significant suggestive', '38 171', 'late feathering formation', 'including 19 horse', 'mapped region sus', 'tiny snp effect', 'value treated quantitative', 'wide snp using', 'improve precision le', '1194 human', 'aa genotype involved', 'genomic region harbouring', 'asga0100525 asga0055225 alga0067099', 'value based', 'studied oar3', 'merit f1', 'applicable dna based', 'affecting growth body', 'quantify milk', 'potential genetic marker', 'resistance cattle', 'trichuris spp infect', 'illinois population fat', 'size allow confirmation', 'related control method', 'factor runt domain', 'ketosis lactation', 'cbs pig phenotyped', 'reproductive prrs genetic', 'fully linked', 'additional analysis performed', 'association study relatively', 'locus objective', 'consistent behavioral physiological', '633 569 significantly', 'ph15 ultimate', 'chip platform analyze', 'marker complete genome', 'halpern implemented', 'cyb5d1 sphk2 eqtl', 'ne involves evaluation', 'skatole fat lean', 'snp fn396538 566g', 'score case', '68 snp', '48 vol', 'measure investigated day', 'sire caspase', 'testis role', 'change expression steroidogenic', 'rate dpr high', 'composition gene', 'gwas mir', 'asparagine amino acid', 'implementing additive', 'revealed 32 snp', 'unit general', 'associated darker', 'black bone black', 'fry cattle', 'qtl tnb', '161 located gene', 'agreement cast', 'difficult prototypical trait', 'ovine hapmap project', 'catalytic site ube3b', 'parity cm2 parity', 'snp effect estimated', 'underlying complex', 'pigmentation surrounding eye', 'invaluable resource', 'challenging eggshell quality', 'parallel association', 'gwas biological mechanism', 'bft ssc6', 'growth identified previous', 'coded affected cattle', 'phenotypically independent variable', 'coding phosphate transporter', 'qtl marbling', 'gene allele', 'qtn named', 'gene genome pathway', 'gwas imply', 'possible qtl identified', 'test 054', 'identification 18 candidate', 'plausible mechanism allele', 'difference total', 'estimated allelic effect', 'identification heterozygous sire', 'set locus', 'bta 54 58', 'gene maternal', 'line nil subjected', 'girth chest width', 'olkuska ewe hyperprolific', 'locus pointing', 'synthetic commercial sutai', 'new genomic', 'weight trimmed', 'animal genotypic', 'copy number variable', 'resistant md', 'association identified variety', 'dgat1 549', 'cow genotype', '34 trait standard', 'exactly matched', 'discharge using', 'qtl primary immune', 'level marker chromosome', 'qtl parental', 'mir region association', 'cc tc e2', 'region explain', 'sexually dimorphic ungulate', 'outcome gwa', 'order muscling', 'position sus scrofa', 'milk performance influencing', 'rs1110770079 associated', 'particular mastitis', 'cpm 45079507a', 'vertebra chinese', 'coactivator alpha', '25 kg day', '50 polymorphism', 's1 significantly higher', 'disentangle genetic basis', 'collectively detected', 'pqtl conducted genome', 'population bioinformatics annotation', 'intestine end', 'sheep milk fat', 'gene vital', 'useful candidate locus', '78 856 snp', 'appearance trait', 'g156a c220t a506c', 'region accounting genetic', 'partitioning analysis', 'regarding source characterization', 'bovine hd 777', 'exon known', 'etec f41 remains', 'holstein granddaughter', 'study used phenotypic', 'exclusively rao case', 'ranked dam corrected', 'trait scale detected', 'hand bull', 'qtl associated positional', '240 day total', 'snp region 42', 'association close', '46 81 informative', 'peptide fmdv', 'effect tbg', 'effect cryptic', 'jejunum content 23', 'multiple peak especially', 'region frequency', 'effect suggestive linkage', 'measure identification single', 'quantitatively sample', 'specie including', 'regulation regulated ebpβ', 'coding region mtnr1b', 'result identified seven', 'genetic variation horn', 'mineral essential human', 'pathway conclusion', '14 snp associated', 'basis sliding', 'hapmap31284 btc 039204', 'val19leu 55g terminal', 'decrease confidence', 'susceptibility chicken qtl', '10 classical fertility', 'axis activity', 'line leghorn fayoumi', 'based radiographic', 'analysis provided greater', 'included 585', 'genotyped snp population', 'le stringent significance', 'ass feasibility performing', 'breeding age puberty', 'yield 10', 'applicability purebred', 'ghsr insulin', 'map using', 'fold 95', 'hock joint affected', 'qtls phenotype better', '73 mb genome', 'collected explained', 'snts negatively', 'study racing performance', 'presence multiple horn', 'lm 38 10', 'trait assessed open', 'variability erythroid trait', 'fine map qtls', 'moderate high 283', 'frequency taurine', 'efficient selection', 'map comprising 191', 'meat cooking rate', 'correlation slope intercept', 'data improve accuracy', 'ssc1 10', 'analysed milk', 'tetra primer arms', 'progeny using 10', 'bovine chromosome bta', 'role internal organ', 'abw contribute greatly', 'genotype correlated milk', 'segregating line', 'addition suggestive qtls', 'porcine 60k snp', 'divergently selected carcass', 'hampered lack', 'valuable information unveiling', 'significant difference subcutaneous', 'chromosome current', 'dgat1 reproduction', 'population 1574a', 'contortus consecutive experimental', 'recombination occurred', 'gene related fe', 'principal component adjusting', 'category claw disorder', 'genetic analysis quantitative', 'trait detailed', 'hybrid yorkshire boar', 'position highest peak', 'usually unknown', 'level broiler', 'goal canchim tropically', 'optimize management practice', 'evaluation region characterization', 'increasingly involved', 'association mhc allele', 'variant untranslated region', 'resistance detected chromosome', 'study revealed overlapping', 'consensus map', 'horse derived sequencing', 'greatest variable cost', 'peak 42 52', 'bull testicular', 'revealed gene independent', 'time gompertz growth', 'variance female', 'partly common genetic', 'based previous qtl', 'family linkage analysis', '18 detected single', 'gene magi1 znf770', 'genotype large', 'polymorphism unique informative', 'population 1171', 'microarray data hybridized', 'prkag3 gg', 'fp fertility particular', 'utr sheep gh', 'located 17', 'parasite burden end', 'conformation long', 'farm management difference', 'luxi xia nan', 'previously demonstrated differentially', 'identified study associated', 'region identified synonymous', 'mutation position', 'polymorphism using bovine', 'pwsy gene', 'effect lack', 'shl shd adiposity', '856 snp targeted', 'company marker', 'population 370 significant', 'complex multigenerational', 'specific transcription factor', 'content respectively', 'conditional single', 'confirmed position qtl', 'progesterone level', 'influence power', 'snp overlap', 'cm furthermore chromosome', 'family data establish', 'study group pelibuey', 'association xkr4', 'interrogate illumina', 'exon intron associated', 'milk composition yield', 'study investigated known', 'validated used improve', 'activates suppresses expression', 'spp1c 1301g', 'ctsz cstf1 c20orf43', 'confirm validity associated', 'addition 49', 'design confirmed study', 'layer belonging', 'gene different genetic', 'epigenetic regulation', 'survival map', 'showed chromosome wide', 'information used addition', '05 allele', 'c4535156t 1591t', 'animal population represent', 'carcass grading', 'identified time qtl', 'region attained', 'steer locus newly', '36 white', 'multivariate univariate', 'innate acquired', 'calm nervous sheep', 'effect evidenced', 'tenderness intramuscular', 'analysis generation', 'population snp 638a', 'glycine rich', 'filament organization', 'level exposure', 'ing2 trappc11', 'large mapping', 'total 25', 'analysis subsequently daughter', 'large justify use', 'assayed associated', 'used routine', 'recording wbsf tenderness', 'tissue specific effect', '60k dna', 'expression gene body', 'conversely snp a59v', '39 020 ld', '42 953 single', 'ad libitum second', 'extended multiple', 'chromosome nordic red', 'ssc7 merit investigation', 'backward selected', 'teat recorded', 'prevention unpleasant', 'completely effective established', 'qtl phu gga4', 'set rf', 'ocd high', 'racing performance', 'fertility female fertility', 'region including candidate', 'bone genome', 'genome high resolution', 'detected dhps wdr83', 'free environment', 'information complement qtl', 'marker incorporated marker', 'reliability increased', 'ssc11 ssc13 ssc14', 'coa acyl carrier', 'considered important', 'qtl appears affect', 'consistent antagonistic effect', 'sfa highly heritable', 'neutrophil cd8 cell', 'genes genetic variation', 'mycoplasma hypopneumoniae mh', 'replicate fec', 'respectively conclusion data', 'unique considerable', 'jointly experiment', 'glycogen residual glycogen', 'fecx olkuska', 'phenotypic variation glycolytic', 'indicated relevant additive', 'protein cent peak', 'opposite effect', 'revealed moderate high', 'generally similar', 'snp rs81367039', 'ease bta15 cd82', 'factor population', 'meat production reduce', '10 il 10', '01 12', '129 marker used', 'conducted interval mapping', 'locus originated erhualian', 'association agreement qtls', 'association analysis berkshirexyorkshire', 'daughter result showed', 'candidate gene supported', 'effect 38', 'level significance qtl', 'snp genomic region', 'ssc8 strongest', 'production qtl previously', 'trait performed based', 'genotype calf direct', 'end lcorl gene', 'interaction contributing', 'particularly presence', 'abcf1 abcc10', 'basis fourteen significant', '18 trait', 'extreme simplicity negligible', 'imputed genotype genotype', 'candidate gene chromosomal', 'qtl udder conformation', 'using 15 paternal', 'sensory threshold level', 'tissue muscle present', 'feather development', 'female 150', '24 tag', 'generation sequencing ng', 'trout result', 'fatty acid mineral', 'gene considered strongest', 'imf retn minolta', 'trait eggshell deformation', 'expressed gene suggestively', 'mean circumventing complex', 'genotype h2h2 used', 'conducted parallel', 'score using', 'tests genotyping performed', 'exists predominantly', 'variance identified general', 'variance function', 'breeding programme enhance', 'revealed inra population', 'located bta5 10', 'association conducted congenital', 'gene influencing trait', 'identified 22 independent', 'verify consistency method', 'kinase map2k6', 'identified 15', 'predict vivo ct', 'possibility select', 'suffer insect', 'used illumina 54k', 'lesion joint examined', 'previously undetected single', 'determined pcr rflp', 'amplified sequenced 32', 'resistance hpai identified', 'eliminate gap knowledge', 'fetal developmental effect', 'microrna gene contribute', 'revealed harbour qtl', 'qtl effect modeled', 'multiple phenotype', 'day later', 'microarray expression data', 'qinchuan cattle pcr', 'wide highly significant', 'qtls smaller phenotypic', 'rs16681031 mutation', 'qtl ratio', 'prediction larger independent', 'element promoter region', 'detect trait', '90 fe', 'respectively ultrasound measure', '23 chromosome gga7', 'intake average', 'harmful genetic variant', 'cow dairy production', 'breed total 26', 'association identified allele', 'highest peak', 'lean mass', 'locus mixed model', 'ewe evaluated breeding', 'refine quantitative trait', '19nuig sire', 'software allowed', 'strain c57bl', 'score significant', 'wl genotype', 'pit selected genotyped', 'region bta1', 'route future melanoma', 'v4 male', 'snp3 distinct', 'marker linked lei0101', 'similar winter summer', 'gwas depends power', 'circumference lod', 'wl77 low', 'activated channel', 'detected parent used', 'intronic gene variant', 'bh 547', 'quality adaptation tropical', 'identified number', 'identified study physiological', '13 ld', 'ib resource population', 'project qtl detection', 'week genome', 'record result', 'bovine autosome association', 'body conformation addition', 'barrow 22', 'chicken contrast meat', 'repair il', 'snp p2x3r', 'window centromeric region', 'significant qtl single', 'gene examined', 'factor adipsin', 'candidate gene function', 'clinical ketosis lactation', 'progeny 20', 'different genetic factor', 'chemical property meat', 'slaughter additionally identification', 'phase association snp', 'implemented interval mapping', 'infection oar fwec', 'time keeping snp', 'major qtl region', 'percentage af 3000', 'background modulates', 'important consideration improving', 'new susceptibility', 'regulation bone', 'susceptible lamb order', '02 higher 27534932a', 'large number', 'semen carrier', 'carried test', 'including brd2 gene', 'loss function mutation', '777 snp typed', 'elovl6 potential', '51 cm somatic', 'function mitogen', 'affect gene function', 'ssc1 ssc13', '357 nz', 'area particularly', 'significantly snp', 'background detection quantitative', 'characterized previous study', 'chicken genotyped 103', 'qtl apparent', 'effect mdv', 'yield postulated dgat1', 'dgkz sod2 observed', 'imprinting contrasting heterozygote', 'nematode infection constraint', 'natriuretic peptide receptor', 'productive animal', '13 identified locus', 'size detected', '0002 dmi bta', 'rm188 implemented interval', 'gilt barrow', 'sib family containing', '19 snp fell', 'substantially evidenced', 'tool improving', 'ph24h qtl', 'candidate gene p2x3r', 'oar11 marker', 'population different genetic', 'trait regulated', 'fl structure trait', 'american belgian draft', 'strategy validate previously', 'validate 50k transcribed', 'locus mediating nematode', 'chromosome 27', 'level obtained using', 'longevity fy pp', 'lower milk', 'obtained phenotypic data', '18 49', 'demonstrated lys232ala', 'covering genome', 'cattle applied single', '919g haplotype', 'gene inflammatory', 'pathway including ppar', 'infected eimeria maximum', 'analysis run using', 'lxr notch1 important', 'lta antigen', 'sign disease', 'ba monocyte', 'combination selective genotyping', 'discrepancy reported mc4r', 'grivette homozygous', 'oar18 qtl', 'tool necessary currently', 'ripk2 wild', 'investigation phenotypic examination', 'data key ancestor', 'causing high', 'composition tissue performed', 'endophyte infected tall', 'expression obtained hybridising', 'intensively artificial selection', 'linkage disequilibrium qtl', 'score fat', 'provides support', 'combination significant chromosome', 'commercial female pig', 'horse pwh silesian', 'percentage proximal', 'fat depth loin', 'trait dr fa', 'validate gene', 'statistical approach seven', 'haplotype showed deletion', 'fine mapped generation', 'ray attenuation coefficient', 'genotype 62 ebv', 'me1 mutation synonymous', 'gpcr 155 gpr155', 'gene ovlv', 'suggests polymorphism mirna', 'association phenotype', 'disequilibrium sc', 'identified pair significant', 'hopefully possibility new', 'association snp marbling', 'mb region bta5', 'using genetic relationship', 'chr1 presented mosaic', 'histopathological analysis', 'pbm diplotype h7h7', 'object test restraint', 'quality position frequency', 'generation family using', 'breed aa', 'ss8632653 bta6 10', 'group frequency', 'ldla genome', 'lumbar number trait', 'individual using', 'marker associated withers', 'studied screening', 'chromosome fine mapped', 'conducted declare', 'detected largest', 'snp aligned close', 'female animal genotype', 'calcium ca', 'butt carcass chromosome', 'concordant result test', 'head detected chicken', 'month age important', '20 phenotypic variance', 'criterion generally coincided', 'ranged 04', 'population selectively genotyped', '575 snp', 'bta6 marker', 'significant using subset', 'variability trait signifies', 'allele artificial', 'position causal mutation', 'microsatellite marker suggestive', '01 milk fat', 'stature located', 'trait holstein bull', 'receptor ghr ghrelin', '46 sire', 'variable fit', 'program used', 'design analysis required', 'bone area harboured', 'bull estimated', 'specific fertility', 'studied great influence', 'test result', 'loss poultry industry', 'composition trait exhibit', 'synonymous mutation 123', 'target messenger rna', 'concentration 100g', 'intercross sow', 'qtl colour', 'climate condition compared', 'association carcass trait', 'horn type horn', 'main qtl region', 'native pig method', 'population detected genomic', 'order beginning snp', 'work attempted', 'ranging zero', 'population 247', 'receptor gene encodes', 'analysing pedigree', 'expressing fewer', 'muscle redness lightness', 'close position mbl', 'anaerobic respiration', 'control response', 'igat significant association', 'broiler ascites syndrome', 'age parity litter', 'berlin miniature', 'body composition qtl', 'genome building consensus', 'benefit existence heritable', 'density tested', 'approach identifying population', 'dna sequence variation', '003 01', 'predominant haplotype', 'world bovine', 'previous analysis', 'ebv group', 'identified eca', 'ontology result thirty', 'genotypic cow data', '02 conclusion', 'increased circumcincta', 'association 05 trait', 'discovered evaluated', 'feed intake 01', 'cc aa gg', 'method data set', '198 bta20', 'according clinical', 'related ca balance', 'milk improve healthiness', 'phenotype data analysis', 'maximum likelihood method', 'response variable bayesian', 'gene strongly associated', 'ppp1r11 gabbr1 tail', 'choice snp', 'effect genotypic', 'functional candidate twinning', 'association term single', '10 78', 'domestic breed', 'production genetic evaluation', 'qtl colour trait', 'follicle associated follicular', 'qtl chemical', 'piglets high hpa', 'birth weight lbw', 'environmental factor similar', '42 post', 'anoctamin ano2 fy', '27 phenotypic', 'effect study', 'genomewide significance study', 'effect sequential mbv', 'ngs 4939 common', 'rump width sire', 'pig carrying genotype', 'economical loss poultry', 'protein 90 hspcb', 'stearic acid', 'indicating segregation qtl', 'included body depth', 'proto oncogene', 'week respectively breadth', 'gwa partitioning genome', 'density bmd method', 'selected bone index', 'pig unfavorable allele', 'bft rump fat', 'variability specie alternative', 'gg gg', 'genome wide test', 'microsatellite promoter signal', 'qtl addition position', 'racing performance identified', 'breed combined holstein', 'bta9 analysis', '12 week nominally', 'east friesian ram', 'expression 19', 'mated create 300', 'study potential', '02 sd result', 'causing diarrhoea neonatal', 'contour structure navicular', 'pool italian', '10 thirty putative', 'scheme different', 'factor regulating age', 'study seek verify', 'yearling mean', 'retained placenta selected', 'obtained restriction site', 'selected individual tail', 'differentiation consistent infection', 'significant process marker', 'benchmark improved', 'gain loss cpg', 'efficiency selection', 'synthesis fat', 'beta carotene milk', 'large white allele', 'directly responsible', 'region localized', 'used study compare', 'mutation gene affecting', 'corresponded previously', 'disappearance carcass backfat', 'putative qtl identified', 'resulting 10', 'animal inheriting differing', 'footrot using', 'morphological score blup', 'consistent ntn1 rna', 'puerperal psychosis 16p13', 'nucb2 mrna hypothalamus', 'influenced 07 interestingly', 'prkag2 difference', 'animal determine position', 'deposition chicken igf1', 'reported different population', 'value 9x10 14', 'effect haplotype bw', 'increased teat', 'theoretically meat ph', 'visual character dairy', 'association approximate', 'infection aim present', 'duroc boar population', 'effect 20 snp', 'maintain pregnancy breeding', 'trait y7f jb1', 'additional suggestive', 'estimated frequency economically', 'chicken feather', 'fdr false', 'qtl fetlock oc', 'possible association bmt', 'rfi 28e', 'gallop 19 identified', 'linear threshold model', 'crossbred animal', 'highly prolific phenotype', 'susceptibility scrapie', 'associated qtl genotype', 'cattle model able', 'analysis package offer', 'related gene netrin', 'surgical castration young', 'thickness value vrtn', 'conducted porcine experimental', 'cloning resistance', 'model subsequently lead', 'effect detected chromosome', 'mineral peptide concentration', 'using dbsnp database', 'metabolism method collected', '28 non synonymous', 'expression analysis', 'region specie', 'temperature lesion', 'content ab ac', 'associated decreased fertility', 'allocation scheme', '12 36 snp', 'androstenone number piglet', 'early maturation em', 'editing total 42', 'structure locus', 'trait f₂ population', 'associated hyperpigmentation', 'detect new', 'conclusion result ca', 'breed line especially', 'acvr2a mrna expression', 'horned male unusual', 'lepc previously detected', 'dopamine d2', 'identified tibia', 'generally fixed', 'detected region ovis', 'qtl region effect', 'rate predicted', 'family marker assisted', 'provided refined region', 'qtl overlap span', 'serine asparagine aspartic', 'prlr exon', 'blood cell hemoglobin', 'pim1 directly', 'gene tryptophan', 'control salmonellosis', 'interacting locus involved', 'tests statistically', 'progeny tested son', 'validated panel', 'chromosome bta 14', 'analysis schp rh', 'chromosome 10 juiciness', 'loin estimated', 'experiment different effect', 'gene polymorphism analyze', 'relevant total', 'increased compared low', 'locus haplotype analysis', 'peak non return', 'cartilage development', 'snp ovine chromosome', 'investigated expression', 'unaffected animal 44', 'korean duroc', 'accretion feed', 'variety host', 'gene carcass trait', 'efficiency beef cattle', 'animal condition', 'merino sheep primary', 'silv 64a mutation', 'grade firmness computer', 'value case', 'utilized qtl directed', 'qtl model ratio', 'cattle marker assisted', 'locus located qtl', 'previously backfat majority', 'screening failed identify', 'steer 161', 'area ema silverside', 'animal production', 'pecking aggressive', 'bovine follicle stimulating', 'identify locus', 'available phenotypic trait', 'relaxed qtl large', 'trait internal', 'eye area lightness', 'significant association adfi', 'strongest association bcdo2', 'breed characteristic research', 'gene likely', 'ema imf', 'trait component', 'architecture milk', 'region attained point', 'ci 20 cm', '05 lw h2', 'time direct interaction', 'belice sheep', 'evidence relationship', 'underlying behavior performed', 'backcross generation', 'suggestive qtls detected', 'relevant pathway glutamatergic', 'perspective data present', 'negligible effect body', 'commercial beef', 'expression downregulated', 'multi faceted effect', 'markedly decreased', 'abnormal sperm negatively', 'cross different breed', 'broiler protective allele', 'type type', 'directly involved', 'develop validate', 'fabp encoding heart', 'holstein total', 'holstein friesian sequence', 'fixed lcorl', 'g19 individual 15', 'allele body', 'relationship matrix simulation', 'variability large white', 'association analysis previously', 'ssc10 ssc12 ssc13', 'structure similar', 'involved including milk', 'phase finding validation', 'sex additive', 'mapping qtl multiple', 'breed measured etec', 'fecx gr 93', 'colour ph water', '05 01 carcass', '124 883a runx2', 'derived parental', 'forward characterizing', 'trait pb', 'obesity human mouse', 'influencing qtl position', 'bayesian estimation linkage', 'analysis identified polymorphism', 'eca10 dc', '963 limousin bull', 'gh1 associated number', 'eyelid allowing contact', 'analysis 500 informative', 'explained difference spotted', 'higher ratio', 'qtl reported causative', 'evidence pair', '94 71 characterized', 'autosome likely model', '03 mutation located', 'gga1 gga4', 'exposed feather pecking', 'greater 01 injection', 'son 297 genotyped', 'chi square test', 'fatty acid pufa', 'variance number', 'explaining 95 genetic', 'gga11 addition', 'assay cbg', 'cancer subtypes', 'variant 5274g', 'frequency 10', 'bonferroni correction adjust', 'gene melanoma development', 'region ability tolerate', 'zscan16 znf389', 'association suggesting', 'different candidate', 'ndv resistance vaccine', 'race time', 'family transforming growth', 'utilisation complex fat', 'snp 37', 'encoded allele tryptophan', 'extended haplotype', 'result possible use', 'fat higher beta', 'snp rs41623887', 'interval mapping chromosome', 'milk culled cow', 'ncapg encoding', '17 analysis', 'mother enabled', 'combined genotype bpi', 'plumage coloration polygenic', 'contribution qtl', 'increase 02 term', 'approach l1', 'identified qtlr', 'useful gene', 'ph 24h', 'tenderness chinese', 'individual screening', 'qtl region explained', 'contributes better understanding', 'rs43032684 01', 'snp associated hct', 'provide important insight', 'performed gene expression', 'physiological cellular', 'meat colour', 'performed weighted gene', 'rate shear force', 'performed targeted genome', 'combined information', 'precursor cell affect', 'muscle area average', 'environment difference', 'selected polymorphism gene', 'hock hm', 'beef tenderness', 'similarity 110', 'detect locus', 'capacity increase profitability', 'level detect interaction', 'causality 2228t', 'ema position 50', 'carrier male using', 'snp beadchip', 'food safety', 'explain qtl', 'height thoroughbred study', 'forecasted promising gene', 'post immunisation 195', 'cost prompt geneticist', '13 15 18', '00 02 absent', 'muc13b allele', 'rate le included', 'selected trait way', '11 horse', 'sheep study present', 'association trait genetic', 'rna sequence data', 'level 21 highly', 'expressed different', 'initially identified', 'concentration mapped', 'locus major effect', 'season vacaria', 'marker rainbow trout', 'gene bta17 characterized', '703a utr', 'chronic lower', 'including number', 'immunoglobulin colostrum', 'respectively genomic region', 'haplotype backfat', 'gene named mbl1', 'lipid ngef', 'component objective', 'known affect teat', 'today brown swiss', 'romney merino backcross', 'holstein population trait', 'h3h3 potential advantageous', 'largescale genotype phenotype', 'performed numerous', 'quality control pool', 'event silv', 'lep fabp revealed', 'population complex multigenerational', 'exon 21', '35 day', 'flavor likeness', 'genetics aggressive', 'disequilibrium ld marker', 'differing frequency alternative', 'f2 female chicken', 'contrast 21', 'representing vast majority', '55 10 genome', 'collecting phenotypic', 'steer steer evaluated', 'oleic linoleic', 'analyzed phenotypic association', 'suggest biological', 'observed commercial pig', 'project qtl', 'conclusion time', '11 527', 'production high infection', 'single qtl line', 'genotype data', 'sib group marker', 'resulted nominal values', 'prdm16 gene bovine', 'fat af breast', 'fitted random effect', 'exon 10329c', 'undesirable allele', 'region sheep chromosome', 'affected selection litter', 'bp allele occurred', 'mapping using animal', 'role animal immune', '19 fat yield', '17 29 qtl', 'intertrait comparison', 'panel chinese indigenous', 'measured follicle different', 'study difficult', 'trait purebred', '84073899 snp31 intron', 'trait gene retrotransposon', 'major egg', 'qtls showing', 'final analysis', 'integrative genomic analysis', 'faecal oocyst', 'concentration mchc', 'receptor gene identified', 'partly influenced', 'located camkmt', 'level genotypings performed', 'bfgl ngs 28234', 'report showed', 'subject dna pool', '14 862t hardy', 'association study aimed', 'genetic architecture candidate', 'islet derived gamma', 'corresponding scenario', '13 gene significant', 'day 28 chronic', 'density sex specific', 'region qtlr', 'association analysis milk', 'density lactate dehydrogenase', 'information genetic', 'included random polygenic', 'performance tennessee', 'ssc7p1 q1', 'total 26 md', 'additive effect obtained', 'dik1182 identified', 'phenotypic spectrum different', 'silico mapping mapped', 'polymorphism research', 'genetic variance observed', 'polymorphic functional', 'fat gizzard', 'provides putative snp', 'cow analysis', 'commercial crossbreed', 'association firmness', 'similar study used', 'return rate 56', 'fv animal exhibit', '171 kb apart', 'dairy industry worldwide', 'displaying disease', 'explaining population', 'ltl matter fact', 'model position', 'study effect', 'sw2456 suggestive qtl', 'value 10e based', 'mass spectrometry 724', 'suggesting allele increase', 'significance mediates regulation', 'separate gene', 'animal result suggest', 'experiment pointing', '36 located ssc12', 'interval mapping detected', 'spef2 possible candidate', 'investigation molecular', 'major allele snp', 'best derived', 'showed gene involved', 'stranded conformational polymorphism', 'associated 10 01', 'used broiler chicken', '411 holstein', 'protein detected substitution', 'trait threshold animal', 'gene eqtl', 'trait heritabilities', 'oarvh34 aim', 'record occurrence clinical', 'analysis ibk incidence', 'age 43w', 'coat colour pigment', 'classical fatness', 'allele increasing imf', 'breed radiation', 'effect multiple trait', 'contains high level', '190g 156a', 'procedure identified 33', 'associated adg vaccinated', 'region suggesting possible', 'information lack traditionally', 'blackface breed explored', 'imputed single', 'model approach efficient', 'regulator hiv infectivity', 'bone quality gene', 'containing microphthalmia', 'marbling steer bull', 'improves knowledge', 'mummy mum total', 'indicate effect qtl', 'strain possible qtl', 'human protein', 'lxr notch1', 'size born', 'high potential', 'bwg 05 rs13997812', 'located conserved motif', 'vertebral number related', '2630 cm', 'growth broiler 50', 't4 chinese', '20k geneseek genomic', 'resolution genetic', 'snp rs109663724 rs137673193', 'dehydrogenases interconvert', 'process including musculoskeletal', 'region involved regulation', '2780 identified', 'scoring lastly qtl', 'effect model bonferroni', '66 pqtdt 68', 'weight variation japanese', 'body weight body', 'association myog', 'chordc1 associated post', 'located utr partly', 'region prl', 'genotype polymorphism', 'cover conformation', 'addition additive genetic', 'ctsd polymorphism investigated', 'relationship cnvs', 'gene drd1 drd2', 'fatness ssc3', 'change equine navicular', 'proteasome 26', 'study 878 fish', 'absolute difference', 'result contribute identification', 'fat deposition trait', 'finding suggests', 'suggesting lascs scs', 'confirmed mln', 'evaluated independent', 'rfis biological', 'present study genome', 'performing multitrait', 'fecxb fecxg fecxgr', 'recprotein recsolids recenergy', 'weight rib', 'qtls affecting leg', 'reported modulate', 'locus porcine skin', 'veterinary record', 'age bwg', 'facial eczema', 'dead positive effect', 'mastitis common', 'possibly exerted', 'animal used', 'polish indigenous chicken', 'balance bovine muscle', 'error rate analysis', 'leg muscle data', 'cv ifc', 'puberty breeding season', 'ew300 number egg', 'basis ph', 'growth body composition', 'subsequent investigation', 'design sire swedish', 'obtained routine', 'commercial line tested', 'herd meat production', 'produced 17', 'spinal canal bone', 'dam approximated', 'cattle breeding exists', 'identified validated 54', 'microrna chicken', 'gene fak', 'informative italian duroc', 'level feeding', 'overall functionality', 'region bta29 15', 'piglet survive disease', 'disorder including retained', 'texture prkag3 gg', '32 strongly', 'mutation approach includes', 'population man2b2', 'odc gene identified', 'rf genomic', '13 18 mb', 'cause interstitial pneumonia', 'modulate skeletal muscle', 'genotype differentially associated', 'holstein bull investigated', 'region encoding promoter', 'sw1996 remaining', 'thoracis et lumborum', 'longissmus thoracis et', 'sequencing gene', 'marker covering 30', 'possible involvement', 'family corresponding phenotypic', 'pedigree general', 'association bodyweight', 'classified genotype chi', 'associated studied', 'clustered 570 kb', 'birth weight weaning', 'histocompatibility complex area', 'second generation population', 'predicted transmitted', 'substitution analysis snp', '960 f2', 'precision technology', 'control ranged 09', '56 body weight', '29 11', 'weight measurement', 'sow continuous', '96c promoter region', 'model trait data', 'dcc netrin', 'genotype 232', 'association fto snp', 'backcross calf 385', 'study cn state', 'cfu 36', 'animal partly', 'gene associated ldl', 'study gwas mixed', 'content myofibrillar', 'tanzania parallel study', 'marker density chromosome', 'significance level largely', 'skip intron', 'role determination qtl', 'linked marker used', 'region bms483', 'commercial flock recent', 'position block spp1c', 'candidate gene fabp', 'weight piglet', 'phenotype susceptibility etec', 'protein 1661', 'peak 23', 'composition complement component', 'interval remain wide', 'acsl1 gene revealed', 'herd month sow', 'steer locus', 'polymorphism influencing', 'insight potential', 'production generally resilient', 'mastitis mb snp', 'cut threshold', 'industry performed genome', 'sheep industry term', 'genotyped canadian', 'unexpectedly increased', 'oar2 quantitative trait', 'spot14alpha gene ay568628', '10 highest fst', 'fatness growth furthermore', 'region associated type', 'number lamb born', 'cm contained gene', 'imprinting model various', 'sex counterintuitive', 'showed highly', 'chromosome abcc4', 'cc genotype', 'sq dq detected', 'adamts3 afp', 'musculoskeletal pig husbandry', 'eliminate defect', 'analyse expression', 'including qtl marker', 'nominal 10 15', '10 11 respectively', 'fatness population', 'improving reproduction', '195 f2 backcross', 'relative chromosomal', '11 gene', '0001 conclusion', 'bind regulate', 'gga2 gga4 gga5', 'vary sow productivity', 'sheep polypay', '566g 57 retn', 'weight examined', 'genotype split independent', 'silico analysis revealed', 'cns genetic', 'associated dpr genetic', 'used estimate additive', 'released pig', 'associated measure', 'using square', 'gene association 05', 'abnormality occurring', 'muscle pig', 'expression protein level', 'milk coagulation property', '1013c showed', 'mbl1 mbl2 identified', 'indicated statistically', 'method threshold', 'status mammary', 'segregating dgat1 previously', 'response gene liver', 'nba nm parity', 'width detected', 'assisted selection genetic', 'gene offer', 'milk 581 animal', 'exposed standardized behavioral', 'candidate gene suggested', 'breed result suggest', 'design bull', 'multi locus', 'regression model ass', 'analysis haplotype', 'disequilibrium regression method', 'myosin heavy', '249 83', 'single mendelian', 'permuted datasets', 'amplified standard', 'harbored region', 'ssc7 qtl ssc4', '1425x19179 7x107 gene', 'calpastatin associated', 'possibility including qtl', 'comprehensive list', 'thickness pig asga0029495', 'analysis model tackling', 'feed intake capacity', 'attractive mean', 'increased adding', 'located chromosome 16', 'non smc', '001 qtls', 'better body', 'potentially involved immune', 'lm measurement', 'trait 31 carcass', 'additional 11 snp', 'linear model age', 'bioinformatics analysis ndufaf6', 'improve mean standard', 'thickness value', 'decreased 416', 'exerted consistent positive', 'analysis ssc meat', 'association multi marker', 'significantly associated myristic', 'mass trait', 'intron ghr gene', 'metabolic health', 'analysis supported', 'encephalopathy model', 'individual admixture', 'suggested panel qtl', 'chicken poorly', 'developed gene located', '10 gene', 'identical descent haplotype', 'cattle peak', 'faecal like', 'known increase number', 'custom genotyping', 'chromosome associated average', 'index fst run', 'high glatt', 'bta13 bta18 bta20', 'background gene', 'bayesian statistical', 'pattern behaviourally', 'ssc14 region ssc8', 'competence applicable', 'sweep effect', 'challenge animal', 'line origin univariate', 'cause growth', 'snp chicken ex', 'ttn conclusion teat', 'associated variety', 'mirnas binding target', 'egg body', 'acyltransferase dgat1', 'ewe used estimate', 'parameter large', 'pig grouped control', 'based biochemical', 'sensory threshold', '46 882', 'cyp21 esr1 protein', 'acid significantly associated', 'significantly reduced medullary', 'asiatic origin', 'impact protein sequence', 'gga1 gga2 respectively', 'multiple test', 'production response', 'diversity strong', 'sequence slc39a7', 'study provides strong', 'pregnancy 18 month', 'inflammatory subsequent', 'cdna bovine', 'structure pivotal', 'indexing pig', '37 38', 'partly preventing cell', 'coverage lead', 'ovulation mammal effect', 'conexão delta', 'ssc15 associated phu', 'fat percentage milk', 'genotype bb genotype', 'jowl weight lipid', 'ovine single', 'milk based performed', 'understanding complex', 'associated economic', 'region trait region', 'directly related production', 'presenting large', 'haploview gcta software', 'vertebra count conclusion', 'snp location qtl', 'position qtls', 'approach represents', 'data generation design', '93 21 15', 'kg 055', 'rnahybrid negative', 'role identifying causative', 'sf5 cast_101781475 magnitude', 'standard deviation test', 'specie breed provides', 'presence eqtl gr', 'discovery rate threshold', 'mapping analysis bta', 'suggests gene controlling', 'chromosome harbor qtl', 'day day', 'investigated tissue', 'maintenance horn type', 'identified lesion anterior', 'regulates insulin', 'fat related trait', 'subclinical ketosis cow', 'compared genotype ct', '69617700 rs268249346', 'loss performed genome', 'influenced average', 'reprogen ovine', 'result mlma', 'egyptian buffalo', 'elongation ratio maml3', 'background obesity excess', 'genetics genomic', 'cytological feature', 'gene complement c1q', 'distribution haplotype tggaca', 'receptor gene lepr', 'quality milk performance', 'mb galgal6 highly', 'analysed qtl identified', 'bta3 qtl metabolic', 'consisted total 681', 'furthermore strong evidence', 'gene protein yield', 'marker suggestive', 'osteopontin gene opn', 'significant signal bta', 'method mapped', 'total 341', 'horse pph polish', 'son genome', 'information unveiling underlying', 'composition abdominal fat', 'pair conclusion', 'identified 16', 'osteoporosis chicken', 'conclusion present study', 'brahman cattle important', 'reported tick count', 'eca 15 region', 'curve trajectory', 'content pp fp', 'derived red', 'steer steer', 'interaction discussed', 'bone trait future', 'population rw023', '2449g 2379t effect', '33 significant association', 'acid long', 'amino acid sequence', 'study 12 quantitative', 'study required using', 'showed substitution significant', 'qtl influence ham', 'significant associated', 'analysis qtl similarity', 'health udder', 'analysis single trait', 'muscle mineral', 'bayesian approach analysis', 'locus genome wide', 'constructed high density', 'mutation named fecl', 'exploration study located', 'serine conversion position', 'disease horse caused', 'em rainbow trout', 'fe 43 498', 'including white', 'category based', 'segregating chromosome region', 'trait offer', 'porcine mir locus', 'femoral bone trait', 'associated marbling difference', 'box tox identified', 'animal moved', 'aa ab', 'met inclusion threshold', 'ray absorptiometry', 'significance association provide', 'tissue perfusion', 'sept7 kirrel3 gene', 'syndrome resequencing', 'region optimize ability', 'weight kidney knob', 'il gene candidate', 'f2 intercross f19', 'correlated clinical mastitis', 'expected genome', '35 28', 'human health human', 'model environment herd', 'fecxi fecxl', 'fleckvieh cattle mutation', 'significance significant genome', 'used highly heritable', '05 trait snp', 'condition world', 'energy lipid metabolism', 'gas narrow', 'incorporating effect sib', 'trib3 transcription regulatory', 'marker body weight', 'triglyceride catabolic process', 'mapped gga3', 'dissect af phenotype', 'adjusted fixed effect', 'testis weight candidate', 'qtl contributes', 'mainly change', 'susceptible 40 md', '18 15', 'resolved aa', 'nominally associated snp', 'information future use', 'density 600k snp', 'effect identified single', 'generalized quasi', 'approximately 80 mb', 'genetic progress', 'role risk mastitis', 'number loin eye', 'wildtype fn298674 90t', 'dry matter yield', 'key role played', 'association molecular', 'using univariate mixed', 'dairy population low', 'reported highlighted additional', 'multiple model clarify', '54 gene 22', 'published data restricting', '44 611', 'marker covering', 'wide 37', 'superior prenatal survival', 'entire growth process', '541 individual', 'captured tag snp', 'background iberian', 'selected chromosome 11', 'qtl fetlock', 'trait erythrocyte trait', 'interaction mechanism contributing', 'phenotype measured', 'carrying favorable haplotype', 'mtnr1b population polymorphism', 'trait chinese simmental', 'bayes method implemented', 'day birth downregulated', 'significantly associated chicken', 'record daughter yield', 'mapped qtl performed', 'gga4 explained', 'encode long', 'using snp data', 'mummified birth', 'mouse human imprinted', 'marker addition', 'gene upregulation', '0058 chicken', 'layer chicken gaining', 'mammary gland function', 'practice breeding', 'ssc8 ssc13', 'correlated phenotypic variability', 'dna dosage', 'objective growth related', 'snp associated calving', 'recent study', 'direct maternal additive', 'multiple snp region', 'iia iib', 'tgf β1 significant', 'gene molecular marker', 'expected feed intake', 'skeletal damage', '10 additional marker', 'genomic region significantly', 'determination dna polymorphism', '14 15 mb', 'cadps proposed', 'rate breed specific', 'disease hanoverian', 'wild boar ancestor', 'dietetic value', 'genetic basis microtia', 'regulating feed', 'result generated reveal', 'total hebraeum', 'cm 05 fat', 'cluster underlying', 'population result snp', 'animal experimental population', 'detect significant single', 'maximum likelihood interval', 'count packed cell', 'mln affect', 'length 148', 'increase postnatal growth', 'isolation exposure human', 'pi dam unaffected', 'effect paternally inherited', 'cold water disease', 'milk fat concluded', 'interval microsatellites', 'process employing', 'threshold 24', 'weight uw measurement', 'demonstrated fmo3', 'formed using genetic', 'health status tt', 'human chromosome', 'sperm membrane', 'bta contained', 'percentage 18 25', 'loss dairy production', 'quality tasting flavor', 'fatness highly', 'phenotype identified potential', 'promoter reporter construct', 'approach integrated', 'identified displayed distinct', 'method 215', 'composition trait classical', 'restriction site associated', 'segment revealed harbour', 'lactate lac bilirubin', 'analysis snp revealed', 'useful selective breeding', 'background growth meat', 'spermatozoon motility', 'scale outbred', '1983 2015 breeding', 'heritability attributable', 'birth mature weight', 'cm gga5 explained', 'examined expression', 'partly consistent segregation', 'trait bta6 common', 'chromosome created', 'different age group', 'sow sampled 2807', 'snp total muscle', 'specific locus enhanced', 'absence oc', 'using mixed linear', 'major advance estimated', 'different genetic', 'tenderness commercial', 'hereford allele', 'hcw mar', 'high 19 78', 'major ovine defence', 'opportunity make', 'allergic reaction', 'scan seven rainbow', 'hoop phenoypes', 'identify subfertile', 'prediction bias', 'identified associated included', 'trait trait influence', 'respectively 22', 'window age puberty', 'list human', 'snp independently validated', 'available 1570 primiparous', 'affecting nba region', 'antagonistic trait validation', 'age 01', 'na mg 94', 'associated immune function', 'glu total protein', 'higher fat percentage', 'growth performance gwas', 'genetically correlated meat', 'ovarian follicle sow', 'beneficial able', '190 million', 'granddaughter design included', 'gwas particularly', 'yielded positional', 'action identified', 'apolipoprotein ii', 'compared previously', 'mass bonferroni corrected', 'public snp commercial', 'recent advance high', '252 dongxiang', 'fgf8 play role', 'future testing gene', 'adiposity gluc', 'genetic variation variation', 'genomic region accounted', '14 identified', 'female proportionally large', 'gain observed lp1', 'higher juiciness', 'breeder association carcass', 'cancer prevalent', 'carcass compactness', 'haemostasis mucus biosynthesis', 'reproduction lactation trait', 'zdhhc5 ssc2', 'porcine autosome chromosome', 'array 382 pig', 'brain neurochemical', 'complementary single', 'population confidence', 'epithelium growth qtl', 'heritabilities wg42', 'udder medium high', 'number trait 214', 'fit different pattern', 'mineral balance bovine', 'lower fcr compared', 'infection daughter', 'protein albumin alb', 'bta 23 susceptibility', 'value debvs derived', 'hcw rea', '50 kb', 'significantly associated increased', 'following sib intercross', 'female hy line', '18 skeletal', 'rflp technique association', 'association 05', 'significant reproductive', 'position estimated', 'appraisal 54', 'increased number vertebra', 'nearby 100 kbp', 'stillbirth cattle specie', 'congenital entropion', 'identified main haplotype', 'expression related', '17 igg1', 'family ranged 47', 'microrna sequence associated', 'required determine effect', 'approximately 50 progeny', 'selected scan data', 'bta5 bta6', 'prediction equation', 'line cross', 'bb animal', 'gene investigated tissue', 'locus qtl linkage', 'farmer rely', 'value footrot', 'polymorphism snp multiple', 'stearic oleic', 'mc maternal calving', 'entire loin', '24 suggestive', 'demonstrated complex', 'applied commercial awassi', 'behaviour inactivity', 'density volume', 'association haplotype cl', 'frameshift mutation gon4l', 'trait important economic', 'transcription factor tf', 'reduced set', 'farm investigated skatole', 'bull 334 danish', 'trait great', 'feathering chick late', 'protein low fat', 'cost meat production', 'accounted 12 phenotypic', 'snp insertion deletion', 'prt 305', 'elovl6 gene studied', 'cbs variance', 'female animal qtl', 'improved general immune', 'ssc 12 suggestive', 'result suggesting id', 'localisation qtl', 'line white recessive', 'genetic linkage underlying', 'confirm location qtl', 'inseminated semen', 'phenotype selected', 'provide target', '079 hd', 'year round', 'health welfare physiological', 'fimbria major pathogenic', 'snp 304', 'gene regarded', 'gene highly conserved', 'merino sheep using', 'study improve swine', 'objective holstein', 'new route', 'quality value studied', 'resource subsequent', 'region fabp4', '45 mb 41', 'parity lactation', 'vertebra cl1', '046 bp harbor', 'development subsequent association', 'japanese colour score', 'pathogen worldwide pig', 'position accounted 14', 'bovine fabp', 'indole different', 'fibre trait term', 'used current', 'analysis bayesian variable', 'number lumbar vertebra', 'oc dissecans ocd', 'related holstein friesian', 'qinchuan cattle significant', 'cattle granddaughter design', 'gene allele different', 'resistance susceptibility pleuropneumoniae', 'indicus cattle breed', 'cm qtl hide', 'difference taurine zebu', 'chicken resistant salmonella', 'conclusion characterized fat1', 'normande montbéliarde', 'contributed accurate', 'nipple detected', 'volume fat cell', 'boar stimulation genetic', 'significance effect', 'showed mendelian', 'greatly benefit', 'mastitis arthritis cachexia', '10 lod effect', 'significant 499', 'consequently speculated', 'product consumer improved', 'gwas androstenone', 'template pcr', 'hematocrit hct', 'located 3255 bp', 'mechanism related fat', 'lr unfavorable rg', 'analysis sire', 'physiological cellular process', 'egg count lfec0', 'centre sheep industry', 'additional microsatellites allowed', 'study improved functional', 'likely position 39', 'affected endosteal', 'detected 24', 'produce population', 'polymorphism false', 'qtl segregating purebred', 'white duroc erhualian', 'fatness used', 'egg count effect', 'variant gdf9', 'binding factor runt', 'pork gain', 'rate significant week', 'associated imf based', 'ssc14 number', 'genomic information help', 'total 358', 'gnas gene cluster', 'man2b2 qtl entire', '50 snp chip', 'locus associated lactation', 'breeding effort develop', 'se 42', 'number tumor birth', 'linkage analysis revealed', 'involved haemostasis regulation', 'revealed synonymous', 'linkage pleiotropic', 'regional genomic effect', 'muscle trait significant', 'locus c3c', 'breeding 1994', 'growth development myostatin', 'research centre lacombe', 'cost effective genomic', 'model implemented gemma', 'reported qtl litter', '21 linkage', 'sorf2 bait chicken', 'control infection included', 'ptpn3 gprc5a', '180 210 240', 'performed 49 034', 'associated maternal', 'effect snp located', 'linked phenotypic', 'belonging pure line', 'observed rs43101491', 'fatness important trait', 'effect million', 'societal benefit', 'validated rf', 'detected foki', 'gene clarification', 'rate low increased', 'marker selected chicken', 'variation single', 'immediately transited', 'production trait number', 'synonymous mutation 1054t', 'polygenic effect error', 'inherited monogenic dominant', 'different porcine', 'cholesterol chol ppn0', 'line body', 'novel preventative', 'ssc7 ssc16', 'mb haplotype block', 'texel sire', 'paternal imprinting', 'pedigree information historical', 'testis kidney new', 'significance trait', 'simmental 477 classical', 'suggest refined', 'target expression complex', 'cpeb4 gli', 'seven cattle population', 'human protein detected', 'bta14 using statistical', 'mechanism complex trait', 'speed msp analysis', 'interstitial space capillary', 'btg1 fetal', 'selection using', 'visual character', 'new breeding', 'concern swine industry', 'pcr followed', 'validation applied', 'published result indicates', 'result showed single', 'related cellular', 'ssc7 erhualian allele', 'qtl example', 'map typed', 'area average', 'used addition', 'arm influenced', 'f2 duroc', 'female relative', 'parturition associated breakdown', 'prospero homeobox protein', 'assisted improvement meat', 'candidate gene ssc12', 'secondly quantitative trait', 'sheep average', 'state birth weight', 'finding provide groundwork', 'generation analysis performed', 'protein gpihbp1 interstitial', 'significant pod', 'concentration indicator', 'analysis using multimarker', 'tissue sensory', 'bw growth rate', 'germany italy', 'pig day qtl', 'udder trait udder', 'test used', 'provides list', 'enzyme stearoyl coa', 'locus mar bb', 'important early later', 'rs81332615 ssc13 total', 'additional qtl 10', 'mutation nt963', 'asparagine aspartic', 'chicken comb', 'sustain normal biochemical', 'corticosterone assessed', 'notably german holstein', 'weight weight gain', 'estimated heritabilities qtls', 'cm low 107', 'hypothesized source', 'qtl bisexual expression', 'rs41919984 rs41919986', 'breeding value productive', 'kg harvest', 'resource population obtained', 'fecx mutation control', 'daughter 17', 'nucleotide binding domain', 'useful current', 'human rat pde4b2', 'fifth strongest association', 'help understand', 'resistance variation divergent', 'sire novel', 'apoh comparative sequencing', 'differentially distributed', 'implemented gensel', 'associated trait effect', 'enlarge population size', 'necrosis growth cartilage', 'dominantly inherited trait', 'approach using gensel', 'quality defect mass', 'bayesian analysis', 'sequencing analysis variant', 'ripk2 gene identifying', 'g32e conserved', '20 sensory', 'gg27 qtl mapped', 'rs29021868 rs110061498 rs109546980', 'regulate gene expression', 'fatness controlled', 'phosphoinositide kinase', 'multibreed gwas meta', 'variable region', 'leg myh3', 'data suggest', 'risk bone fracture', 'shearing result', '64 64 9mb', 'objective research detect', 'polymorphism leading reduced', 'fast growing slow', 'locus involved porcine', 'maintenance glucose homeostasis', 'locate quantitative', 'number investigation', 'bp region adipoq', 'index c16', 'jersey respectively using', 'matrix individual', 'repeat ssr microsatellite', 'characterization causative gene', 'qtl associated trait', 'farm 2010', '17 e47 broiler', 'lod effect', 'productivity multibreed', 'index 84 snp', 'affecting pp suggest', 'based allelic', 'investigation revealed snp', 'lightening original pigment', 'cow breed', 'decline ld chromosome', 'segregating qtl contributes', 'trait positional candidate', '45 day', 'cholesterol disorder', 'artificial selection region', 'potential marker superovulation', 'age important', 'asp582gly 3290c thr1097asp', 'polymorphism luciferase assay', 'qtl ssc associated', '675 pig breed', 'suggesting involved lean', 'receptor located ssc13q41', 'acsl4 f2 female', 'small tail', 'rainbow trout searched', '489 suffolk animal', 'including ywhaz krtcap3', 'fraction genetic variance', 'variance birth dimension', 'near pik3cb 22x10', 'main objective study', 'casein csn3', 'load weight', 'population 1008 animal', 'qtl suis fec', 'specific major', 'qtl chromosome gga', 'environmental exposure infective', 'deformed horn known', 'egg cow milk', 'locus porcine chromosome', 'substitution significant effect', 'val 24 association', 'conducted single multi', 'far important equine', 'ldha copb1 highly', 'breed located ssc3', 'trait long studied', 'percentage saturated unsaturated', 'chromosome wide signification', 'experimental prrs virus', 'improve dietary', 'mb flanked', 'snp differing', 'transcription level modulators', 'length shl diameter', '20 located', '57 636', 'tool studying underlying', 'tested holstein bull', 'utilized genotyped sire', 'bovine hamster', 'trait analysed faecal', 'hook hmga1', 'eosinophil eos', 'population brief description', 'bovine spongiform encephalopathy', 'montbéliarde breed', 'effect rfi 25', 'precocity reproductive', 'using gibbs', '26 45', 'sequencing cdna abomasal', 'pair indicate commonly', 'chicken fat', 'vaccinal strain', 'select desired', 'gene derive feature', 'bull validated effect', 'bovine gnas', 'phenotype identifying', 'cm ssc13 84', 'analysed positional', 'snp cast', 'sequence genomic', 'genotype affected', 'lipoprotein validate', '000 female barrow', 'desaturase gene encodes', 'suggested polymorphism leptin', 'map interval', 'unraveling genetic', 'linked qtls', 'window detected fy', 'fatness second interval', 'affected distinct stage', 'covering 29 autosome', '014 018 062', 'bovinesnp50 panel', 'identified 22 trait', 'cnvs associated fatness', 'mchc 10', 'snp subsequently genotyped', 'ubiquitous cell', 'enzyme required catabolism', 'undesirable alternative approach', 'line developed', 'individual based study', 'observed square', 'region overlapped 12', 'important cause', 'unlikely causal mutation', 'fixed effect included', 'colour category', 'mexico 2012 caused', 'bta11 btax bta10', 'melim duroc', 'study 21', '525 sire', 'root sheath', 'shape distinct conformation', 'face natural selection', 'phenotypic value measured', 'tep g16', 'breeding using marker', 'position detected', 'cow analysis included', 'genotyping carried', 'trait classical approach', 'intracellular destruction antigen', 'segment extended', 'affecting clinical mastitis', '959 46 150', 'associated afc', 'accounting largest degree', 'region milk', '19 mm', '74 lei0071 marker', 'gene known increase', 'detect association', 'investigate correlation', 'litter european breed', 'analysis multitrait group', 'containing 16b', 'stress chordc1', 'ncapg chromosome', 'white head', 'result qtl region', 'result suggested analysis', 'study qtl hdl', 'salmonella infected', 'study ovine 50k', 'carcass weight 10', 'hypothalamus polytocous small', 'larger region 10', 'mammal porcine gpihbp1', 'mapped qtl1 qtl2', 'calculate empirical trait', 'study demonstrated usefulness', 'linkage 51 microsatellite', 'qtl allele respectively', 'metabolism biosynthesis fatty', 'ktn1 associated avian', 'detect qtl using', 'trait commercial sow', 'reproduction location', 'using pc1 score', 'omega omega ratio', 'marc0004712 dias0000861 asga0085522', 'rt 24', 'number loin', '1752816085 exon', 'imf explained snp', 'strongly larger', 'defined explained', 'studied different', 'large white div', 'highest number snp', '232 associated increased', 'bluish grey black', 'cross presented', 'conducted plink', 'data breed', 'hwe 000001', 'illumina porcinesnp60k', 'employed dna', 'study knuckle biceps', 'somite mouse embryo', 'detected kdm5a gene', 'boundary candidate', 'non carrier', 'small antral', '40 md resistant', 'affecting heifer', 'predictive ability calculated', 'resistance large', 'gwas milk chl', 'content cutoff', '77 quantitative trait', 'obtained 498', 'snp zebu', 'list pcgs identify', 'excretion process', 'fineness sd wool', 'fat content 04', 'ar serpina7', 'polymorphism underlying', 'feeding fasting', 'detect chromosome region', 'direct selection individual', 'teat placement teat', 'serpina6 suggests', 'duroc population enhance', '1301g affected', 'analysing pedigree separately', 'mexico dual purpose', 'breed involved', 'comprised sire', 'pta daughter', 'harboring casein gene', '283 640 heritability', 'extended study identify', 'metabolism regulating', '713 animal belonging', '247 629 370', 'sumatran orangutan', 'cluster correlated snp', 'regulatory subunit capns', 'analysis revealed quantitative', 'benefit breeding program', '23 highly', 'infected suis measured', 'mixed random regression', 'genotype secondary effect', 'enrichment performed gwa', 'fat depth chromosome', 'livestock analysed 600', 'probably polymorphism segregating', 'shown close linkage', 'chromosome 24 significantly', 'insulin dependent diabetes', 'wise significant evidence', 'regarded causal mutation', 'associated phenotype directly', 'annotation implemented latest', 'resource used designed', 'twhs selected genotyped', 'anaemia remain', 'progeny 43', 'lactoglobulin gene', 'identifying marker used', 'trait gwa approach', 'nominal evidence association', 'moderate effect size', 'associated mutated', 'pathway term mainly', 'reproduction sheep', '127 centimorgan', 'sensory panel', '60k genotypic', 'information understand', 'unreported snp', 'analyzed 305 lactation', 'illumina ovinesnp50 beadchip', 'ul 16963', 'litter size practiced', 'group animal genotype', 'distribution window variance', 'area beef marbling', 'associated wbsf qtl', 'mb chicken gallus', '26 used', 'significant relationship', '724 900', 'tropical environment', 'receptor tlr', 'set previously genotyped', '733 female', 'analysis performed identify', 'body height human', 'receptor tyrosine', 'using data f2', 'opportunity changing milk', 'qtls reached', 'age egg 0143', '82 mb qtl', 'muscle biological', 'necrosis ipn viral', '11 chromosome', 'dimorphic difference height', 'apical basal', 'taken finding', 'rfi1 regressed', 'gene located block', '242 newly', 'general locus controlling', 'threshold 10 qtl', 'trait pig adfi', 'type fertility', 'containing adaptor death', 'polymorphism combined genotype', 'remaining animal', 'decrease bmp15', 'harbor gene cyp27a1', 'including 44', 'far causative', 'consecutive experimental', 'wider ci 13', 'known main', 'ease animal', 'cellular biosynthesis monounsaturated', '24 11 family', 'sib family phenotype', 'cornea lead blindness', 'trait major goal', 'family containing total', 'leg muscle weight', 'igf2 loin muscle', 'analysis indicated change', 'capacity 05 suggestive', 'significance shared qtl', 'performed identify polymorphism', 'using 36000', 'weight measure hatch', 'cattle population compared', 'berkshire sire', 'snp consecutive', 'adfi rumen', 'associated important', '05 tdt npl', 'cow group dairy', 'behavior trait', 'deviation haplotype', 'examined genetic basis', 'tetraspan submily member', '12 qtl identified', '55 10 63', 'chromosome ssc10 52', 'common congenital malformation', 'pig method genome', 'improvement agricultural population', 'provide support stat6', 'recorded 13', 'regression variance', 'socs2 plexinc1', 'locus large effect', '1x10 identified', 'polymorphic gene', 'eaat2 bdnf', 'btc 039204', 'significance level respectively', 'affecting occurrence clinical', 'locus qtl qtl', 'total 27 qtl', 'selection positional candidate', 'eqtl region identified', 'structure trait hoxa', '174 mb showed', '102 snp', 'qtl genotype result', 'qtl method high', 'chromosome apparently segregating', 'polymorphism texel', 'f2 piglet 457', 'group total', 'important rbc morphology', 'cnvrs overlapped', 'monogenic trait', 'host cell make', 'assisted selection improving', 'blue catfish', 'nba nbd abw', 'trait observation indicate', 'genotype heavier 05', 'bta17 511 significant', 'charolais bull canchim', 'disorder data analyzed', 'population qtl effect', 'conducted gwas', 'respectively p4', 'method approach', 'tropical environment dairy', 'bm4208 inra084', 'ssc13 ssc14', 'marker use marker', 'manufacturing property', 'vertebra located hox', 'performed half', 'way gene', 'sample industry', 'calpastatin cast located', 'phenotypic data recorded', 'appear affect', 'snp associated height', 'associated human plasma', 'conclusion identified missense', '90 23', 'fertility significantly associated', 'value fat', 'group conclude 636a', 'level parental line', 'individual tm', '40 additive genetic', 'lameness warmblood horse', 'gene solute', 'appropriate simplicity ability', 'tests statistically significant', 'gain partial efficiency', 'identified gga4 217', 'cap telethonin titin', 'vary degree persistency', 'feasible applying', 'taking crucial', 'great adaptability nelore', 'order determine', 'cultivated suhuai sh', '1122c 1143g adrb1', 'polymorphism association polymorphism', 'hypothesised balanced', 'qualitative difference', 'frequency non', 'leghorn population f2', 'predicted contain', 'meat accretion', 'yield dmy protein', 'identified located', 'utr silico analysis', 'fish population', 'consisted record 692', 'include traditional selection', 'bird carrying', 'including trait genetic', 'low non kosher', '717 animal', 'ipn resistance', 'respectively addition gdf9', '05 elisa analysis', 'polygenic inheritance sheep', 'cpm gene', 'locus additive effect', 'resistance provide', 'study compare slick', '22 lean', 'cell milk', 'revealed 13', 'behavior combined', 'breed lay preliminary', 'especially week following', '136 pietrain boar', 'instron force tenderness', 'showed locus', 'underlying scd', 'score moderate high', 'diameter shear force', 'snp duroc sequence', 'calf size', 'transition 24', 'variation centromeric region', 'fat thickness skin', 'rate live', 'encompassing scd', 'difference linkage phase', 'level precursor mature', 'dietary quality', 'concentration adipose tissue', 'false positive lack', 'pig cortisol', '609 imputation used', 'identifying single nucleotide', 'additionally order', 'haplotype spotted', 'measured 1420', 'chromosome method expected', 'bh 547 piedmontese', '38 trait', 'association abcg2', 'qtl affecting degree', 'metabolism study', 'analysed comb mass', 'genotyping larger sample', 'measure subcutaneous fat', 'cast_101781475 magnitude effect', 'sixteen different chromosome', 'iron binding', 'high density swine', 'susceptibility genotyped', '15 suggestive', 'fine mapped chromosome', '260 validation snp', 'genomic marker assisted', 'carrier mutation result', 'hd panel bovinesnp50', 'program following market', 'condensed effect single', 'qtl single locus', 'depth ld adg', 'candidate immune variant', 'evidence polymorphism gli3', 'growth shape trait', 'understand genotype', '05 additionally bird', 'backcrosses trout line', 'possibly enabling manipulation', 'required confirm vrtn', 'region associated control', 'vitro leukocyte', 'used provide', 'age keel', 'reproductive data', 'autosome quantitative', 'used charolais', 'scd gene significant', 'pig better imf', 'regression method variance', 'slaughter date', 'strategy manage', 'increase carcass lean', 'basis molecular technique', 'production broiler employed', 'condition determined bird', 'pcr sscp methodology', 'make animal', 'map explained', 'nme7 gene necessary', 'identified 61', 'functional role pathway', 'range 38', 'analysis gave sharp', 'segregating 923', '432 snp', 'altering carcass fatness', 'eu eu second', '81 23', 'needed uncover underlying', 'beadchip applied', 'cm interestingly low', 'productivity dairy herd', 'agricultural economy body', 'β1 significant effect', 'identify metabolic pathway', 'percentage myristic palmitic', 'resistant animal rapid', 'second examination', 'anxa10 anxa10 female', 'african nguni', 'genotype dc', 'probable model indicated', '15 affected ham', 'adg contribute', 'bp objective', '98 week age', 'selective dna', 'linkage analysis ldla', 'region replicated previously', 'using partial', 'camkmt trhde ripk2', 'model single', 'disequilibrium sire heterozygosity', 'study conclude', 'analysis large data', 'iteration window additive', 'identified ghana', 'forward revealing cryptic', 'different measure milk', 'individual f1 individual', 'sc used', 'finding current', 'identified fish mapping', 'impact reproductive longevity', 'bone density conclusion', 'induced lesion', 'growth rate using', 'important disease', 'physiological function', 'background leakage', 'substitution remains obscure', 'trait bayesian', 'total korean holstein', 'cm shared', 'molecule act', 'snp5 13307g snp1', 'receptor edg1', 'cluster genetic', 'selection rfi', 'level precursor', 'tissue xenotoxins endotoxin', 'content pork facilitate', 'detected multibreed gwas', 'na se', 'different state', 'lod syntenic human', 'gene linkage peak', 'mechanism carcass', 'carcass evaluation project', 'bta5 evaluate ability', 'pde4b3 using', 'asparagine amino', 'study detected potential', 'value imf confirming', '14 21 72', 'identified study genotyped', 'score muscle', 'issue abortion dystocia', 'h1h1 haplotype', 'sc productivity dairy', 'effect fabp gene', 'sheep seasonal', '10 receptor', 'identified 598', 'pcv avpcv', 'prospective fine mapping', 'duroc purebred', '42 49 70', 'gain adg kleiber', 'percentage pp fat', 'responsible microtia sheep', 'gene screening', 'score molecular', '107 card15', 'genetically simpler trait', 'gwas 12', '26 associated', 'gwas chinese holstein', 'stifle rayed', 'marker bm415', '539 derived sire', 'longissimus thoracis et', 'number spawn', 'examined effect', 'fracture believed', 'parent grandparent result', 'kidney enriched', 'successful cattle reproduction', 'play integral', 'primarily post transcriptional', 'useful selection program', 'method prediction', 'trait variance components', 'used 38', 'depth direct', 'resistant animal understand', 'aa showed', 'factor sp3', 'model required narrow', '291 son', 'disease resistance genetic', 'performed assigning gene', 'identification region respective', '87 30', 'future fine mapping', 'contortus challenge', 'ovine lentivirus ovlv', 'french yorkshire fra', 'protein anxa9', '38 half', 'muscle lung higher', 'chromosome 18 oar18', 'ryr1 tgfb1 fto', 'estimated non', 'suggest kdm5a gene', 'large ear feature', 'cattle pig', 'attainment puberty key', 'parturition important piglet', 'susceptible prp genotype', 'decarboxylase expected affect', 'studied female', 'polymorphism snp trait', 'eye disease permit', 'evidence qtl bta', '32 body', 'time association', 'gene playing', 'mediate function', 'predict option gensel', 'control non clinical', 'contrast meat color', 'ca cg ca', 'association snp rs42670353', 'qtl controlling variation', 'role defense enteric', 'total 48', 'coefficient corresponding qtl', 'density structure analysed', 'breed majority association', 'effect simulated', 'wide qtls meat', 'horse using recently', 'model prp', 'level 15', 'validated effect younger', 'compared wild homozygous', 'lactose milk', 'marker porcine', 'bos taurus autosome', '566 057', 'total gene located', 'trait addition snp', 'female fertility excluded', 'significance experiment ii', 'cattle qtl bta', 'association growth rate', 'earlobe used case', 'different genotype slaughter', 'acid residue 158', 'trait nil determined', 'according rule stationary', 'time longitudinal approach', 'occurrence estimated approximately', 'fitted alongside significant', 'snp revealed gene', 'furthermore individual', 'mlm used', 'ssc13 position 44', 'objective muscle', 'variation future study', 'established crossbreeding', 'time seven', 'population integrating', 'study employed', 'percentage located', 'sheep experiment', 'avfec avpcv detected', 'content carcass work', 'described quantitative', 'obtained using different', 'respect bone mineral', 'partly located', 'phenotype deepen', 'total 20 single', 'associated fetlock oc', 'explained significant phenotypic', 'somatic investment comb', 'associated pork ph', 'trait providing', 'trait 002', 'functional polymorphism affecting', 'gwas performed mean', '14 chromosome detected', 'fragmentation index haem', 'subgroup according 660', 'rna seq', 'cg nucleotide', 'neuropeptide ff receptor', 'nan waist', 'overall novel qtl', '11 genetic marker', 'fat yield 72', 'frequency 592 579', 'prediction model dairy', 'significant linkage eca15', 'available 50k snp', '447gg individual', 'gene eca4q significantly', 'weight 140 kg', 'white female', 'pig genome animal', 'passing bonferroni corrected', 'conformation polymorphism analysis', 'influencing clinical chemical', 'qtl mapping la', 'variant detected', 'variant mastitis resistance', '58 47 respectively', 'ovine ucp1 gene', 'association identified shoulder', 'important trait swine', 'complement recent', 'haplotype association analysis', 'dressed weight', 'cardiovascular disease selective', 'chromosome fat yield', 'qtl discovery 1574a', 'result revealed 100', 'differentiation consistent', 'thickness rft marbling', 'result earlier study', 'thyrotroph embryonic', 'linkage studied region', 'used fine', 'study demonstrated lys232ala', 'genome wide snp', 'number rn teat', 'daughter obtained milk', 'family support', 'diversity parameter snp', 'region linked traditional', 'growth objective', 'cattle subpopulation novel', 'resistance suis', 'sheep investigate', 'mapped ssc17 fine', 'model continuing', 'usually defined', 'cattle breed sequence', 'strong effect meat', 'wide geographical', '024 35 56', 'effect mir 1658', 'tested snp', 'environment improved conformation', 'significant comparison wise', 'analyze data using', 'family examined abundant', 'qtl score entering', 'rs109146371 rs109234250', 'pcr sscp used', 'lrguk zfp90 50', 'cross resistant', '127 412 061', 'substitution widely distributed', 'ghrhr insulin', 'animal 10 beef', 'effect related reproduction', 'intercrosses iberian', 'select marker', 'associated lower instron', 'trichuris spp', 'family analysis using', 'understood major histocompatability', 'dhx38 abcf1 abcc10', 'representing qtl', 'significant qtl pp', 'body play', 'cattle female', 'pc2 comprised', '390 duroc', 'different sheep breed', 'hypothesis nesfatin', 'hardened caseous', 'encodes 180', 'area genome high', 'population potential increase', 'bird challenged ndv', 'dimension segregating', 'ebv greater block', 'reported previously cddr', 'composition genome wide', 'sib ewe evaluated', '18 joint', 'breed showing', 'bta20 passive immune', 'difference udder depth', 'backfat thickness 05', 'breeding program breeding', 'explained 42 59', 'sampling variation phenotype', 'accurate phenotypic', 'birc6 tex14 pebp4', '87 cm 05', 'bull age', 'identified chromosome 12', 'located milk yield', 'gene additional', 'architecture livestock', 'affecting degree', 'pig 332', 'sequence highly conserved', 'lower reactivity', 'observed dgkb', 'known gene major', 'population studied 58', 'profile obtained rna', 'gblup method prediction', 'drip loss lightness', 'line selected egg', '14 purebred', 'ssc18 discovered', '14 23', 'response induced', 'based copy number', 'susceptibility btb conclusion', 'total 106', 'cell subpopulation peripheral', 'ending snp sscx', 'gene mutation likely', 'following ai service', '151 snp tested', 'development primary', 'factor objective', 'horn base', 'using total 180', 'weaned piglet characterised', 'reveal genome', 'susceptible prnp genotype', 'content trait', 'gene leucine rich', 'bft carcass weight', 'birth affected sib', 'associated 032', 'milk sample collected', 'effect lepr', '630 quality', 'enhance marker assisted', 'additive dominant parent', 'identify genetic marker', 'distributed family genotyped', 'genotype half', 'mapping performed igg', 'contributing whirling disease', '231 snp', 'cm spanning', 'genetic indicator mhc', 'thrsp small acidic', 'animal expected', 'color cie filtering', 'score different', 'variance corresponded approximately', 'qtl ssc4 seven', 'strongyles genus microsatellite', 'wide analysis indicated', 'gene affecting trait', 'animal performed egwas', 'infection currently implemented', '95 ci', 'aid identification', 'dimension segregating sire', '588 130delinsttatctctatagtagtt', 'mastitis frequent costly', 'breed best', 'strain 335 chicken', 'level immunoglobulin iga', 'interpretation snp', 'total teat number', 'average qtl', 'carcass 24 slaughter', 'showing association coincided', 'research wnt', 'beef marbling', 'based analysis evidence', 'fitting variant covariables', 'region obvious selective', 'dairy cattle conclusion', 'used broad', 'association genotype onset', 'genotype rs42670352 associated', 'ucp3 gene', 'dataset snp rs42670352', 'crossbred paternal', 'variety clinical', 'year using microsatellite', '961 snp', 'bearing sow recording', 'different family investigated', 'high compared', 'cross single sire', 'compensatory sperm', 'measurement trait', 'chromosome leaving seven', 'positioned core', 'parameter candidate gene', 'network interacting', 'result verify', '1138 216t', 'direct selection', 'analysis slc35a3 cause', 'ratio maximum', 'salmonid preferential male', 'useful reduce', 'content promising', '586 atg porcine', 'qtl affecting economically', 'resistance susceptibility host', 'clinical non clinical', 'generally additive accounted', 'tamu edu', 'cattle rdc jersey', 'snp window confirmed', 'muscle trait ranging', 'haplotype h2', 'genotyped snp using', 'data analysed', 'diverse highly', '20 identified signature', 'trait identification', '19 bta19', 'dilution technique 30', '_tef 1_86', 'genetic background double', '24 post imi', 'association analysis genotype', 'related production', '37 depending trait', 'purebred durocs', 'onset puberty allow', 'resistance dairy population', 'result suggest traditionally', 'saturated unsaturated fatty', 'multiple meat quality', 'fat content match', 'cockfighting breed oh', 'hanwoo cattle genotyped', 'phenotypic measurement fertility', 'snp ex11 formed', 'combined association study', 'resulting progressive', 'thickness lean', 'revealed serve', 'significance breeding program', 'uc dyd associated', 'kegg circadian', 'homozygote gg', 'guernsey 50', 'protozoan pathogen', 'rich repeat kinase', 'marker gene', 'trait expression', 'g3072a substitution segregating', 'minolta colour trait', 'exon skipping', 'model multiple', 'associated bodyweight gain', 'sc valdostana', 'analysis new experimental', 'conducted using iberian', 'employing porcinesnp60', 'genotype 0001 future', 'good performance', 'design cattle', 'gga3 abdominal fat', 'toxicosis common syndrome', 'important candidate', '903 159', 'comprehensive genome wide', 'widespread inherited', 'free living pedigree', '17 dressing percentage', 'expected lead', 'reason genetic variation', 'included selection index', 'analysis result 322', 'qtl interval acsl1', 'height pony', 'measurement individual cheesemaking', 'qtl suggested panel', 'direction screening experiment', 'putative differential transcription', 'affecting potential transcription', 'including ripk2 associated', 'analyzed basis published', 'pig determined 435gg', 'b9d2 pafah1b3', 'gene respectively association', 'sixteen immune', 'result provide supplement', 'detected pig', 'support new', 'fearfulness seen', 'attempt identify impact', 'cross half sib', 'developmental process complex', 'time phenotype conducted', 'shrinkage method', 'indicative alteration', '240 individual evaluated', 'obtained similarity', 'incorporating genomic relationship', 'egg yolk', 'technological meat', 'measurement biologically meaningful', 'marker 06 genome', 'cohort used', 'percentage correlated trait', 'percentage male', 'composition estimated', 'suggests common', 'known chronic', 'growth association', 'population composition', '13 intestinal wound', 'qualitative difference antibody', 'compromised horn production', 'meat colour evident', 'analysis enhanced association', 'affecting disease resistance', 'filtering process', 'significance level individually', 'significantly associated stearic', 'dependent qtl significantly', 'gene selection program', 'sheep time', 'effect environment suggestive', 'taurus bta', 'association gwa', 'difficult include traditional', 'recombinant clone', 'pigmented eye', 'outcome infectious disease', 'wide genome wide', 'contribute comprehensive analysis', 'marker rao', 'high productivity', '447a allele expected', 'located undiscovered gene', 'architecture complex trait', 'locus affecting shell', 'selected represent', 'stillbirth qtl calf', 'complex mhc best', 'study compared', 'potential total', 'significant snp near', 'nucb2 gene', 'conclusion best', 'better selection', 'steak sampled', 'validate 50k', 'gland different', 'africa rely marker', 'study use single', '18 152', 'analysis differing', '131c good', '49 genetic variance', 'analysis animap program', 'lentiviral infection specie', 'analysis including set', 'color rcn1', 'fatness rfi', 'raised scavenging', 'earlier diplotype chicken', 'explained window', 'snp 47 snp', 'ghrhr insulin like', 'mean loin', 'autosomal chromosome utilized', 'contains high', 'cyp2j2 fggy', 'decr1 cbfa2t1', 'blood sample 139', 'research reported web', 'segregated parental', 'thickness statistically', 'interval making', 'measured subset', 'qtl region component', 'decipher genetic basis', 'individual 40', 'holstein cow', 'haplotype inferred tagging', 'burden dairy', 'casp3_rs319658214g shear force', 'trait 03', 'gene underlying biological', 'chromosome determined f41', 'expression related horn', 'second prolificacy major', 'taqi genotype effect', 'coexpressed mdv', 'variant near', 'yellowness ssc15 108', '2399 located formed', 'taurus bt bos', 'haplotype associated divergent', 'understand biologic', 'additional snp window', 'important safety', 'step forward characterizing', 'leg muscle trait', 'desirable breeder perspective', 'fertility metric average', 'ld genome', 'snp50 snp70', 'performed fine map', 'phenotype fat milk', 'animal genotype cc', 'spp1 proinflammatory', 'lepr gene bw', 'trait pig providing', 'deviation corrected fixed', 'lac bil', 'order account multiple', '88 32', 'analyzed using approach', '30 qtl', 'qtl effect effect', 'cost minimized', 'homeologous relationship qtls', 'aim determine validity', 'major haplotype', 'model leukemia date', 'qtl express used', 'rumen average daily', 'tested bull 36', 'data irish holstein', 'cancer subtypes including', 'comparing significant marker', 'infection mycobacterium bovis', 'low moderate', 'indicus heifer', 'underling variation fatty', 'effect observed significant', 'significant additionally qtl', 'fatness growth muscling', 'furthermore 40 haplotype', 'coding sequence conserved', 'pig recombinant', 'bone metabolism', 'population 12', 'puerperal psychosis', 'seventy genome', 'pcr based', 'fore hindquarter', 'population enhance detection', 'analysis helpful exploit', 'associated ph 45', 'linear quadratic term', 'study fixation', 'yellowness nellore cattle', 'genetic locus involved', 'wide scanning approach', 'muscle multi locus', 'breed composite div2', 'allowed confirming', 'test positive post', 'weight considered maternal', 'affect value', 'allele diversity', 'frequency tender', 'plcb1 map2k6 participate', 'data available bodyweight', 'pedigree reverse', 'polymorphic genotype milk', 'subgroup revealed qtl', 'enabled detect', 'snp analyzed tassel', 'useful selection iberian', 'qtl display positional', 'polymorphism sscp sequence', 'benefit cattle population', 'breakage study', 'scale data', 'criterion determination', 'chip refine', 'absent 16', 'ejaculated volume sperm', 'snp study 10', 'iii using', 'expressed fat', 'biology underlying ibh', 'identified holstein sire', 'produced multigenerational resource', 'zdhhc5 ssc2 ssc5', 'snp 21', 'ld linked', 'using 658 385', 'proliferation death', 'associated su', 'located mpdz gene', 'order maintain', 'involving gene identified', 'commercial leghorn', 'population showed 279', 'snp single', 'microsatellites allowed reduction', 'pig purpose total', 'preadipocytes mrna level', 'development embryo objective', 'growth ncapg', 'associated polyceraty', 'myofibrillar component meat', 'ph milk protein', 'primarily 38 mb', 'progressive forelimb lameness', 'advance genome sequencing', 'association cw', 'illumina porcinesnp60 beadchips', 'obtained cooperative dairy', 'degradation skatole', 'association fec', 'effect specific', 'milk yield present', 'significance trait study', 'ai qtl', 'selection goal', 'reduced joint', 'level human mouse', 'conclusion identification significant', 'effect overall estimate', 'creb atf', 'deposition suggest transgressive', 'quantified using bayesian', 'scd transcript fatty', 'region controlling 27', 'contribute variation sc', '261 snp 180', 'measured ew', 'imprinting mendelian expression', 'taking crucial responsibility', 'skatole nominal', 'effect 62', 'investigate gc rna', 'required application introgression', 'snp showed largest', 'phenotypic evolution genetic', 'allelic variant snp', 'variant significantly associated', 'strength subsequent generation', 'respectively accurate', 'stratification exists', 'va desaturase trait', 'box cox', 'agreement previous', 'line allele broiler', 'locus fertility', '10 explained', 'mb breed multipoint', 'trait effect quality', 'locus result suggest', 'snp 785 intron', 'carried identify family', 'corrected bw', 'individual ca', 'showed substantial', 'spanned entire porcine', 'increasing nematode', 'gene rs592076818 1710c', 'mapped oar5', 'comb relatively', 'pleiotropic qtl affect', 'region estimate variation', 'sahiwal cattle', 'carcass trait porcine', 'western breed difference', 'primary objective study', '490 duroc', 'gene beef marbling', 'c56072547t 968t', 'expression putative', 'rate 32', 'module helixtree software', 'backfat snp ssc3', 'potentially confounding factor', 'trait montana', 'approximately 22 cm', 'efficiency artificial insemination', 'content carcass presented', 'disease incidence different', 'sire bd genetic', 'calpain proteolysis', 'calving insemination fertility', 'interval qtl spanned', 'mono polyunsaturated fatty', 'relationship fat', 'studied association mhc', 'follicle continue', 'se 02', 'pertaining g489a', 'breed world', 'european commercial', 'model correcting population', 'ovlv aside tmem154', 'used deviation', 'sire heterozygous different', 'testing cbat', 'biological pathway testing', 'hindleg length', 'approach italian', 'tropical composite beef', 'snp weight snp', 'power detecting qtl', 'elovl6 fabp4 pmp2', 'discrepancy allele', 'faf1 fcn3 col1a2', 'purpose 100 specialized', 'muscle bm', 'intake driven', 'advance porcine', 'conclusion cortisol', 'production efficiency important', 'created broiler', 'single qtl detected', 'sscp method', 'gb method used', 'alb glo', 'post slaughter glycolytic', 'relative contribution 41', 'tgf beta1 snp', 'associated fec', 'program select', 'rs81405825 ssc8', 'autosome significant', 'equine orthologous gene', 'genome identified putative', 'ligament contrast detect', 'aged 12 18', 'test analysed putative', 'trait nsb1', '24 cm putative', 'hmga2 gene regarded', 'infection causative mutation', 'phenotype association', 'altered binding bta', 'evaluated genotype', 'array subsequently', 'body weight chromosome', 'dehydrogenase family member', 'growth trait ssc4', 'feature performed', 'strain locus', 'age 0061', 'family susceptible prnp', 'cortisol measurement defining', 'decade conception failure', 'ewe hyperprolific', 'region harbouring gene', 'focused genetic locus', 'polarity complex', 'fat content 18', 'crossbred paternal half', 'dense marker map', 'associated fi univariate', 'day 240', 'population additive effect', 'different test supporting', 'chromosome ssc ssc5', 'f1 f0 individual', 'data used refine', 'muscle data', 'background reproductive efficiency', 'role p2x3r', 'old nanyang', 'ph24h total glycogen', 'material method set', 'technique iii single', 'gene test', 'snp marker protein', 'specific peptidase 44', 'software http', 'qtl study enabled', 'previously mapped genomic', 'effect epistasis shown', 'bull 15 breed', 'final conclusion', '35 qtl limb', 'imf estimate heritability', 'performed experimental', 'variant influence', 'discovered 503 qinchuan', 'model analysis used', '17 chromosome wise', 'breed 86 blonde', 'ridge distal', 'type qtl', 'blup ridge regression', 'feeding adipose', 'porcine autosome qtl', '385 heifer', 'attained chromosome wide', 'progeny testing concordance', '992 progeny tested', 'contrast using bayesr', 'model ii linked', 'susceptibility established', 'phenotype diabetes', 'blue shelled', 'biosynthesis association', 'weight significant reproductive', 'detected linkage disequilibrium', '05 bt', '05 including significant', 'opn secretion milk', 'pig animal genotyped', 'wide significant signal', '88 additional', 'method required', 'sheep single', 'underlying biochemical', 'victim feather pecking', 'identified holstein', 'tg detected', 'endoparasitic infection', 'snp revealed', 'landrace 05', 'project physical mapping', 'synthesis disrupt normal', 'prevention treatment strategy', 'enhancer binding protein', 'software revealed', 'phenotype marker', 'snp chromosome illumina', 'estimation maximum', 'distinct polygenic', 'genetic contribution', 'various chromosome qtls', 'decr1 me1 gene', 'transformed caecal bacterial', 'height ah haugh', 'test corridor', 'acids elovl3 located', 'pcgs associated', '107 113 mb', '528 scrapie', 'disease mammary', 'simmental genotype', 'facilitate potential utilization', 'qtl generation sib', 'fatness trait conclusion', 'significant threshold 05', 'heritability identified', 'scan used', 'sire sampled', 'bmp15 significantly associated', 'marker sheep', 'body type', 'efficiency fe residual', 'identified chromosome wise', 'danish red cattle', 'cm fertility 51', 'qtl ff 05', 'gene genotyped cattle', 'polygenic le', 'control knowledge', 'gene concordant qtl', 'consist 883', 'born 05', 'mammal strict', 'snts common', 'carcass lean', 'localized confidence interval', 'cd4 cd8 cd4', 'beginning chromosome evidence', 'extreme form failure', 'quality intramuscular fat', 'fat different region', 'skatole 150 ng', 'female reproductive', 'qinchuan cattle 01', 'fcr snp showed', 'threshold significance 87e', 'important improve sow', '96 215', 'association cl', 'gene muscle adipose', 'trait analyzed data', 'white adipose', 'present study wool', 'cent fatty', 'acid moderately', 'weight meat', 'located qtl near', 'belly bacon bb', '15 12 13', 'set analysis showed', 'population obtained', 'opn haplotype', '18 07', 'non yield', 'mainly controlled', 'significantly associated fp', 'analysis post', 'jersey holstein population', 'ehhadh mogat1 echs1', 'analysed detect', 'cga abcg5 trpm6', 'marker developed', 'important production italian', 'level jointly accounting', 'prolific ile france', 'additional rao cohort', 'brangus cattle thirteen', 'rate nearly', 'identified novel variant', 'period male female', 'f2 pedigree replicated', 'locus qtl detected', 'difference concentration dbp', 'pig population previously', 'thickness fatty acid', '01 ab', 'large intestine weight', '45 min post', 'growth meat', 'trait 607 snp', 'region ptpn11', 'inferior white', 'identified major gene', 'implied porcine', 'ssc12 associated', '12 gilt', 'fact genome wide', 'wl77 genome wide', 'analysis indicating', 'lg prolactin', 'identifiable qtl', 'collected kunming city', 'analysis provides', 'explanation pleiotropic closely', 'specific igga ige', 'cmp milk composition', 'data analyzed using', 'gene confirm', 'aflp primer combination', 'analysis showed significant', 'making higher', 'swine family', 'study validates', '45 36 37', 'line difference', 'purebred laiwu', 'progress demonstrated research', 'benefit application dna', 'set comprised 45', 'based biochemical activity', 'population run6', 'large fat', 'confirms earlier finding', 'obesity conducted local', 'genotyping additional microsatellites', 'haplotype analysis result', 'snp equidistantly distributed', 'glucocorticoid receptor', 'partitioning genome', 'performed 192 hanoverian', 'analysis gdf10', 'qtl entire', 'designed amplify fmo1', 'model ax', 'primer designed total', 'recording selective', 'individual belonging spanish', 'value improving', 'sequencing intron', 'feeder ff test', 'enabled identification', 'pathway summary resistance', 'return rate 282', 'obtained ph', 'bta26 conclusion genome', 'poorly understood', 'yield 76e', 'previous experiment study', 'inheritance high', 'significantly melanoma', 'kidney weight kw', 'associated 008', 'new analysis package', 'congenital malformation occurs', 'compare result obtained', 'infection transition period', 'polymorphism discovered', 'wise genomic relationship', 'marker informativeness', 'site sox6 sex', 'using deterministic', 'detected combining', 'associated type', 'categorical analysis', 'identified using ingenuity', 'source variation suggested', 'cow characterized', 'information rank genomic', 'javanicus bos', 'snp associated t3', 'f2 sutai dly', 'genetic architecture weight', 'sire significance', 'biological process present', 'chicken insulin like', 'specifically targeted', 'cattle population multiple', 'genome assembly enabled', 'mapping genome wide', 'qtl simple linkage', '157 polymorphic', 'related growth', 'family phenotyped', 'pig family', 'worldwide cause problem', 'inner outer', 'gene potential', 'plw duroc', 'host response infection', 'ssc2 ssc5', 'receptor alpha rxra', 'association future', 'snp indicates synthesis', 'interesting result breeding', 'model discovered', 'confirmed gene tcf21', 'old nanyang cattle', 'integrated host genome', 'cloning candidate gene', 'md lymphoproliferative disease', 'underlie milk', 'diallelic dgat1 polymorphism', 'condition parasite indicator', 'detected cross', 'hydroxysteroid dehydrogenases', 'qtl intensity', 'differentiation using fst', 'oc pof checked', '30 60 day', 'trait based genetic', 'variable largest', 'afe laying record', 'ryr affected ph', '048 landrace 13', 'line homozygous igf2', 'genotype 386', 'suggested region', 'seven trait including', 'drop test value', 'imputed illumina', 'objective present study', 'selection increase tnb', 'trait faecal', 'score pre', 'result seven snp', 'allele 426 221', 'using thrgibbs1f90 version', '488 resistant 280', 'various milk production', 'production performed', 'reported dsn performed', 'sib model line', 'genome sequencing quality', 'defect recorded', 'breed commercial pig', 'data 13 000', 'giving genotype cc', 'heritable 73', '20 25 nt', 'phenotyped intramuscular', 'derived permutation test', 'overlapped trait', 'overlapping confidence interval', 'module detected', 'ssc7 growth trait', 'rumen data suggest', 'abnormal behavior', '20 067', 'dna marker selected', 'measure tenderness', 'snp selected 37', 'exceeded genome wise', 'osteochondritis dissecans', 'score sc available', 'sole causative variant', 'stage revealed continuously', 'live animal trait', 'cohort 1540', 'importance region horse', 'boar reproductive trait', 'correction located protein', 'direct prospective fine', 'phenotypic indicator parasite', 'gene 1313 cattle', 'hormone lhb induces', 'locus existing', 'horse genotyped', 'association 105', 'conception fewer', 'iberian landrace f2', 'analysis quantitative trait', 'healthier fatty', 'map2k6 participate', 'content simmental', 'region associated kyphosis', 'ufa sfa', 'qtls shank length', 'cow described 8656c', 'indicated haplotype differ', 'related female fertility', 'affect calving trait', 'population suggests', 'cause decreased', 'showing sufficient', 'information greater carrier', 'intron exon 10', 'close qtl total', 'cell score based', 'beta plcb1', 'infection earlier susceptible', 'rate heme biosynthesis', 'frequency intronic snp', 'cdkn2aip ing2', 'factor model', 'dam bvd', 'region identified facilitate', 'ghana tanzania ndv', 'polymorphism snp noncoding', 'interval snp8', 'serum level total', 'born sequenced exonic', 'better sq1', 'alkaline phosphatase activity', 'candidate gene functional', 'horn test kaiser', 'mastitis arthritis', '177 sow using', 'body weight muscle', 'maml2 cdh13 enrichment', 'study 19 snp', '1200 pig 345', 'interval insemination snp', 'total 362', 'genotype 3691g snp', 'trait gwas respectively', 'analysis goal', 'growth furthermore haplotype', 'method result showed', 'male calf contributed', 'excessive desiccation ham', 'breeding improvement duroc', 'mb bta14', 'carcass weighed', '11 11', 'fy respectively ax', 'sheep horn phenotype', 'incorporation dna', 'method threshold value', 'using imputed wgs', 'efficiency economically', 'method believe comparing', 'ab analysis', 'variation cy', '77 lg', 'factor poultry production', 'cow milk production', 'region bta14 corresponds', 'select resistant', 'based animal predominantly', 'similar berkshire yorkshire', 'estimate qtl effect', 'chicken white leghorn', 'significance level calculated', 'disease vertebrate', 'deposition present', 'value 2x10 16', 'equal different', 'broiler layer cross', 'disease variation', 'endometrial gene', 'absence strong', 'cross sire family', 'indicator growth health', 'using window size', 'indicus nellore', 'cost intense', 'haplotype analysis family', '15 glycolytic potential', 'kazakh sheep', '11 body', 'male female', 'population causing wider', 'putative single qtl', 'tensile strength cooked', 'ultimately identified', 'spermatozoon thawing', 'lg genbank accession', 'qtl affecting fetal', 'group rsnps', '29 causative', 'genetic architecture biological', 'segregate bos taurus', 'effect multivariate', 'extra subcutaneous', 'marker genome', 'phenotype fine', 'method ebv drps', 'member gli2', 'long chain omega', '425 segregating', 'cm outside qtl', 'generally acted additively', 'genotyped 29', 'ketosis susceptibility', 'make extremely', 'palmitoleic stearic', 'research herd brandon', 'costly poultry industry', 'confirmed result definition', 'separation test categorized', 'fat1 previously', 'associated adg basis', '25 candidate gene', 'horse breeding', 'weighed scanned', 'variation expression sample', 'percentage pp estimated', 'snp ref dataset', 'genotyped haplotype reconstructed', 'reproductive investment', 'step search genomic', 'mutation positional candidate', 'breeding little known', 'pig finding immediate', 'bp end', 'rna adrb2', 'scan genomic', 'cattle regressed breeding', 'lp genome wide', 'genetic marker linked', 'characterization snp', 'polymorphism imprinting status', 'muscle gluteus medius', '2350 cm', 'snp 34208c', 'pedigree detected', 'locus qtl probability', 'illumina san diego', 'interval correlated affect', 'point opportunity', 'systematic random', 'polygenic nature feed', 'daughter age', 'enabling rapid', 'population present result', 'characteristic beef cattle', 'infanticide second', 'detected 33', 'locus locus explained', 'reared pasture carcass', 'imputation candidate causal', 'binary survival genotype', '68 10', '41 se 01', 'qtl showed consistent', 'measure impact', 'resequencing followed association', '12e 06 42e', 'program genetic correlation', 'upregulated 65', 'commonly regarded characteristic', 'callabus chromosome eca', 'random new zealand', 'use calpain', 'leucocyte platelet related', 'backcross progeny accounting', 'scheme scanned', 'line ham', 'fine map new', 'tox high mobility', 'sensory assessment', 'calving lifespan', 'drastically refine', 'ldb2 igf2bp1', 'bta28 chromosome qtl', 'producing sow', 'susceptibility prrs', 'rib duroc landrace', 'igg level', 'trait luxi', 'growth rate feed', 'strongest near', 'angus allele family', 'extensively characterized', 'relevant red blood', 'cddr resource', 'death domain', 'associated snp related', 'animal genotyped 129', 'evidence showing', 'matrix eqtl', 'sequencing genome wide', 'pair matching herd', 'year area enzootic', 'density snp array', 'qtl required significant', 'scan identified genome', 'apc finding contribute', 'strong positional', 'function human', 'showed wur snp', 'marker suggesting', 'mutation akt3', 'region examined polymorphism', 'study threefold', 'gsdmc mitf', 'candidate gene bone', 'rib counting', 'susceptibility subsequently', 'time linkage association', 'identified increased', 'produced ncccwa', 'second putative', 'highlight utility', 'animal phenotype', 'overall result provide', '696 animal', 'variation breed ability', 'trait neonatal', 'affecting 24', 'mammal novel', 'older homozygous wild', 'fat injection', 'identified fewer qtl', 'revealed documented', 'number significant result', 'study far causative', 'tt tc', 'fat thickness loin', 'comparing qtl', 'marker 16', 'trait omy325uog', 'based diet', 'marker chromosome 27', '03 26 68', 'size sow bf', 'loin ph1l thickness', 'rs330779504 snp', 'allele exon', 'related trait effort', 'cwt increased bayesr', 'indirect effect fatty', 'phenotypic variance corresponding', 'calculation used identify', 'region study identify', 'associated dermal', '497 multivariate model', 'allelic association testing', 'understanding trait expressed', 'analysis cyp11b1', 'day record performance', 'assay demonstrated', 'obtained mc4r', 'challenge costly', '306c 73 effect', 'naturally enriched', 'erythroid phenotype showed', 'interval identified', 'coldblood sgc', 'significantly different line', 'male broiler', 'analysis data substantially', 'multi collinearity regression', 'polymorphism cla va', 'type pig high', 'normal genotyped', 'coding single', 'mb associated count', 'region attained genome', 'multiple economic', 'organoleptic characteristic', 'investigate single', 'prkag2 rumen average', 'analysis addition refined', 'cow test', 'significant association 2836', 'cm cm', 'wide chromosome wide', 'model small', 'tgfbr1 gene identified', '549 allele', 'known association', 'suggesting qtl represent', 'pathway affecting milk', 'antibody titre pathogen', 'effect sire included', 'oc region', 'breed specific trait', 'genotype assayed', 'needed research', 'ipa signified', 'snp harbour potentially', 'responsible variation observed', 'protein coupled', 'nominal 05 adjusted', 'using 36000 single', 'analyse phenotypic effect', 'protein yield percentage', '400 progeny', 'using package', 'variation cattle quantitative', 'metabolism deposition relevant', 'yield breeding', 'data illumina bovinesnp50', 'bta27 83', 'depth sfd', 'correcting population confounding', 'effect fresh sperm', 'contagious disease', 'function mutation mstn', 'oar19q24dist confirmed linkage', 'backcross backcross', 'detected region located', 'gene involved innate', 'important role', '296 multibreed', 'hairy phenotype', 'genome chromosomal', 'gene normal', '18 24 pathway', 'gene result study', 'gblup weighted gblup', 'body weight haplotype', 'variation intron pig', 'region i199v', 'million read sample', 'biased farm', '25 snp', 'bms490 rea observed', '25 633', 'values effect snp', 'insemination icf day', 'region mad2li fgf2', 'gene variation solution', 'increase dyd', 'length width puberty', '10 coding snp', 'pig studied qtl', 'bta 13 19', 'subsequently genotyped larger', 'gene srd5a2', 'composite likelihood', '5043 bull', 'factor associated positive', 'fecal pcr test', 'impute 192 snp', 'rxra gene validated', 'lean pig breed', 'nr breed', 'bull principal', 'test supporting', 'necrosis virus ipnv', 'volume control', 'program identifying', 'peak force region', 'downstream gene covered', 'female relative wild', 'processing aspect', 'impact spp1', 'study regarding modification', 'involved feed efficiency', 'sheep use', 'associated genomic', 'based sequencing help', 'm1 model assuming', 'sire breed majority', 'wov ssc13 trait', 'result approximately 30', 'region described', 'detected ssc15 conclusion', 'gene directly related', 'nkx2 transcription', 'snp rs42670352 gene', 'affected boar increased', 'convalescence day 28', 'assumption method using', 'protein lactose', 'imf marbling moisture', 'rate affect', 'achieved pedigree genomic', 'diverse panel 130', 'quality trait higher', 'response gastrointestinal nematode', 'general condition', 'snp genotyped trait', 'health challenge', 'mastitis german', 'shuxuan cattle population', 'protein percentage 0014', '22 significant locus', 'provide 29', 'hsa region corresponding', 'influenced number', 'located qtl peak', 'cattle secondly', 'maternal infanticide second', 'suggesting independent mutation', 'influencing female', 'result significant economic', 'near leptin receptor', 'covering coding', 'grand daughter selective', 'sow produced', 'hen 50 000', 'study conducted using', 'analysis tcf21', 'family using additional', 'regulation nervous', 'dairy breeding goal', '672 single', 'mapping specific gene', '05 peak 42', 'china statistical', 'method required large', 'artificial insemination required', 'work aimed', 'shape quantitative measurement', 'background country', 'generally coincided described', 'phenotype pork', 'process variant', 'animal genotype tc', 'data needed detect', 'f41 susceptibility', 'mqreml analysis solar', 'subset animal', 'animal initially', 'performed based variance', 'map qtl underlying', 'acsl4 serpina7', 'action proposed causal', 'test linkage', 'trait drosophila', 'pork processing yield', 'pleurisy lamb slaughter', 'ensembl snp', 'meat quality qtl', 'facilitate effective', 'region bta5 00', 'wld 198', 'chromosome ovis aries', 'pair indicate', 'aft reduced set', 'allele ebv lp', 'gene vicinity', 'value ebv fat', 'trait family', 'individual analysis', '29 cofactor', 'fetal placentomes', 'identify molecular predictor', '3α gene association', 'following reason', 'slc37a1 gene', 'number qtls', 'twinning ovulation', 'phenotypically extreme', '24 suggestive qtl', 'qtl serve marker', 'qtl population examined', 'egg trait functional', '14 15 27', 'screening genome', 'haplotype based approach', 'background study based', 'temporal pattern phenotypic', 'key ancestor imputed', 'pork unveil mechanism', 'conclusion application various', 'analyzing pleiotropy allowed', 'impact bmp15', 'newly reported conclusion', 'size mc maternal', 'analyzed using sequence', 'cross positional', 'identified expression analysis', 'dose dependent genetic', 'analysis 16 duroc', 'snp porcine il', 'preventative treatment strategy', 'conductivity ssc16', 'female specific major', 'cc greater', 'ssc6 ssc11 ssc6', 'accounting 10 phenotypic', 'affecting eggshell trait', 'resistance ovine chromosome', 'tnb value 05', 'typed 76 individual', 'strong statistical', 'incidence record', '03 respectively improved', 'mutation result large', 'level high adipose', 'et thoracis', '012 proportion loin', 'gene encompasses 9379', '64 tharparkar', 'cow indicated motilin', 'allele snp rs42670353', 'analysis qtl located', 'qtl qualification', 'genomic correlation locus', 'breeding en', 'area precise', 'pta 31', 'genotype litter', 'grade carcass expected', 'individually genotyped 988', 'free reml', 'artery disease', 'chromosome gga5', 'mechanism associated', 'hormone crh cocaine', 'broiler breeding production', 'identified identified qtl', 'polygenic result', 'associated indicator', 'family commercial', 'brain skeletal respectively', 'using vaccination challenge', 'diplotype chicken egg', 'qtl rfi', 'known play role', '90 cm', 'block defined explained', 'supernumerary teat mammary', '93mg milk', 'validation study new', '990 243 pronounced', 'exploring gene associated', 'chromosome favorable', 'number estimated parameter', 'composition data suggest', 'cox transformed avfec', 'cast marker presence', 'breed calving performance', 'end long arm', 'enrichment analysis validate', 'combination single marker', 'fishy flavour', 'control non', 'reported qtl affecting', '15 expression', '35 28 window', 'evaluated bf fat', 'rate affected proportion', 'august jaw', 'sequencing sequence', 'analyzed association single', 'prrs cap', 'result showed individual', 'livestock specie', 'bmd highly', 'live animal', 'evidence including altered', '257 758', 'backfat snp', 'genetic factor determining', 'remained intermediate range', 'snp reached', 'f2 family parental', '770 snp genotype', 'phosphodiesterase 4b pde4b', 'covering 19', 'array investigated parameter', 'opportunity improve', 'requirement needed harness', 'performed breed calving', 'clustering analysis classified', 'bovine chromosome purpose', 'sg fowl cholera', 'inferred ucp3', 'previously identified ph', 'genotype association', 'association analysis observed', 'result displayed internal', 'amplification refractory', 'bta18 present', 'horse breed 48', 'polymorphism snp corresponding', 'based nil', 'plasma level corticosterone', 'weight validation', 'control natural condition', 'individual dose dependent', 'widespread breeding production', 'exist random', 'group 10 highest', 'area major qtls', 'detected 10 haplotype', 'estimated pure breed', 'model ep estimate', 'low density linkage', 'prolificacy finnsheep', 'specific snp use', 'mbv created', 'sheep provide', 'site mir1', 'biochemical index measured', 'test significant level', 'condensin complex associated', 'receptor prlr', 'statistical significance individual', 'area ratio using', 'different region abdominal', 'conclusion detection main', 'muscle fully explored', 'bwt wwt', 'total 787', 'bta6 14', 'enables identification', 'adjacent intron 3000', '02 47 1e', 'available 918 303', 'longevity aim', 'near ar', 'cnvrs existing meishan', 'better understand biologic', 'transporter slc6a4', 'calculated compare', 'hold great', 'ltnb shown', 'medium 14', 'qtl mainly localized', 'difference body weight', 'trait previous', 'snp non synonymous', 'animal polynomial', 'establishing efficient selection', 'influence weight', 'maternal calving ease', 'factor polymorphism', 'mctp1 col4a6', 'mutation 123', 'significance single trait', 'including semen', 'snp 44g 622c', 'analysis showed ahr', 'erhualian f2 population', 'family infected', 'steer 05 finding', 'insemination chromosome', 'chromosome 14 seven', 'genomic region 617', 'a80v jb2 excluded', 'potential gp skeletal', '371 v371m polymorphism', 'influence gene', 'potentially related clinical', 'maternal nonreturn', '105 microsatellite', 'increase accuracy', 'mutation 19', 'mm carrying', 'group affecting absence', 'genotyped 144 microsatellite', 'polymorphism recently', 'qtl old experimental', 'analysis carried considering', 'human conclusion result', 'revealed significant statistical', 'human mouse', 'breed majority', 'ssc6 region', 'trait observed chromosome', '69617700 rs268249346 chi', 'comprised half sibling', 'plumage condition determined', 'lei0079 mcw145 marker', 'strength keel', '41 848', 'showed mutation comparison', 'conservative suggests association', 'rayed twice end', 'hif1an ladybird', 'fcr1 57', 'earlier identified', 'coccidiosis chicken', 'attribute crucial importance', 'f1 family parent', 'resource population crossbred', 'responsible biosynthesis', 'highly significant 01', 'pathway involved rfi', 'pig aa', 'represents complete', 'gene improve', 'value gebv milk', '10 12 present', '05 whilst', 'study based pcr', 'level various tissue', '675 gene', 'follicle associated', 'neaurp population', 'exon1 gdf9 exon2', 'rad sequencing overall', 'evaluate effect joint', '11 23', 'mapping lea qtl', 'snp rs14986828 rs15675067', 'explains 23', 'bta04810 enriched pathway', 'level 05', 'loss egg industry', 'distinct gene named', 'suggest detected polymorphism', 'sample 35 parental', 'gdf9 perform association', 'used improve pig', 'response wound', '80 72', 'akr1c genotype trait', 'reciprocal backcross bc', 'umbilical vein', 'effect mutation candidate', 'developed highly polymorphic', '345 570 snp', 'analysis abhd5', '05 479 quantitative', 'direct sequencing identified', 'association feed intake', 'birth slaughter', 'performance testing germany', 'structure present result', 'illumina bovine dna', 'marker analysed', 'region highly', 'study follows ascertain', 'vertebra economically important', '14days post infection', 'pathogen commercial', 'chinese lulai black', 'cb enabled', 'suggests use different', '1326t locus linear', 'discovery rate probably', 'information linked highly', 'genotyped 76', 'synteny duplicated', 'variant potential used', 'epistatic effect observed', 'generation grandprogeny', 'genotyping technology illumina', 'additional different', 'bft tenth rib', 'chick compared early', 'different generation', 'result obtained cow', 'biosynthesis lipolysis fatty', 'dh 371 danish', 'included cv located', 'qtl identified analysis', '888g 910a', 'coincide result', 'swiss cattle', 'conformation progeny', 'ssc4 gwas result', 'western commercial pig', 'threshold cofactor used', 'imprinting important', 'ppard lxr', 'estimate remaining sire', 'age extreme', 'height identified novel', 'nematode study', 'data understand', 'ssc2 derived', 'large white 185', 'enrichment analysis cnv', 'feed gain ratio', 'allow validate effect', 'gain 001 rfi', 'ssc12 lyz', 'affecting bw measured', 'g3072a substitution', 'milking meim estimated', 'increase comb mass', 'pig total 739', 'nordic holstein cattle', 'difference suggest', 'gga15 gga23', 'line strongest near', 'revealed mlnr', 'probability female', 'il 10ralpha 1185c', 'tended decrease c6', 'comparison european', 'utr association', 'region box sox9', 'fat trait overlapped', 'likely model', 'previously identified snp', 'jersey dj 321', 'total 610 herd', 'iar stallion effect', 'offer new insight', 'qtl subsequently investigate', 'length 59', '11 newly', 'gene tend', 'cnvrs overlapped qtls', 'missing homozygous mutant', 'cattle breeder objective', 'criterion breeding swine', 'mechanism metabolic process', 'navajo churro', 'site nucleotide 48699', 'chromosome haplotype', 'common breed detected', 'female gilt reach', 'growth week age', 'pigmented iris heterochromia', 'identified ct', 'insight complex', 'revealed 33 significant', 'na purpose', 'corresponding region', 'haemocyanin antigen trigger', 'causative dna variant', 'effect length tarsometatarsus', 'life anesthesia banned', 'affecting trait data', 'effect secondary', 'weight human aim', '19 53 cm', 'rea bms490 eth10', 'total 38 107', 'regulating acsm5', 'bone fbmd', 'emotional reactivity followed', 'response future', 'lean sample', 'open fertility treatment', 'specific milk', 'qtl mixed animal', 'sequencing study', 'trait lamb', 'body wfe localisation', 'content data generated', 'genotype conceive piglet', 'bird bone density', 'leptin useful', 'boar taint fertility', 'total number born', 'noriker horse identified', '01 qtl', 'individual qtl epistatic', 'premium cut backfat', '125 microsatellite marker', 'age category', 'linear relationship liver', 'haplotype somatic cell', 'significant qtl fcr', '14 qtl ssc1', 'growth fatness carcass', '1251c spp1c 430g', 'ovinesnp50 genotyping', 'merit fertility production', 'using 312', 'gpat4 18 10', 'molecular information result', 'response suggested result', 'animal predominantly', 'color warner bratzler', 'additive effect negative', 'interval s0312', 'better dna', 'composition trait respectively', 'milk method herd', 'nucleotide position 2834c', 'permutation 100 000', 'novel breed', 'coding snp', 'superfamily negative regulator', 'quality production', 'addition qtls c18', 'larger region', 'density lipoprotein low', 'matter intake', 'snp marker snp', 'relative area ra', 'independent study', 'individual elisa statistical', 'significant quantitative', 'newly developed', 'black cattle offspring', '17015a 18362g 18377t', 'intake required', 'related sensitisation', 'significant detected single', '1728 fish', 'polymorphism occurs', 'sib family population', 'score 39 261', 'analysis selection', '24 hr', 'considerable economic', 'fecx identified', 'database chicken genomic', 'high throughput phenotyping', 'line 90 confidence', '49 gga24', 'beef cattle brody', 'protein dbp', 'similarity haplotype spotted', 'tex14 pebp4', 'including missense mutation', 'number vitro leukocyte', 'qtl experimental', 'biological mechanism involved', '51 385 snp', 'sequence data reported', 'calibration ct measurement', 'nutrition condition identified', 'analysed fp pp', 'genomic segment single', 'important trait genetic', 'height cow weight', 'kcnip4 gja5', 'protein 24 arhgap24', 'sm glycolytic', 'neurological impairment certain', 'region significance identified', 'bcwd cause significant', 'significant 05 level', 'program challenging requires', 'trait birthweight', 'backfat identified', 'range bta9 total', 'test categorized', 'nature purpose', 'involved pathogenic se', 'suggestive level identified', 'identified conclusion', 'internationale eclairage lightness', 'respectively single qtl', 'genotype 15', 'intake percentage', '300 fish', 'population strongly supported', 'red chicken currently', 'tissue inner', 'insight biological', 'function chromosome', 'regressors additive', '58 la 40', 'validation previous experiment', 'effect listed', 'variation genome', 'growth component', '01 05 10', 'region bos taurus', 'study used illumina', 'tractable factor agonistic', '12 static', 'strategy breeding management', 'significant association tibial', 'gene prag1', 'various subtypes lead', 'associated nutritional manufacturing', 'method maximum likelihood', 'type ewe', 'study qtlrs', 'analysis omy16 additional', 'scored presence severity', 'animal mutation cause', 'work confirm known', 'genotype generation using', 'genotyping furthermore', 'bw shl', 'hen dermal pigmentation', 'mapping provided', 'level ovary', 'activity lactation peak', 'cm ssc15', 'imputation 290', 'acid c16 content', 'polymorphic snp haplotype', 'polymorphism snp 25', 'nematode resistance sheep', 'histopathological analysis blood', 'selection based snp', 'fraction phenotypic variance', 'ayrshire significantly improving', 'steer gpe 539', 'highly significant daily', 'tt 93', 'growth trait body', 'titre resistance', 'feathering study suggested', 'signal region observed', 'anchored linkage', 'gg ct ct', 'association study horn', 'additionally locus segregating', 'using experimental duroc', 'information originating qtl', 'level itih gene', 'difference antibody production', 'tissue fatty acid', '24 significantly represented', '433c resulting amino', 'parameter lean meat', 'marker chromosome seven', 'rs81400131 rs81405013 ssc8', 'sa hypothalamus adrenal', 'isg20 det1 various', 'wide conclusion', 'variable fit time', 'allele qtl associated', 'snp formed 83', '001 increased', 'ssc2 number suggestive', 'subsequent entry food', 'ssc2 ssc5 coq9', '19 haplotype', 'ratio 05', 'sequencing length coding', 'novelty qtl oleic', 'segregate nordic red', 'repeat marker average', 'black belly', 'lumbar vertebra gene', 'selective breeding research', 'genotype elucidate', 'layer 18', 'usually subset large', 'subunit gene protein', 'fdr suggested', 'calculation dominance relationship', 'day yield', 'fate follicular', 'composition growth trait', 'placed linkage', 'osseous fragment', 'bovine npy gene', 'main associated interval', 'le favourable condition', 'german holstein abcg2', 'gene resulted amino', 'environmental region', 'body dimension trait', 'recorded square method', 'haplotype contrast', 'snp birth weight', 'strong pair wise', 'wide qtl', '16 amino acid', 'sarda sheep genotyped', 'qtl economic', 'trait dairy cow', 'likely network', 'previous quantitative trait', 'snp pre selected', '16 11 58', 'significant threshold particular', 'difference survivor control', 'used test marker', 'indicus despite', 'blood disease transmitted', '05 descending', '9815g snp2', 'opn 891', 'based 634 109', 'performed french dairy', 'combined procedure', 'view hock', 'geographical origin 107', 'lifetime nonproductive day', 'heritability genome', 'significant snp linked', 'snp jf748727', 'level behavioral', 'breed chromosome previously', 'using luciferase', '314 suggestive', 'breakage study genetic', 'associated cecum', 'significant haplotype including', '1769 registered', 'dilution phaeomelanin eumelanin', 'gene provide important', 'infected versus', 'value uncorrected adjusted', 'contains genome', 'wgs used', 'force wbsf', 'locus ssc12 qtl', '48 total gene', 'myf5 snp', 'genome assisted genomic', 'snp2 g105521a', 'gwas marker', 'high solid fat', 'based blup fourteen', 'composition data', 'chromosome body wfe', 'gene known large', 'gene gene function', 'dpr higher pregnancy', 'qlt chromosome', 'multigenic disease', 'cow 19', 'control analysis genomic', 'cruz website', 'pcr reaction strong', 'cell score contrast', 'purebred duroc', 'prepubertal pig', 'affected trait scale', 'extreme simplicity', 'genomic structure', '27 29', 'predicted fat yield', 'qtl design', 'analysed concentration fat', 'wrinkle uneven', '19 quantitative trait', 'genomic sliding window', 'conducted significant 05', '342 snp', 'qtl segregating breed', 'score water', 'understanding genetic factor', '14 female', 'calving afc early', 'study discover genetic', 'denmark furthermore using', 'suggesting lactoglobulin variant', 'gene study needed', 'qtls qtl body', 'ultimately improve', 'wide significant qtl', 'snp 190g', 'trait mainly related', 'milk somatic cell', 'sterol regulatory', 'understood conducted genome', 'significantly associated estimated', 'porcine cart', 'genome assembly facilitates', 'rapidly expanding', '98 duroc 99', 'gene polymorphism used', 'opportunity make effective', 'commercial breeding company', 'preferentially affecting group', 'coagulation property dairy', 'prlr early', 'weight mlc', '134 bp', 'pattern respect', 'antigen trigger', 'simmental bull method', 'newly studied', 'qtl probability genome', 'horse estimated', 'gene dairy cattle', 'kruppel family', 'hsp90aa1 gene tissue', 'dppa2 dppa4', 'snp left snp', '15 27 interestingly', 'horse known', 'snp 1142c', 'mapping feed', 'interaction included model', 'selection brown chicken', 'indel 106_', 'global public health', 'respectively imputed holstein', 'tropically adapted', 'cwt study 13', 'process bovine', 'available study used', 'litter common', 'rate 28', 'mtnr1a play', 'cow using univariate', 'period heifer trait', 'qtl lameness bos', 'background female fertility', 'exploring gene', 'mammal thyroid hormone', 'flock segregating', 'consider haplotype potential', 'gene functional consequence', 'intron pig pou1f1', 'phenotype like', 'joint limb', 'methane ch4', 'choice deplete', 'snp ssc3 remained', 'genotype health productive', 'region sheep cattle', 'estimated using orthogonal', 'trait pb way', 'dermatitis dd', 'located example detection', 'shoulder muscle development', 'genome scan covering', 'select specific mineral', '02 79 04', 'body weight calving', 'mykiss explained quantitative', 'classified control', 'qtl effect different', 'rate dpr', 'involved body', 'hypothalamus year', 'undetected study combine', 'fertility holstein previously', 'gene semen trait', 'days open candidate', 'gwas window largest', 'signalling molecule', 'mrna atp5b', '80 72 87', '32 77', 'sign undetected various', 'growth trait pb', 'important role establishment', 'candidate exploration study', 'microsatellites identified significant', 'significant detected', 'trait based available', 'biochemical property carcass', 'maintenance lactation mammal', 'deviation bonferroni', 'qtl shed new', 'assay using 305', 'set 736', 'suggested region included', 'gm muscle 350', 'elisa status', 'control assay using', 'genetic effect simultaneous', 'kb region historically', 'transferable embryo nte', 'genetic parameter using', 'measure principal', '76 genome', 'genetic factor shaping', 'population 12 000', 'selection imposed trait', 'marb genotype', 'sheep isolated blood', 'confirmed qtl previously', 'purge loss shear', 'promoted serum', 'feed efficiency important', 'benefit monounsaturated fatty', 'mln candidate', 'ttn teat', 'growth result provide', 'component adaptive immune', '50 adjacent snp', 'horse breed', 'sire dam age', 'observed total saturated', '99 pietrain 98', 'ssc5 27 28', '20 false discovery', 'square regression interval', 'important factor culling', 'result provide starting', 'ebv drps estimated', 'colour variability large', 'combined population additive', 'affecting sc', 'apd apr', 'variety included', 'snp used', 'aa ag', '110 using pedigree', 'expression prkag3', 'total 23', 'candidate chromosomal', 'area animal centro', 'coding thrombospondin thbs1', 'bovine quantitative trait', 'index estimating disease', 'located proximal end', 'opportunity understand', 'potentially highly', 'ssc 18 fat', 'effect 433a', 'new locus associated', 'complex mainly', 'discovered including', 'qtl contribution family', '815 34', 'trait lm', 'expression ct', 'production holstein', 'dq affected', 'higher growth trait', 'study humoral', 'contains transcript gene', 'nanyang cattle', '24 qtl', 'pig population 383', 'black whilst majority', 'close afabp gene', 'investigated effect trait', 'known scurs', 'goat 97 chimpanzee', 'affect atgl', 'breed useful genetic', 'outbred f2 mixed', 'heifer canadian', 'association study total', 'embryonic development appendage', 'chromosome constructed interval', 'meat quality validate', 'assessed worm', 'specie objective study', 'carrier protein', 'white facial marking', 'sck2 holstein', 'mutation porcine nr3c1', 'likely represent', 'ancestry european commercial', 'small chromosome', 'eqtls trans regulatory', 'cell proliferation captured', '35 le', 'gga 13', '205 litter', 'place second qtl', 'prediction best derived', 'snp use', 'trait locus fatty', 'suggestive qtl discovered', 'include ercc6', 'highest peak genome', 'bull originating french', 'region flanked sw2456', 'flanking locus method', 'result dh', 'significance level', 'significant general', 'sod2 observed', 'presenting ratio', 'based predicted', 'half sibs low', 'microsatellites evenly distributed', 'cattle stillbirth', 'non overlapping group', 'stratification significantly associated', 'track knowledge genetic', 'rate study', 'analysis performed ghr', 'gene cattle single', 'eliminate need castration', 'test genetic', 'milk production cause', 'qtl haplotype examine', 'exon polymorphism', '660 transcript profile', '11 genomic region', 'gene underlies qtl', 'constant contained', 'counterpart vrq', 'informative qtl region', 'member type', 'breed genotype mastitis', 'method facilitate gaining', 'considered pl breed', 'explained udder trait', '170 snp', 'level qtl identified', 'selected qinchuan', 'allele substitution predicted', 'holstein cow tested', 'result indicated imprinting', 'change limited', 'suggest a868g', 'seed region micrornas', 'roh identity state', 'synthesis glycogen metabolism', 'yellowness effect', 'reveal significant', 'tissue 10', 'hsp90b1 col18a1 associated', 'caused 70 85', 'intron usp43 gene', 'pelvic heart fat', 'originates broad range', 'analyzed using', 'linked traditional mcp', 'mlw cross', 'parturition recorded 288', 'chip panel unravel', 'individual pregnant non', 'prkag3 ile199val', 'fundamental process mammalian', 'outbred pedigree exposed', 'mapped acsl4', 'kit bta22 close', 'maternal paternal allele', 'plasma glucagon', 'ovine chromosome oar', 'caused single', 'power limited small', 'including post translational', 'generation sus', '444 cow', 'intake rfi', 'meishan developmental stage', 's18n variant associated', 'microsatellite marker search', 'tmem145 wwc2', 'nf2 fasn', 'production trait permutation', 'production trait relationship', 'genome revealed 35', 'count avfec', 'mb breed', 'nature milk', 'variance explained significant', 'chchd7 intergenic', 'qtl model tlr9_tt', 's0008 relative', 'spaced polymorphic selection', '1394a his465arg', 'differentially expressed est', 'marker 15 chromosome', 'ewe influenced age', '33 consistent', 'variant consistently', 'kosher status', 'breed 243', 'leg loin 540', 'cnvs meat', 'blood flow', 'animal 6723aa', 'interaction showed highest', 'autosome used fertility', 'production demonstrate', 'allele uniquely identified', 'efficiently reduce', 'rs41919992 rs133498277 rs41919984', 'study facilitate identification', 'calpain mac', 'cast molecular variation', 'crossing shamo lean', 'gene ssc2', 'production allelic expression', 'underlying biological mechanism', 'expression upregulated day', 'pair sibs', 'association klf15 gene', 'considerable variation breed', 'mid infrared mir', 'model result combined', 'genotyping combination high', 'sow landrace sow', 'muscle related trait', 'feasibility concomitant', 'selected overlap snp', 'adjusted variance', 'genetic regulation lipid', 'interval gamete', 'improved increase yield', 'trait snp altered', 'ancestral red', 'coding flanking region', 'meat quality snp', 'indicate marker retain', 'heritability value low', 'duroc boar high', 'quality driven', 'crude lipid', 'increase efficiency', 'progeny expected affected', 'supporting existence', 'resulting mandatory', 'gland present', '62 cumulative truncation', 'snp t314c detected', 'total 48 genome', 'yield cow', 'population 874 result', 'ham cut qtl', 'p450 ii e1', 'accession number', 'adipose dna', 'presence highly significant', 'goal study use', 'using forward selection', 'pertaining berkshire duroc', 'cell score productive', '796 pedigreed', '1a 43722547a il', '292 315 f2', 'significant qtl localized', 'cross synthetic sino', 'plus available', 'associated map susceptibility', 'artificially challenged contortus', 'mapped eqtl', 'component analysis total', 'livestock specie companion', 'selected line high', 'promising variant significantly', 'interval consistent reduction', 'snp associated eicosapentaenoic', 'sweden denmark', 'map orthologous', 'model previously', 'phenotypic measurement 350', 'chicken fatal', 'subsequently fine', 'trout searched linkage', 'mac correlated wb', 'content 126', 'environmental effect', 'yield fertility', 'locus contribute', 'close muscling qtl', 'ability sow largely', 'qtl region investigated', 'haplotype potent', 'background nba', 'architecture extensively characterized', 'serve useful marker', 'fertility growth trait', 'level declaring', 'chromosome ssc1', 'marker gga2 11', 'chemical percentage', '753 total 23', 'discovered association data', '01 haplotype analysis', 'defect ists expanded', 'finding contribute increasing', 'prkag3 024 976', 'suggest haplotype serve', 'explaining 46 18', 'associated 17 conformation', 'establishing relationship', 'selection mastitis', 'pig muscle', 'hypocalcemia main objective', 'demonstrate effect gene', 'remained association', 'fatness estimated subcutaneous', 'highlighted functionally', 'cebpd gene involved', 'disequilibrium prnp selection', 'snp qc', 'snp regarded causal', 'trait gwas aim', '435g 447a', 'cd cc', 'consisted 31', '25 affected sc', 'ear size shape', 'scanning approach using', 'regulation somatic', 'step association', 'play important', 'value conductivity meat', 'production trait moderate', 'blup genome', 'located intron ghr', '27 28 represent', 'like factor', '43 significant snp', 'addition various novel', 'bta26 10 006', 'worm resistance', 'guernsey 50 bull', 'generation surprising', 'sex linked microsatellite', 'breeding stock', 'clinical sign undetected', 'make aim', 'segregating status', 'bbl analysis data', '10 experiment wise', 'animal breeding program', 'recessive dominant genotypic', 'suggestive qtl mapped', 'population complex', 'study evaluate lp', 'genetic covariate removed', '58 cm close', 'snp age', 'generating premature', 'modern breed resequenced', 'suggesting qtl question', 'rib ssc15', '24 association', 'relation intramuscular composition', 'bta6 sck1 bta14', 'resistance cd sufficiently', 'serum level', 'reliability genomic', 'muc4 gene', 'demonstrated differentially', 'bta accounted', 'worldwide mapping locus', 'dpr 68 snp', 'reduce carcass', 'qtl variation calpastatin', 'nfatc4 abtb2 gramd1b', 'backfat ultrasound marbling', 'snp strongly', 'variance bw', 'quantitative gene near', 'cross trait', 'trait identify', 'production feed', 'extracted hair', 'breed cultivated breed', 'f2 cross commercial', 'heterozygous ewe intermediate', 'fat deposition', 'reported studied', 'received grass', 'attachment chromosome 13', 'marker cattle', 'gene pleiotropic effect', 'preliminary qtl', 'trait marker analysis', 'md 131', 'selection palatability', '3290t snp strongest', 'japanese black', 'higher cc', 'manych merino', 'naturally tender', 'population breed specific', '968 imputed', '68 11 phenotypic', '433 animal result', 'weight aa', '04 significant', 'frequency alternate breed', '362 individual', 'including detected individual', 'ssc6 respectively refining', 'le cm assumed', 'snp related mstn', 'holstein cattle population', 'point mutation prnp', 'interval qtls ranged', 'recent porcine genome', 'milk nutrient', 'concordance 100 qtl', 'proportion le', 'calculated fivefold cross', 'contour feather important', 'located eca1', 'underlying carcass weight', 'association growth trait', 'type allele selection', '18 marker', 'f94l polymorphism consistently', '14 concordant sequence', 'trait sus scrofa', 'pig selected association', 'analysis qtl fertility', 'relative advantage', 'sex design hatching', '10 ap', 'ssc14 livp ssc7', '832g 919g serpina6', 'family belonging', 'mutation positioned', 'demonstrated chromosomal region', 'fertility 51', 'analysis revealed functional', 'lw meishan crossbred', 'growth curve parameter', 'factor half', 'lg3 lg21', 'fertility quantified', 'wwc2 cdkn2aip ing2', 'derive gene', 'result showed founder', 'sib regression', 'analysis addition', 'second study', 'layer second', 'loin primal', 'based data method', '40006g 42344t', 'report step unravelling', 'linkage false', 'number volume fat', 'abhd5 study function', 'androstenone candidate', 'variance gestation', '988 piglet', 'hydratase hydroxyacyl', 'citrate content', 'tailed sheep', 'identified region ovine', 'mb snp', 'marker highly', 'reported qtl fatness', 'balance study', 'random forest rf', 'growth mapping qtl', 'fat yield py', 'pirm syndrome connected', 'knowledge report qtl', 'analysed method', 'ewe genotyped', 'component used domestic', 'width gga3 information', '9q31 affected', '34 30 animal', 'polymorphism 67g 16', 'close marker mnb208', 'identified bta 23', 'level fat', 'rna sequencing testis', 'based combined data', 'process relies interaction', 'aim current study', '58 large', 'stage poorly', 'using bayesian method', 'property result variation', 'potential advantageous', 'rs13905622 strongly', 'production affecting growth', '26 28 29', 'approach detected region', 'region gene known', 'development ovary follicle', 'line locus', 'body composition located', 'identified 59e', '16432c resulted nonsense', 'transcription factor central', 'i_ra fiber', 'present different', 'mir 1657', 'value detected', 'breed identify', 'protein mammal specie', 'entropion 01', 'cwt ema imf', 'individual admixture analysis', 'studied difference significant', 'association bcdo2 locus', 'chromosome relatively', 'fat content milk', 'aa genotype thicker', 'largest dominance effect', 'separate sire', 'second analysis', 'indicates common', 'wb myofibril fragmentation', 'examined multigeneration pedigree', 'effect phenotype capn1', 'genotyped 103 genetic', '23 overlapping region', 'literature approach represents', 'difference chicken line', 'detected german fleckvieh', '192 snp', 'important role fat', 'disease salmonid fish', 'influence vertebra number', 'bw animal dominance', 'haplotype candidate gene', 'addition kit gene', 'bta22 btax bta2', 'number teat large', 'response strengthened additional', 'intercrossed produce 314', 'evidence suggest distinct', 'production region', 'behaviour test', 'bco2 snp', 'c18 ssc11 c20', 'snp revealed 70', 'rhm revealed', '26 suggestive qtl', 'caused sudden accumulation', 'reveal specific', 'contrasting prevalence btb', 'cnv ranging', 'il6 response', 'anxa9 slc27a3 dgat1', 'implemented interval', 'presence lamb', 'overall test', 'attached anatomical location', 'snp quality control', 'significant regression', 'relevance abcg2 gene', 'immediate translation breeding', 'content 62', 'conclusion selective genotyping', 'map utilized development', 'protein zo', 'commonly evaluated', 'gg haplotype inferior', 'fabp5 clustered mammal', 'tdt transmission disequilibrium', 'interaction highly', 'mapping qtl marbling', 'significantly increased', 'eca18 employing', 'rs80805264 nearby', 'object snp associated', 'genotyped 73 microsatellites', 'challenge infected', 'problem important welfare', 'snp associated trait', '977 hol cow', 'subjected association weight', 'slaughter subcutaneous fat', 'refined location slick', 'member csrp1', 'mutation dilution', 'snp linked', 'production tested validation', 'identified suggestive level', 'strongly indicate', 'vertebra vertebra large', 'iowa h5n2 survivor', '18 unique', 'damage challenge', 'fat composition tested', 'homeostasis study', 'locus useful selection', 'strain moderately virulent', 'sequencing 273', 'ucp2 ucp3 igf2', 'obtained single marker', 'investigate association opn', 'mbp snp reached', '55 mb consistently', 'fewer qtl', 'region harbored', 'snp assayed associated', 'half proviral concentration', 'bp region', 'evaluated family', 'control aim identify', 'igga ige identified', 'population initial genome', 'breed sahiwal famous', 'classified elovl6 533c', 'progressive severe', 'versus 25 higher', 'lm sm', 'formation chicken', 'included additive', 'qtl influencing', 'mature mirnas', 'dbh cdk5 nf2', 'reported based', 'meat affecting economy', 'qtls chromosome region', '117 marker', 'elucidate qtl', 'fat1 previously detected', 'influencing sheep', 'predictor superovulation chinese', 'disease rainbow', 'specific locus', 'vole human candidate', 'breast muscle drumsticks', 'traced inheritance', '52 mb associated', 'function milk', 'acaca gene', 'novel non', 'tested dominance effect', 'σ2p milk', 'infertility 80 741', 'oestrus cycle', 'mammary gland cause', 'adaptability nelore breed', 'validated sift', 'detected allelic frequency', 'antibody significant', 'significantly 05 01', 'boar evaluated', 'mutant allele traced', 'different muscular fiber', 'quality complex term', 'regulate response required', 'lhfpl tetraspan subfamily', 'cox significantly', 'udder clearness', 'sire using single', 'validated decreasing', 'snp 321a', 'driven selection finding', 'confirmed finding g16', 'thickness period', 'analysis powerful', 'phenotype acop', 'content c18 c16', 'weight longissimus muscle', 'wool fiber diameter', 'combining breed holstein', 'genetic perspective', 'percentage average', 'occurs 5000', 'hotspot region', 'composition beef', 'analyse polymorphism', 'type number area', 'pathway integral', 'record 21 72', 'result study shank', 'representing infection', 'landrace identified high', 'milk yield lactation', 'slaughtered wk', 'titin cap', 'matrix snp haplotype', '15 18 selected', 'despite genetic correlation', 'locus qtl resistance', 'force identified', 'showed method', 'record 1894', 'variance muscle', 'cell removal previous', '1st intron', 'qtl region cl349415', 'deletion btnl1 col21a1', 'cm number', '500kbs qtl', 'differentiation insulin triglyceride', 'health dairy cattle', 'backcross generation result', 'study new snp', 'analysis selective dna', 'approach including', 'genotyped 23 fluorescent', 'likely change', 'component pc explained', 'producer vary', 'trait detected ssc6', 'varying size remaining', 'line ancestral', 'individual yorkshire', 'reproduction trait analyzed', 'tasting healthier product', 'component snp', 'chromosomal region significant', 'gene assigned chromosome', 'particular snp promoter', 'ssc7 negative effect', 'ptgis idh3b ryr2', 'variant contribute variation', 'specie semi', 'deposition present study', 'qtl ssc7 mapped', 'trait identified 37', 'located 54', 'advanced imaging technology', 'pck1 closely', 'equal frequency line', '17 gene', '19 586 genotype', 'moderately heritable pig', 'fetal growth bovine', 'birth date', 'pinkeye infectious', 'gene cyp27a1 cyp2j2', 'variant fshr', 'fitting individually significant', 'data 72 trait', 'gene compared reported', 'imf minolta', 'map holstein', 'transformation clarified', 'control affected clinical', 'fat ssc12', 'reciprocal efficiency gain', 'rna22 rnahybrid negative', 'selection analysis', 'trial adg', 'allele 426', 'composition addition explored', 'mitf gene', 'associated racing performance', 'meat tenderness involved', 'disequilibrium implemented gridqtl', 'background recent', 'substitution effect 19', 'model fe 1425', 'used address', 'analysis human family', 'gwas result', 'ldla 13 reached', 'affecting function', 'reported qtls sus', 'composite index', 'numerous qtls', 'sow progeny', 'utr respectively tibetan', 'qtl ssc7 683', 'data collected 789', 'productivity functionality type', 'immune suppressive', 'causal cholesterol disorder', 'homeostasis experiment', 'addition polygenic effect', 'studied qtl', 'economically important swine', 'snp bp indel', 'ewe analysis homozygote', 'arrdc3 stc2', 'livestock stable', 'analysis cattle human', 'solution issue genetic', 'bb genotype showed', 'gene suggested rasgrp1', 'control mastitis', 'caused single gene', 'receptor avpr1a targeted', 'lamb animal categorized', 'heat parasite', 'spl replacement cost', 'study polymorphism gene', 'tibia femur identified', 'seemingly unrelated', 'endocrine trait', 'gramd1b ndrg1 apc', 'agreement location qtl', 'given certain', 'haematocrit strong', 'predicted effect defined', 'illumina bovinesnp50 bead', 'selection allele', 'fat depot controlled', 'phosphorus ip alkaline', 'set overlapping primer', 'bull linear regression', 'potential tool', 'showed association lean', 'marker predict', 'sheep selection line', 'genotyped million snp', 'disease common', 'role stat1 regulating', 'global agricultural economy', '571 ovulation', 'subpopulation result', 'value 9x10', 'haplotype sire received', 'downstream s554331', 'including putative', 'sired bull', 'individual 22', '533 217_79 533', 'result joint analysis', 'investigation causative gene', 'withers height chest', 'tasting flavor', 'potential influence economically', 'independent validation study', 'rflp bsri', 'located far', 'lma cc', 'qtl lda german', 'tested statistical association', 'close promotes candidate', 'chicken h1h5 diplotype', 'defense milk production', 'average somatic cell', 'locus glmm', '49223 49228', 'variation offer limited', 'mated create', 'definitive dna marker', 'lactation chromosome', 'temperament defined', 'management beef cattle', 'segregate haplotype', 'risk suggesting', 'effect included model', 'gwas cow', 'phenotype ranged 421', 'disease resistance', 'analysis concluded', '25 suggesting', 'ptgs1 fras1 reported', 'score total', 'qtl affecting resistance', 'trait studied data', 'sodium activated channel', 'controlling single trait', 'immune response modulation', 'tsp result age', 'curd firmness syneresis', 'vertebrate development', 'widely applied', 'familiar unfamiliar', 'genotype 871 finnish', 'capns locus mar', 'trait dairy sheep', 'associated muscling fatness', 'ccr2 genotyped canadian', 'snp located 33', 'addition scs', 'liw 170 cm', 'lipid composition trait', 'analysis highlighted 877', 'association test implemented', 'carcass trait including', 'qtl allele associated', 'undesirable consumer european', 'wssgwas identify candidate', 'gene sequenced novel', 'development study explore', 'map based', 'previously related fertility', 'qtl encompassing', 'induced lesion recent', 'fixed covariate factor', 'percentage detected oar3', 'trait meishan pietrain', 'challenged type prrsv', 'subsequent immune', 'signal suggested', 'genotype paternal', 'susceptible ectoparasite indicus', 'parasite sheep similar', 'tuberculosis reported specie', 'locus animal genotype', 'newly detected', 'liveweight measured', 'plasma homocysteine concentration', 'region weight length', 'rxfp2 support', 'prediction gblup weighted', 'microsatellites mean spacing', 'porcine model provide', 'sharing higher', 'using genomic', 'average 19 haplotype', 'mutation abcd4', 'difference observed expected', 'pig ensembl', 'm3 qtl', 'model tlr9_tt coupling', 'piglet different breed', 'susceptible allele', 'gga2 dl gga1', 'detected different half', 'ewe various public', 'exploiting panel', '54 148 snp', 'postweaning growth', 'population assessed using', 'taint especially research', 'association study aim', '26 subunit', 'pig 12', 'body weight genetically', 'asparagine aspartic acid', 'gestation length maternal', 'snp 39a', 'group design', 'chicken f2 intercross', 'haeiii sequencing 273', 'transcript single', 'eqtl slc37a1', 'existing half', 'addition mrna expression', 'level dhx38 average', 'data sire inconclusive', 'content present study', '25 strongest association', 'correlation gene', 'poultry industry aggressive', 'trait improvement high', 'adjusted birth weaning', 'count sccs', 'marbling score tenth', 'data half', 'chromosome eca 18', 'significant association individual', 'production protected designation', 'allele negatively correlated', 'narrowed cm', 'chain fatty acid', 'detected oar4', 'likelihood peak ninth', 'previously showed genetic', 'respectively repeatability', 'functional enduring mammary', 'index vertebrate', 'include gene regulating', 'identification snp upstream', 'chosen genotyped using', 'defect recorded white', 'snp c18', 'polymorphism srebf1 polymorphism', 'chromosome 13 seventy', '18 07 lower', 'percentage order marker', 'carry mutation', 'early predictor', 'debilitation leading', 'sire genotyped 29', 'enrichment analysis identified', 'ssc15 marker', 'association measured trait', 'efficiency individual genomic', 'variation new mutation', 'structured study', 'fabp4 haplotype', 'genetic selection marker', 'subsequent gwas mon', 'rate reflect water', 'selected genotyped high', 'trans retinol', '014 018', 'men detected', 'overlooked present analysis', 'analyse polymorphism mutation', 'cattle genomic region', 'width greater', 'specific single nucleotide', 'previously identified using', 'norwegian standardbred sb', 'acid composition tissue', 'big economic loss', '12 25 96', 'qtl sc valdostana', 'developmental pathway common', 'raised exclusively pasture', 'carcass appears', 'competent adult specific', 'genotyped 55', 'various meat quality', '33 05', 'homozygous region contributing', 'association analysis usually', 'coefficient interval cm', 'course lactation', '91 charolais', 'polymorphism identified 10', 'important consumer meat', 'available f4ab f4ac', 'lamb response appears', 'aimed confirm genetic', 'compared age matched', 'advantageous molecular', 'cyp2j2 gc', 'bmd female', 'sheep jordan affected', 'cross qtl mapping', 'scan conducted resource', 'assessment individual', 'variance contributing', 'gene involved sensory', 'mean fiber diameter', 'high impact variant', '398 steer', 'desirable avoid small', 'lower score genotype', 'synthesis extracellular matrix', 'leucocyte count including', 'region snp', 'eggshell strength', 'nucleotide sequence intragenic', 'ii linked', 'muscle depth effect', 'locus affecting resistance', 'detected 5971 snp', 'result suggest dominant', 'flavor appearance texture', 'rf identified significant', 'value lod', 'trait studied difference', 'putative qtl modeled', 'milk effect mutation', 'rs42091426 mb region', 'experiment wise 10', 'result sampling animal', 'genotyped population study', 'polymorphism autosome', 'gene effect resides', 'thyroid hormone', 'variant 02 associated', '141 snp', '199 08', 'ancestral breed genome', 'yellowness bco lower', 'receptor 1a mtnr1a', 'microsatellite marker linked', 'animal dna', 'dhps wd', 'fat protein milk', 'using chicken 60k', '100 resource population', 'gwas feed', 'genotype chi square', 'humidity index', 'mar qul', 'qtl ci', 'population 46', 'population chromosome wise', 'qtl affecting birth', 'rate probably represent', 'heterozygous lm qtl', 'included 1042', 'associated appearance', '009 weaning', '55 mb', 'continuously significant effect', 'containing g4b enssscg00000031548', 'animal breeding selection', 'autosomal mendelian', 'selective breeding selective', 'bos mutus suggests', 'polymorphism spp1c 1301g', 'identified sal1 region', 'infection healing', 'model confirmed litter', 'heritability pd αs1', 'rate embryonic', 'acid using 346', 'number insemination conception', 'ibh genotype 200', 'signaling major', 'candidate locus', 'chromosomewide significant', 'identify potential', 'pedigree dataset containing', 'detect pig chromosomal', 'highly prolific ewe', 'chicken chromosome covering', 'disease dairy sector', 'mineral content muscle', 'trait probably preserved', 'evolutionary conserved', 'wide genotyping sequencing', 'september october year', 'united state substituted', 'regulatory sequence', 'designed flock comprising', 'influence litter size', 'result progeny', 'measure metabolic rate', 'reproduction performance study', 'associated rate post', 'chest breadth', 'il8 h1', 'association stage analysis', '95 cm ssc6', 'fragment snp discovered', 'qtl ssc8', 'chip association', 'fraction 81', 'dgat1 thyroglobulin', 'mapped region containing', 'present experiment', 'smell process overrepresented', 'snp associated level', 'final mbv created', 'haplotype resulted increased', 'srb finnish', 'revealed 17 genetic', 'ccl2 gene snp', 'conducted locate quantitative', 'identified genetic region', 'success genetic diversity', 'cholesterol ldl', 'level transcript', 'sample 2713', 'report qtl semen', 'gcta software result', 'composition important trait', '35 35', 'restraint test', '0016 respectively c4535156t', 'family containing 1622', 'saharan africa indigenous', 'raised better', 'suppressing expression', 'snp 636a luciferase', '14 20 marker', 'consistency previous genome', 'significant snp tnb', 'produced national', '327c proven negative', 'thickness qtl', 'wnt10b 12 detected', 'gait training', 'compared pedigree', 'process lipid', 'fully formed pig', 'support body', 'pietrain pulawska altogether', 'help expand knowledge', 'dyd lactation 272', 'trait permutation test', 'meat difficult', 'breed observation', 'hereditary underdevelopment ear', 'post weaning grazing', 'hcr1 repeated', 'cutaneous allergic', 'virus ndv study', 'breed genotyped identified', 'pvuii genotype showed', 'specie present', 'qtl bta29', 'imf used', 'distributed 10 family', 'content associated nutritional', 'locus confirmed', 'salmonella colonization provides', 'percentage italian', 'locus objective study', 'skin identify locus', 'assessed analyzed', 'cloning sequencing', 'u6 spliceosomal rna', 'addition systematic', 'conclusive determination', 'reconstructed snp', 'postnatal growth', 'related severity', 'known underlying', 'high density genotype', 'pathway meta analysis', 'refine id', 'inra133 ilsts090', 'sheep advanced', 'severely rao', 'furthermore important', 'oxygenated series event', 'sired crossbred', 'volume number adipocyte', 'fabp4 pmp2', 'observation morphological', 'total fiber number', 'effective predictor trait', '18 affecting', '93e 11 variant', 'underlying lp gwas', 'study complex', 'architecture boar', 'family associated', 'growth cell', 'neuronal cell', 'transient receptor potential', 'chicken obtained', 'chemical physical body', '444 additional animal', 'week age animal', 'important improving', 'variant chromosome remained', 'sequencing gb', 'country mainly improved', 'animal extreme', 'ssc6 respectively', '16963 study verifies', '1629 animal genetic', 'chromosome slc11a1', 'distribution allele', '47 mb snp', 'bnip3 myct1', 'high imf duroc', 'detected chromosome included', 'position 371', 'intake gwas', 'production trait providing', 'obtained using monte', 'backcross family', 'identified body weight', 'beadchip applied 105', 'serotype aerosol', 'rvtv ratio', 'quality snvs including', 'tenella chicken performing', 'dependent protein', '05 indicating', 'dam af', 'record available', 'addition qtls', 'qtl litter', 'detected suggestive qtl', '12 76 60', 'analysis tolerance', 'shared similarity', 'constructed inra jxau', 'snp ssc2', 'bovine hgd gene', 'help genome', 'physical map sscrofa10', 'animal sire model', 'fcr interval', '24 cross', 'longissimus dorsi 439', 'significant region sh3rf1', 'kb chromosome snp', 'predictor forecast', 'exon led change', 'explain loss oncogenicity', '12 snp bovine', 'tsetse fly widespread', 'gga5 result', 'family finding', 'causative snp single', 'genotype fatty acid', '01 group', '336 texel lamb', 'lowly heritable trait', 'located region spanning', 'p2x3r fixed', '14 lastly qtl', 'gene collected', 'unfavorable rg 31', 'pathway gene', 'conspicuously close', 'weight gain detected', 'occurring dominance dominance', 'myadm family member', 'anka chicken f2', 'adequate protection disease', 'norwegian swedish', 'significant deviation selective', 'qtl associated percentage', '14 11 14', 'appearance condition crossbred', 'rfi 05 23', 'rate pr calving', 'effect allele interaction', 'exposure mouldy hay', 'performed using linear', 'locus mean', 'effect qtl ssc4', 'effective approach', 'promotes inflammation', 'revealed computer assisted', 'provided start point', 'significance level 05', '15 gene mean', 'competitive riding', 'fillet yield rainbow', 'chromosome nordic', 'mapping line cross', 'produce significantly higher', 'tissue tested especially', 'carried 26 qtlr', 'investigate parity', 'ranging camouflage', 'applied illumina porcine', 'bmw gluc result', 'eggshell quality challenging', 'card15 important', 'exhibited best value', 'disease trait mass', '20 mapped location', 'historical information used', 'associated specific', 'testing aid', 'study evidence association', 'effect difference', 'goat genotyped', 'rigorously tested individually', 'added allow', 'segregating qtl', 'wur snp associated', 'combined tenderness', 'attained puberty candidate', 'sheep characterized transition', 'nv sheep', 'heart weight', 'relevant colour evolution', 'validation scheme', 'classical approach italian', 'control mastitis immune', 'mln expression', 'pituitary gonadotrophic cell', 'region including ripk2', 'virus ipnv', 'cm estimated substitution', 'type cb', 'fat deposition skin', 'percentage myostatin mstn', 'arr heterozygous', 'bta18 addition', 'adck5 pp1r16a', 'iia ssc2', 'antibody titre snp', 'marker prioritized', 'analysis linkage', 'area identified', 'responds thyroid', 'c18 c20 monounsaturated', 'carotene content bco2', 'employing limited', '13 broiler leghorn', 'inherited broiler', 'study molecular characterization', 'gene expression link', 'showing gene tmem68', 'length area', 'map containing fmo1', 'study located qtl', 'height xkr4', 'variant single', 'bw gain pwg', '82 18 prl', 'hereford approximately 95', '28 revealed candidate', '300 serum', '336 texel', 'candidate causal', 'ham weight ham', 'function liver', 'muscle cause translational', 'underlies qtl small', 'breeding pig', 'polymorphism level axis', 'eye area observed', 'random selective', 'chicken egg production', 'pigment inhibiting', 'different trait related', 'bipolar disorder', 'population 954 progeny', 'functional annotation', '770 snp', 'adjusted 420', 'suggested independent', 'meat quality beef', 'gga3 gga6', 'dongxiang spotted pig', 'backfat igf2', 'finding research valuable', 'calculated cm', 'trait expression analysis', 'mb region responsible', 'study meta analysis', 'fatness estimated', 'frameshift mutation', '2379c h2 2449c', 'circumference month', 'contained 746 bp', 'genotyping array bird', 'growth 28', 'substantial interbreed', 'type new', 'significant effect bft', 'pony arabian thoroughbred', '05 479', 'analysis identified 15', 'association pattern snp', 'gwas approach conducted', 'uw cddr population', 'potential dqb1', 'displayed significantly', 'variation primary', 'best approach obtain', 'crossbreds different', 'white 23', '47 type', 'polymorphism hapmap22923 bta', 'haplotype analysis suggests', 'hematological trait important', 'expected direction', 'fat cent peak', 'fat thickness association', 'genetic marker use', 'weight gain efficiency', 'holstein cattle mastitis', 'structural bone period', 'using 160', '400c exon', 'consumption measured', '20 generation snp', 'finding phenotypic', 'fever important', 'yield bta14', 'functional study additional', 'polymorphism generated c4715t', 'interesting region fine', 'erectness important conformation', 'functional cluster gene', 'number gene genomic', 'variance shank growth', '19 month', 'level prkag2', 'imw 05 result', 'riboflavin transporter', 'beadchip provided', '30 kg', 'bayesr applied', 'allele increased teat', 'conclude jolliffe', 'sire genotyped 73', 'source observed', 'susceptibility used', 'set approach provided', 'seven promising candidate', 'region survival reproduction', 'translation processing', 'small noncoding rna', 'haplotype conclusion conclusion', 'average instron force', '15 cm qtl2', 'npd gene identified', 'animal showed', 'allelic frequency', 'release bovine', 'sufficient significant', 'sheep time sheep', 'maternal infanticide identified', 'mstn loss function', 'economy meat production', 'formed linkage', 'milk sample 416', 'polymorphism snp genomic', 'assigned group consecutive', 'phenotypic variance information', 'respectively pattern', 'assay developed identify', 'indicating gene', 'acid composition trait', 'qtl osteochondrosis fetlock', 'snp panel dataset', 'radiologic change equine', 'respectively cc', 'result concordant dataset', 'sa general linear', 'score occurrence clinical', 'site concordantly 127', 'shank source', 'bta 17 mb', '115 marker', 'typed microsatellite marker', 'level comparison power', 'snp total', 'developmental qtl1', 'central bmc', 'fayoumi cross positional', 'lipid human', 'target sequence hypothesize', 'determined controlling false', 'effect cdna rorc', 'detrimental behaviour chicken', '26 analyzed', 'allowing identification large', 'lhfpl tetraspan submily', 'qtl carcass 12', 'thickness abt total', '531 progeny', 'performance significant', '25 qtl reached', 'h2h2 used molecular', 'resulting fracture believed', 'snp axis inhibitor', '11 σ2p', 'collected muscle sample', 'sheep selection', 'snp search genome', 'af trait', 'fto ryr1', 'cooperation phagocytic cell', 'mapping vca breed', 'fitting polygenic variance', 'pony polymorphism exon', '26 underlying scd', 'cebpa gene mixed', 'oc investigation', 'effect cryptic allele', 'hierarchical linear model', 'routinely performed genetic', 'background meat technological', 'conformation udder health', 'weight carcass component', '6th intron porcine', '942 young bull', 'model mendelian parent', 'matrix gemma', 'breed method commercial', 'evaluate possible', 'chromosome region affecting', 'carcass evaluation conformation', 'variance model identified', 'relationship boar', 'resistance susceptibility footrot', '134 bp exon', 'hnf 4α member', 'weight haplotype 17', 'test torsional', 'amplicon promoter', 'method qrt', 'identified selection', 'combining gene', 'association mstn cattle', 'common variant', 'confidence interval position', 'identify main', 'pt 12', 'data beef', 'pleiotropic effect affecting', 'candidate gene gdf9', 'hanwoo steer locus', '11 prolificacy', 'animal accuracy imputed', 'lipolysis fatty', 'infective agent great', 'variation horn', 'afp plasma', 'genetic architecture fatty', 'farming practice', 'son genotyped 416', 'exhibited pathogen specificity', 'compared allele', 'significantly 05 genotype', 'result expression microarray', 'taken study 33', 'solid cysolids curd', 'a59v microsatellite bm1500', 'target breeding', '11 cis 14', 'breeding farm', 'sire genome wide', 'repeat fyve', 'including drip loss', 'atp1a1 gene encodes', 'experiment 17 chromosome', 'combined dam line', 'acting eqtl', 'acid metabolism mb', 'qtls overlooked present', 'trait l1', 'underlie observed', 'polymorphism snp parental', 'swine growth', 'different multibreed meta', 'respectively association', 'research reported', 'damara fat', 'selected gene study', 'waist gnmt pla2g7', 'ai service hcr1', 'induced phosphatidylinositol', '42 51', 'posterior teat absolute', 'classified functional cluster', 'role leptin', 'ssc8 12', '0457 0001 specifically', 'condition lead blindness', 'indicating pc1', 'wildtype haplotype surrounding', 'capacity required', '18 hematological trait', '947 kb region', 'examined qtl affecting', 'limited success', 'according birth', 'f3 backcross iberian', 'background milk', 'content causal mutation', 'dehydrogenase indicator enzyme', 'model containing fixed', 'snp marker 13', 'beadchip analysed', 'bwt 428 weaning', '144 significant', 'number domestication related', 'positive association genomic', 'expressed imprinted', 'associated bw bone', 'effectively efficiently', 'behavior vole human', 'association genetic analysis', 'resistant group', 'previously accomplished genome', 'wk lamb sire', 'gene current study', 'identified genetic effect', 'study identify presence', 'trait minolta', 'haplotype combination 05', 'demonstrate female', 'gwas network pathway', '18 associated genetic', 'cow time milking', 'trait linear animal', 'myristic acid c14', 'test quantitative', 'isomerase phosphogluconate', 'composition muscle aim', 'breed oh shamo', 'lg ab', '10 qtl detection', 'disease mechanism', 'power especially holstein', 'different sample', 'janus kinase jak2', 'greater susceptibility', 'gene improved mapping', 'marker novel', 'regulated spectrin associated', 'dairy genome', 'expect commercial', 'data available commercial', 'study located nearby', 'chicken genome galgal4', 'cie redness', 'complex trait variation', 'extended region', 'cpm prkg1 minpp1', 'fgf8 004', 'weight hcw marbling', 'architecture potential', 'horse filtering', 'cm genomic region', 'ghr igf1 gene', 'target qtl region', 'fat combining linkage', 'qpcr confirmed target', 'pulawska altogether novel', 'constructed location pde4b', 'sequencing associated nonsense', 'significant candidate', 'snp agreement', 'population represent useful', 'behavior quantitative', 'consistent association', 'wk age significant', 'bta1 fkbp2 protein', 'complex genetic', 'massively structured study', 'effect 20 30', 'variant japanese', 'employing gene based', 'bco2 gene', 'pde1b bovine', 'revealed activity', 'model glmm regression', 'candidate gene testis', 'apoptosis response', 'detailed study needed', 'control total 103', '55 70 cm', 'detected chromosome wise', 'annexin protein anxa9', 'candidate gene underlying', 'retain trait', '20 cm kilogram', 'study gene involved', 'detection fragment', 'genotyped 181', 'landrace dl different', 'transcription factor activity', 'information derived molecular', 'wide significance primary', 'abnormal sperm', 'importance gene based', 'result compared', 'background traditional strategy', 'assisted selection strategy', 's0113 strong', 'ghrelin receptor', 'lei0071 located 242', 'window gebv wgebv', '550 kg wide', 'region 17 growth', 'snp bta6', 'analysis total novel', 'association bvd', '420458 high', 'bw qtl individually', 'cattle gene', 'horned animal', 'pig lack', 'duroc sequence analysis', 'qtl window', 'rs107857156 tph2', 'regulator cell', 'affect phenotype', 'composition result', 'increased im', '399 animal', '199 snp', 'mm 34', 'influenced milk production', 'exon potential qtl', 'network cluster', 'effect particular', 'qtl bta14 bta26', 'chromosome 24 01', 'white italian duroc', 'include gene qtl', 'association revealed', 'important role economy', 'pedigree genotyped', 'qtl serum', 'switch gene', 'effect population varied', '71 mb ssc7', 'proportion variation explained', 'emphasis placed bos', 'family microsatellite marker', 'sscp employed gdf10', 'rdhe2 carotene', 'crossing nematode', 'associated reduced susceptibility', 'disease resistance animal', 'identified fourteen', 'tggaca cagaca significantly', 'dairy herd located', '348 101 offspring', 'tissue keratinization ld', 'order provide', 'terminal krab domain', 'pign znf75a', 'yk rt101', 'tissue gga2', 'effect single snp', 'conception rate hcr', 'factor gdf9', 'stage 54 58', 'cw qtl', 'phenotype using', 'phylogeographic structure', 'protein play critical', 'previous study population', 'primer eighteen snp', 'element represents candidate', 'provide vital foundation', 'population nv bmc', 'combined data set', 'chicken pnpla3', 'inherited line layer', 'native british breed', 'breeding value 77', 'variation evolution immune', 'specific bacterium', 'line derived', 'number line', 'variation opn secretion', 'phenotypic data 372', 'affected calf', 'genomic region', 'rao resistant', 'metabolism finding presented', 'complex implicated susceptibility', '3020a example', 'locus qtl utilized', 'enlarged body size', 'qtl detection scan', 'various bovine breed', 'use genomic marker', 'overall liking result', 'italian landrace breed', 'swine provide', 'resolution remains limited', 'group evidenced strong', 'pathway intracellular', 'linear model used', 'spaced snp', 'spl culling', 'suited genome scan', 'casein fat', 'cddr granddaughter', 'http www', 'mix type', 'animal related', 'snp information study', 'genotype 13 microsatellite', 'calculated based regression', 'publication describes', '0001 subsequently strong', '16 17 18', 'population worldwide', 'analysis generated', 'depth week age', 'later chicken', '129 snp', 'locus identified associated', 'morbidity mortality feedlot', 'gridqtl bayesian markov', 'potential regulating', 'termination novo synthesized', 'central nervous underlie', 'gene hmga2', 'phosphatidylinositol triphosphate', 'mapping established location', 'development highlighted significant', 'major pathogenic', 'revealed marbling increasing', 'meat content addition', 'revealed qtl osteochondrosis', 'snp 15', 'positive correlation dominantly', 'governed high', 'snp clustered', 'result 17122a', 'gilt parent grandparent', 'subsequent increased', 'studied polymorphic', 'gwas liver', 'chain method implemented', 'effect 13 06', 'theory thirty seven', '28 chronic', 'mb physical', 'drip loss percentage', 'epithelium lead', 'including 657 non', 'deviation mean high', 'triglyceride concentration genetic', 'close bmp15', 'gradient biological', '11 725', 'widely used artificial', 'seven quantitative trait', 'death absence', 'holstein cow 103', 'resistance infectious pancreatic', 'showed 599g', 'cm meat', 'fec associated', 'mechanism suggesting mdv', 'food conversion ratio', 'ew 32', 'inheritance grandsires', 'gene addressed gene', 'study quantify', 'using 125', 'maximization lasso algorithm', 'sire breeder flock', 'able adequately', 'secreted growth', '1894 kompetitive allele', 'fat diet', 'defined missense snp', 'crossbred population angus', 'effect mstn myogenic', 'measurement 160', 'composition trait used', 'interval mapping undertaken', 'underlying identified', 'genotyped 987', 'amphetamine regulated transcript', 'associated significantly yearling', 'analysis suggested acsl1', 'result suggest elovl6', 'assigned fabp fabp', 'fat used novel', 'fixed improving imf', 'identify genetic', 'parity result provide', 'regression identified', 'effect intracerebroventricular', 'emission rfi', '707 female 150', '07 respectively', 'content pig intercross', 'including 5221', 'selection scheme furthering', 'hcw rea aft', 'decreased ascites incidence', 'exceeded genome wide', 'gene identification egg', 'contortus genome', 'resistance debilitating effect', 'pathway identified', 'significant correlation', 'sheep known genetic', 'compact shorter', 'contain qtl', 'characterization pleiotropy', 'snp perform', 'result used selecting', 'expressed qtl bodyweight', 'male chicken sire', 'ovary wov', '18 knowledge report', 'calculated applying', '18 desaturating', 'cross observed', 'guide future study', 'prlr prop1', 'qtl compared non', 'data showed novel', 'common qtl identified', 'product amplified site', 'maternal line shaobo', 'sheep primary trait', 'jaw length metacarpal', 'wl bird selected', 'distance mb breed', 'apr gene 750', 'platelet distribution width', 'fertility trait investigated', 'relationship matrix different', 'pathogen infected', 'maturation female', 'training testing set', 'infected scrapie quantitative', 'method herd', 'snp fixed', 'gct0006 mcw0106 gene', 'study population mean', 'sib ewe', 'flop ear', 'proportion large variation', 'associated component feed', 'containing gene snp', 'dose dependent', 'rhm confirmed', 'hormone lhb', 'snp rs41919985', '13 10', 'fat percentage bta2', '6723g snp', 'gene proximal', 'likely causal', 'muscle area marbling', 'pig appealing', 'polymorphism candidate', 'pou1f1 pou domain', 'trait sheep study', 'role growth current', 'variance conclusion wb', 'reach significance population', 'yield deviation', 'qtl scrapie', 'cooking loss low', 'f2 pedigree population', 'concentration used', 'fescue toxicosis common', 'conclusion gwas analysis', 'genotyped 200', 'jinghai yellow chicken', 'chromosomal region bos', 'pigmentation color', 'assisted breeding genomic', 'significantly associated porcine', 'fmdv cell', 'revealed polymorphism', 'suggest use measure', 'susceptibility acute', 'spanish colonization cattle', 'trait approach', 'value technological', '16 compared', 'study qtl udder', '1959c present putative', '51 significant qtl', 'pathway gwa study', 'sheep similar', 'plin1 mfge8', 'targeted breeding', 'achieve characterized milk', 'haplotype combination aaa', 'marbling bta6', 'wise significance pp', 'grandsire family', 'slc52a3 riboflavin transporter', 'affect variation fat', 'cytoskeleton remodeling', 'expanding brazil tropical', 'detected trait qtl', 'genetic variance study', 'perendale sheep selectively', 'stat5b gene associated', 'increase adg', 'ssc14 ssc18 discovered', 'sire fertility', 'test statistic qtl', 'breed decade study', 'kb 16 286', 'interacted nerve growth', '05 largest single', 'trait included number', 'kg wg42 candidate', 'clinico pathological feature', 'tg chol glu', 'translocated gene cbfa2t1', '321 confirmed val', 'sequencing associated', '24 pathway analysis', 'scrapie susceptibility contributing', 'single qtl body', 'haired cross bred', 'effect 36', 'pig diet agree', 'significant association fdr', 'gene bmpr1b previously', 'myh1 myh2 myh3', 'based random forest', 'cfd minolta insr', 'vessel formation', 'ease ebv analyzed', 'eps8 gpat4', 'live weight data', 'fat deposition 10', 'affect trait relevant', 'marker used approximately', 'independent cattle population', 'fcr1 57 60', 'protein detected', 'improving sow', 'observed bw shd', 'sequence conserved porcine', 'md represents', 'associated rfi2', 'holstein population genotyped', 'positively pc1', 'association snp located', 'bovinehd beadchip estimated', 'medius saturated', 'gene qtl backfat', 'milk composition complement', '0143 0088 0114', 'snp effect identified', 'varied grandsire line', '32 50 43', 'lyz non', 'family 480 result', 'trait contribute mapping', 'support genome', 'perform genome scan', 'maternally apparently different', 'daily bw', 'calpastatin regulatory transcribed', 'close potential', '446g respectively', 'experiment showed snp', 'development body weight', 'lo weight', 'marker targeted region', 'influence major', 'fat thickness brahman', 'chromosome oar6', 'highest marker density', 'male fertility study', '19 22', 'reconstruction ld', 'chromosome chr used', 'screened number', 'variant breed result', 'divergent androstenone concentration', 'intake predicted feed', 'sample 2713 animal', 'location using radiographic', 'critical step', 'pm ch', 'yearling adg3', 'ranging 29', 'treatment schizophrenia', 'cow reproductive', 'analysis new', 'trait 205', 'trait bovine chromosome', 'revealed gsk 3α', 'trait integrating', 'tt lower', 'study variant', 'largest additive', 'pcr hha', 'specie suggest functional', 'estimated parity', 'detected ssc8', 'line named', 'snp impact functional', 'thickness selection', 'chromosome 11 21', 'generation line result', 'somatic cell opn', 'epistasis common', 'lightness study', 'remain major health', 'population limited', '68 genetic', 'genome scan osteochondrosis', 'gene lower', 'mechanism undetermined', 'count using copy', 'rib thickness', 'day non', 'associated aggression', 'fbxo32 previously', 'known modulate growth', 'effect causing boar', 'size statistical power', 'notably homozygous', 'meishan bamei association', 'middle chromosome', 'mechanism semen', 'indicating cw', 'gene previously published', 'wide distributed', 'new improved', 'high economic impact', 'analysis qtlexpress', 'gene interval refined', 'oar6 previously', 'highest frequency 26', 'activity mttp protein', 'followed regression marker', 'mapped higher', 'allele haplotype snp', 'confirmed associated', 'breed polygene belgian', 'declining decade', 'behavior quantitative trait', 'identified contrast gwas', 'trait analysis individual', 'weight bta 14', 'weight possible', 'segregating holstein', 'expression result', '04 fat', 'low high carrier', 'conducted infected uninfected', 'reported trait recently', 'substantial economic', 'crossing ipn', '28 showed', 'background behaviour sparse', 'prioritize selected candidate', 'design sire', 'sheep induces pneumonia', 'screen polymorphism', 'f2 crosses jointly', 'form revealed', 'resistance soon weaning', 'water coagulum', 'identified chromosome 70', 'identified lmm bvs', 'precocity reproductive longevity', 'assembled annotated reference', 'best likely position', 'chinese cultivated suhuai', 'lm bayesian', 'referred rs16469410', 'according rule', 'beadchip population', 'order mm', 'qtl region syntenic', 'cation important regulator', 'skatole heritabilities', 'melanoma susceptibility', 'adrb2 lpin1', 'autosome 1560', 'effect younger', 'computer simulation', 'phenotypic effect 433a', 'vision identify genomic', 'seven polymorphic', 'important health concern', 'rate result combined', 'test significant effect', 'f1 individual 22', 'examined strain outbred', 'bta binary recurrent', '2449g 2379t resulted', 'gwas discovery dataset', 'g13781_13782del insag', 'fertility milk production', 'study generated', 'proxy trait expensive', '588 130delinsttatctctatagtagtt noriker', 'dominant variant', 'understand possible pleiotropic', 'density interval snp', 'performance located', 'possible identify gene', 'size genotype negatively', 'lfec target future', 'population trait population', 'snp expression sox', 'underdeveloped weight', 'beef study identified', 'kitlg lef1 dkk2', 'foundation insight novel', 'mapping non', 'ssc8 respectively', 'white french landrace', '897 report result', 'carrying single', 'transcript cart melanocortin', 'local environment', 'centimorgan cm contained', 'density marker panel', 'result phenotypic', 'qtl shown significant', 'endometrial epithelial', 'quarter sheep induces', 'binding capability', '9657c 10718g 10841g', 'proportion snp', 'genomic architecture calving', '224 relative', 'cattle breeding industry', 'trait environmental condition', 'especially swine identified', 'model putative qtl', '45 36', 'prkag3 significant', 'growth hormone', 'pairs included systematic', 'transporter activity', 'breed explored using', 'role mutation putative', 'leg weakness using', 'abt calculated thirteen', 'cow separation family', 'data gave similar', 'study mirna function', 'available today', 'examined evaluate excretion', 'diverse outbred', 'cell removal', '002 subsequent', 'position 26', 'spanning 29 autosome', 'like thbs2', 'mass spectrometry', 'random snp', 'traditional measure fertility', '457 snp 268', 'bm1500 associated', 'goldengate assay illumina', 'measured thousand individual', 'novel locus contributing', 'phenotypic difference altering', 'survival map quantitative', 'oar6 18', 'pp italian', 'chicken conducted 238', 'based 3500', 'represented resistant susceptible', 'variance accounted', '17 cm 18', 'performed 183', 'acid 18 desaturating', 'meishan cross genotyped', 'variability identified', 'sorcs2 involved', 'determination significant', 'autosome likely', 'predicted participate regulation', 'bw gain 04', 'holding capacity whc', 'world wide exponentially', 'tgf superfamily', 'thickness 7th rib', 'effect distinct', 'high quality', 'gene involved body', 'metabolism endocrine', 'background age egg', 'conducted en lr', 'farm evaluated', 'sex male presenting', 'interaction contributing polyceraty', 'weight hatch heart', 'close s0069 ssc8', 'polymorphism equine lgb1', 'sire psap', '01 20 snp', '40 genome wide', 'trait grid', 'polymorphism snp64', 'block animal', '29 harbored', 'associated complex', 'qtl contains polymorphism', '362a ribeye', 'pork quality allow', 'accounting 76', 'genotype making', 'polymorphism 61 transition', 'adjusted leg muscle', 'large subunit capn1', 'level boar reproduction', 'location containing body', 'bacterial pathogen edwardsiella', 'investigated new zealand', '60 week fi2', 'glycolytic potential', 'determined comparative', 'protein significantly', 'relationship sparse', 'temporal specific expression', 'yield conformation', 'acid muscle backfat', 'level cow different', 'snp significantly higher', 'derived genotype increase', 'chromosome pair gene', 'gene region addition', 'involved successful pregnancy', 'derived debvs', 'physiological process', '390 microsatellites', 'polymorphism contribute', 'order locate chromosome', 'report detection', 'holstein ct', 'trait 10 cm', 'previously identified sample', 'maintaining low variability', '122 cm', 'ssc6 fabp', 'demonstrated potential', 'genome wide genotyping', 'stage 54', 'acid 0457 0001', 'scrofa build 10', 'variation distribution chicken', 'male accounting', 'including ppar', '19 17', 'locus segregating united', 'compound androstenone skatole', 'cm shared sire', 'snp distinct', 'molecular assay', 'different population suggesting', 'marker mutation', '10 genotype lda', 'coq9 egfr associated', 'association oocyst', 'period egg', 'additional insight regarding', 'background ih breed', 'research gain better', 'chromosome 13 refined', 'sscx trait f2', 'enabled estimate', '05 milk', 'interval collected', 'related trypanotolerance', 'explains total disease', 'study chromosome planned', 'suggestive snp identified', 'nematode blood', 'variance component effect', 'amplify fmo1 fmo3', 'late lactation chromosome', 'imf ubl5 cfd', 'cycle vii', 'litter detected', '500kbs qtl associated', 'population measured growth', 'blupf90 performed', 'active restraint test', 'level highest', 'sheep breed appears', 'statistic value 118', 'chromosome 7q1', 'believed genetic', 'located vicinity middle', 'snp exceeding threshold', 'kbp snp significantly', 'reproductive tissue', 'considerably compared', 'coronary artery disease', 'ray absorptiometry dxa', 'weaponry animal driven', 'trait performed gushi', 'locus qtl hdl', '201 chinese', 'derived jersey', 'linkage analysis interval', 'qtl ph24h ssc15', 'report detect', 'background comparison', 'aiming identify putative', 'locus displayed significant', 'bull genotyping', 'involved biologically relevant', 'snp f1', 'egg white', 'covering entire pig', 'blood plasma result', 'significant association opn', 'diverse fatty', 'fixed effect', 'regression mixed', 'yield 72', '12 31 phenotypic', '2379t effect', 'end sus scrofa', 'indicating animal', 'individually removed', 'addition pedigree', 'number change potentially', 'productive day npd', 'lp3 overall', 'assessed reproductive', 'sheep breed', 'important role regulating', 'substitution effect large', 'contrast calculation', 'large number quantitative', 'genetic association 10', 'tn result indicated', 'peak linkage disequilibrium', 'data affected', 'tissue partly genetically', 'fkbp6 associated snp', '86 cm', 'protein binding endothelial', 'vaccine blood', 'estimation qtl', 'animal inra 401', 'relevant body', 'superior haplotype', 'trait locus location', 'sequence analysis 16', 'family relationship', 'slightly lower', 'methodology result', 'polymorphism occurring mirnas', 'presented indicate snp', 'disease swiss pig', 'highly associated recprotein', 'displayed dependence hatch', 'identify putative qtls', 'ep300 tenderness', 'possible influence number', 'pre heat measurement', 'measurement gene expression', 'ripk2 mouse response', 'present allelic variant', 'increase host resistance', 'individual known', 'threshold set', 'brain low expression', 'norwegian red eighteen', '12 tcf12', 'cm interval identified', 'maternal infanticide behavior', 'result study demonstrated', 'mutation insulin like', 'snp marker panel', 'androstenone chromosome 14', 'spawning year age', 'causative dna', 'kidney cell', '15 bp', 'affecting bl trait', 'mutation 30', 'qtls identified body', 'eye depigmentation defect', 'region harboring known', 'significant effect', 'mfi mar', 'lung 572', 'substantial variation sow', 'postnatal muscle', 'growth onset puberty', '30 000', 'significant snp reported', '919g 05 finding', 'general heritability estimate', 'chicken chromosome aim', 'aflp combination selective', 'significant 05 qtl', 'fat mass obesity', 'identified novel', 'positive association aa', 'weight dimension', 'mh tt', 'white heavy', 'pig 160 200', 'animal elucidate function', 'allele selection', 'bw withers height', 'multipoint linkage', 'used deregressed breeding', 'family sire used', 'analyze endometrial', 'trait different period', 'data presence', '464 angus', 'sc udder morphology', 'snp novel indel', 'analysis indicate evidence', 'indexing pig control', 'water content carcass', 'pcr amplicons encompassing', 'lesion reliable indicator', '531 large white', 'sow associated variation', 'develop genetic', 'eyelid malformation', 'degenerative alteration', 'htr analysis', '17 different chromosome', 'equine autosome', 'selection pressure', 'gas appear', 'white minzhu', 'bmprib bmp15 gdf9', '21 46 53', 'distributed sixteen', 'gene polymorphism associated', 'large genotype approximately', 'min rongchang', 'pcyt2 dcxr', 'segregating study indicates', 'ng 30', 'lead snp', 'dgat1 explained variation', 'muscle dimension average', 'free living animal', 'coding swine', 'covering exon', 'published sequence', 'epididymis control', 'disease selective', 'gene milk', 'sequence transcript', 'therapeutic strategy', 'day milk yield', 'layer chicken', 'revealed significant seven', 'various specie', 'explained quantitative trait', 'testing genome', 'understanding complexity underpins', 'linkage analysis model', 'marek disease susceptibility', 'weight predictor included', 'resulted tenfold increase', 'mctp1 col4a6 candidate', 'performed backcross', 'liver oviduct', 'janus kinase', 'founder breed offer', '10 known gene', 'genotype 11', 'used phenotypic difference', 'cow inclusion gene', 'actin binding', 'qtl detected novel', 'accelerate effort', 'chromosome region eca13', 'outcome ssgwas reproductive', 'result depended', '250 microsatellite', 'candidate gene panel', 'duplicated qtl region', 'gene 1031 chinese', 'chicory candidate', 'correlation variance explained', 'extensively highest', 'snp06 exon', 'trait large study', 'organic anion', 'contribute change', 'reproduction trait analysed', 'difference mt fewer', 'tagging snp 995a', 'segregate broad range', 'demonstrates power approach', 'threshold 11 snp', 'deletion spot14alpha gene', 'edn3 bmp7', 'surpassed genome', 'qtl fcr likely', 'disease md caused', 'respectively known', 'contribution improving animal', 'effect provides', 'tissue objective present', 'combined false', 'information contribution', 'afe important', 'analysis 21', 'german cattle', '31266t identified exon', 'livestock industry', 'coa reductase', 'reproductive process related', 'cm mean polymorphism', 'complete coverage chicken', 'study independent population', 'myofiber number', 'horse offspring s1', 'kidney new', 'furthermore porcine il', 'far detected', 'carcass measure', 'development differentiation', 'snp position 238', 'phenotypic low', 'observed mapped locus', 'cm ssc9 68', 'retn cfd explained', 'non allelic homologous', 'snp nr6a1 gene', 'liver mbl1', 'record considered production', 'genetic variant followed', '197 family consecutive', 'snp effect proportion', 'exon1 g142a', 'trait data set', 'variation analysis', 'amplified pool pcr', 'foc count keds', 'detected family chromosome', 'age oviposition afe', '278 cow', '14 15 additive', 'evaluated candidate', 'trait performance trait', 'using 160 microsatellite', 'endometrium vle', '174 176 revealed', 'detected ssc1 ssc9', 's0008 tenthrib qtl', 'test measured distance', '01 02 gwaa', 'role protecting body', 'pedigree previously', 'quality thesis', 'c1qbp wild', 'study aimed verifying', 'detect additive dominant', 'explore association npc1', 'bos taurus genome', '15118664g 15118683c 15118756c', 'target discordant', 'total meat percentage', 'significant snp showed', '192 snp mqr', 'noise genetic variation', 'carcass trait respectively', 'performance trait pig', 'qtl affecting age', 'total 180 microsatellite', 'time determine', 'role initiation maintenance', 'orthologous chromosome', 'superoxide dismutase sod1', 'average 12 significant', '01 fine', 'chromosome illumina ovine', 'breed 21', 'signficant difference', 'variance corresponded', 'carotene secondary', 'scan line cross', 'cattle mastitis', 'ensembl sscrofa10', 'bf 27', 'approach fitted fixed', '532 bta', 'geographical distance', 'meiosis separately', 'yield 012', 'clearly different', 'cwt ema gene', 'vtn showed association', 'wide association lmh', 'hsf1 eqtl', 'dly population', 'map channel', 'method qtl', 'composite regression', 'data genomic region', 'conducted adjust effect', 'number egg chromosome', 'visit feeder', 'structural integrity muscle', '25 strongest', 'trait adfi', 'discordant sib pair', 'catfish snp array', '004 lean', 'known modulate', 'daughter sire inheriting', 'hp measured blood', 'increased vertebral number', 'important protein source', '1264c snp', 'bone structure point', 'qul negative correlation', 'group sow indicating', 'activity supposed', 'exists new', 'size affecting', 'value deregressed proof', 'genotyped animal salmonella', 'quality dry', 'expected present', 'marker located', 'genotyped 36 microsatellite', 'trait total 860', 'granddaughter design', 'line chicken inherent', 'pig f41 etec', 'artificial chromosome', 'date female body', 'coefficient largely', 'angus 176 belgian', 'identified meishan cross', 'low explanatory value', 'correlation observed', 'region ssc2 confirmed', 'presented single', 'reporting snp', 'fabp fabp respectively', 'regression model direct', 'used molecular', '10 ssc10', 'growth poultry', 'identified included', 'unique considerable variation', 'mapped proximal', 'scheme increase', 'transcriptional activity gr', 'va previous', 'vaccine pathogen', '062 093', 'candidate bringing behavioral', 'sfa mufa 13', 'concentration semen volume', 'using porcine single', 'maternal descent estimated', 'position differs', '05 lamb', '255g 626t snp', 'identified suggesting lactoglobulin', 'association reproduction trait', 'typical stratified structure', 'panel axiom affymetrix', 'qtl useful', 'cattle associated mutated', 'domestication selection', 'dxa pqct', 'power fixed', 'threshold factor analysis', 'tested multiple linear', 'snp4 subsequently designated', 'analysis lack', 'measured faecal worm', 'superior meat', 'force day', 'potential application include', 'tox identified close', 'correction peak', 'strong phylogeographic structure', 'associated test', 'used construct milk', 'pwl bal', 'ndv local african', 'content 18', 'affected trait', 'gwas based', 'log 10 nominal', 'intercross linear', 'qtl fine', 'record 484 cow', 'peak included', 'bw 12', 'located microchromosome 16', 'fed diet genome', 'ram divergent phenotype', '501 genotyped', 'gallus autosome', 'genetic variation spp1', 'responsible gpt', 'allele originating layer', 'weight leg weight', 'q16 using radiation', 'intronic snp change', 'determining cost', 'sufficient linkage', 'warmblood horse consisting', 'qtl harbored', 'productivity sow', 'qtl signal milk', 'showed ctsk', 'value gebv based', 'wise threshold 001', 'objective study utilise', 'confirms leucocyte', 'slick dominantly', 'breed restricted', 'identify mutation underlie', 'intron data', 'lipid accretion', 'change meat', 'multiple qtl seventeen', 'regulation meat', 'sheep ovis aries', '80 vaccinated attenuated', 'bovine chromosome 17', 'qtl baseline erythroid', 'family target qtl', 'like homolog', 'chromosome sharp', 'declining milk', 'wagyu limousin f2', 'generate high', 'variance component fertility', 'investigate genetics ghanaian', '178 snp identified', '24 slaughter used', 'antral follicle qtl', 'bw70 feed intake', 'determining conformation functional', 'ssc3 ssc17 lwgt', 'ssc15 chinese sutai', 'locus based', 'tested 80 statistically', 'apd gng2', 'carried country recording', 'yorkshire fra chinese', 'region based rest', 'cooperative research', 'significant snp rs42518459', 'hm interesting result', 'litter size allele', 'associated protein yield', 'analysis progeny performed', '11 chromosome chromosome', 'neighbourhood le', 'life case', 'rate probably', 'amplified barki', 'european pietrain missense', 'mutation reported', 'gland lw', 'genotyping using porcinesnp60k', 'cmlm perform genome', 'measurement fat muscle', 'include myo19 cpt1b', 'cm ryr1 commercial', 'phosphogluconate dehydrogenase postalbumin', 'significance marker 28', 'known gene potential', 'f4ac receptor', 'landrace affect live', 'study investigating postmortem', 'covering autosome', 'phosphorus ip', 'meta analysis enhanced', 'deleterious consequence genomic', 'bone quality poultry', 'effect putative qtl', 'longer limb', 'qtl generally', 'gene study identified', 'industry aim study', 'polled trait', 'qtl affecting peak', 'medical subject heading', 'romanov ewe studied', 'polymorphism neaurp a213c', 'intron 3000', 'proposed map', 'studied ascertain', 'cattle identify region', 'pathway form', '19 mm 23', 'resulting phenotypic variation', '25 haplotype single', 'ppargc1a gene rw023', 'qtl 16 qtl', '1658 economic trait', 'investigated association genetic', 'interval linkage', 'resulting low blood', 'phenotype variant showed', 'qtl pair 17', 'area chromosome near', 'moderately heritable estimate', 'g142a t12495c', 'number band neutrophil', 'ag 528 scrapie', 'qtl analysis 377', 'cattle breed granddaughter', 'major qtl', 'run6 genome wide', '10 intestine', 'age identified chromosome', 'f1 population', '100 population', '100 snp largest', 'lipoprotein intermediate density', 'precocity nellore', 'discrete variable potentially', 'applying marker', 'genotype meat fasn', 'suggestive association clinical', 'mastitis milk', 'age carcass weight', 'used quantitatively sample', 'acid profile pig', 'sheep valle', 'contributed unique', 'crebbp wdr24', 'heritability 12 qtl', 'anterior teat ratio', 'tissue milk', 'exponentially rising prevalence', 'heterozygous v371m exhibited', 'weight method', 'interval mapping type', 'chromosome wide', 'organ trait carcass', 'length width weight', 'future identification gene', 'obtained sorcs2 involved', 'identify common', 'ba monocyte mon', 'additional chromosome', 'score weight gain', 'sperm concentration progeny', 'arginine vasopressin', 'igf insulin glucose', 'mo age 300', 'secrete higher', 'duroc sire', '78 mb gga4', '028 genotype 2449gg', 'allelic frequency revealed', 'mapping confirmed locus', 'snp detected cntn3', 'muscle single', 'statistical power gwas', 'regulating gene expression', 'bovine bmper', 'immune variant gene', 'investment comb', 'various tissue different', 'understanding molecular mechanism', 'analysed major', 'strategy diversely', 'breeding swine industry', 'bp associated hornless', 'study utilized generation', 'concentration insulin like', 'breed confirmed', 'related growth lysine', 'rs109551605 rs41639155', 'region equine', 'kb region spanning', 'snp genotyped 400', '4581 bp', 'genetic architecture hairy', 'wool production', 'factor polygenic', 'death specie evidence', 'cnvrs 197 previously', 'causing loss', '23 average', 'negative impact health', 'locus determining variation', 'susceptibility gastrointestinal nematode', 'empirical permutation', 'thickness loin eye', 'yellowness measured spectrophotometer', 'nos2 biological', 'variation categorized 802', 'excluded polymorphism', 'treatment cost', 'including 63 genome', 'near microsatellite', 'color tenderness assessed', 'population discovered', '29 qtl previously', 'bft1 bft2 backfat', 'subcutaneous fat percentage', 'increase shoulder', 'eca2 eca15', 'contained detectable', 'functionally important domain', 'poultry product major', 'dr srb breed', 'mqr panel genotype', 'hpa axis sympathoadrenal', '958 snp', 'yield rainbow trout', 'potential hotspot play', 'sheep model identify', 'mb overlapping', 'suggest expression variation', 'cull cow', '29 causative mutation', 'phenotypic value ssc7', 'association reported', '46 snp', 'explaining difference growth', '94 zn comparing', 'line set result', 'gemma used', 'cattle 224 marker', 'sow fold', 'year based predicted', 'rs14011780 rs14011776', 'bone marrow identify', 'abundance detected', 'qtl detected joint', 'genomic locus dominance', 'evaluate genetic', 'infection status resource', 'pedigree imputation increased', 'breed previously qtl', 'position multiple', 'calf commercial beef', 'gelbvieh beef cattle', 'similarly qtl foetal', 'hcg stimulated', 'performed boar', 'upstream respectively', 'model lm', 'pedigree improved', 'ap3b1 hsd17b12 cacna1d', 'trait chromosome 2p14', 'background formation vertebral', 'identified genomic', 'method major impact', 'behavior conclusion', '30 18', 'fertile stallion', 'potentially related', 'gene tert notch1', 'leaner meishan', 'qtl region tested', 'depth measurement addition', 'metabolism imprinting', 'level qtl affecting', 'homozygous mutant', 'landscape locus candidate', 'qtl affecting md', 'dataset showed contrasting', 'chicken reciprocal cross', 'fst genome', 'qtl significant 001', 'muscle non synonymous', 'percentage 05 locus', 'assessed warner bratzler', 'daily gain test', 'indicating pc1 describes', 'probably preserved bos', 'ranged 002 23', 'region known gene', 'ssc7 mapped', 'chromosome planned', 'discovery sheep', 'secretion milk', 'thickness 0009 lean', 'additive quantitative', 'structure analyzed population', 'genotype available', 'abundance trait', 'usefulness selection furthering', 'regulating prrsv', 'selected joint', 'repeat explain', 'population cross', 'charolais alberta', 'associated chl_fat chl_milk', 'mir133b respectively', 'mirnas binding', 'phenotype difference influencing', 'value response variable', 'post slaughter carcass', 'danio rerio genome', 'correlate sexual', 'codon w80x', 'bf belongs', 'impacting rln', 'region response', 'intake gwas identified', '10 24 77', 'production trait aquaculture', 'acop area animal', 'line differing', 'effect 13', 'located 33 quantitative', 'region marker', 'breeding value association', 'microsatellites identified', 'investigated differential', 'effect stallion', 'intercross f10 f12', 'mapk signaling combining', 'polymorphism responsible', 'regression model herd', 'specie demonstrated', '183 microsatellite marker', 'using multitrait', 'bull remaining', 'qtls fatness trait', 'snp potentially altered', 'steer germplasm evaluation', 'load quantified', 'region gallus gallus', 'region showing association', 'hsp90aa1 chosen', 'skin leg', 'study associated biological', 'eqtls low androstenone', 'σ2p milk yield', 'additional modeling', 'concern human', 'background comparison quantitative', 'brown pigmentation eye', 'qtl bta4 10', 'qtl trait', 'consistency ld', 'marbling standard', 'residual feed', 'change association', 'nelore cnvrs overlapped', 'suggest marker', 'provide indication 442', 'body composition trait', 'calf offspring seven', 'pattern identified snp', 'variant constructing', 'rib number rn', '12 18', 'fabp gene candidate', 'trait sheep industry', 'variant pathophysiological', 'cebpa gene genetic', 'glucose dehydrogenase ugdh', 'outbred half', 'alteration influence', 'intron border 36', 'snp genotyping quantitative', 'segment revealed', 'hereford result improve', 'control variant help', 'optimizing imf', 'gene bos taurus', 'chromosome condensation', 'phenotype suggestive', 'weight 011', 'taint breeding', 'analysis able provide', 'gilt observed', '777 snp', 'month nanyang cattle', 'increase silverside percentage', 'depth area', 'order characterize performance', '15 26 affect', 'indel mutation', 'result firstly', '17 080', 'hypothesize 1111a', 'gene sequence including', 'individual qtl effect', 'muscle fat single', 'complex important economic', 'trait like', 'correlation tenderness', 'serum triglyceride concentration', 'genetic resilience', '13 17 e47', 'sc used identification', 'study included 490', 'sheep worldwide enhance', '14 qtl influenced', 'recorded producer voluntary', 'involved intracellular', 'selected genome sequencing', 'pig production trait', '10 454 unaffected', 'gene associated selected', 'variance explained haplotype', 'understood study', 'analysed average', 'map especially', 'sole ulcer sus', '54 family', 'gga2 respectively', 'ppara gene considered', 'il8 haplotype il8', 'ca influenced qtl', 'larva l3 abomasal', 'gene sahiwal', 'dissecans hock joint', 'birth 12', 'boar known', 'polymorphism snp3', 'ifnar1 ifnar2 ifngr2', 'determine ovine lactation', 'region f2 population', 'weight data qtl', 'effect generally', 'favourable allele ph24h', 'threshold derived permutation', 'reanalysed including snp', 'effect growth', 'fec iga result', 'agent zoonotic', 'data including semen', 'good parameter', 'spef2 possible', 'influencing bone mineral', 'italian holstein friesian', 'gene polymorphic', 'multifactorial disease', 'deletion previously', 'flock phenotypically', 'population allelic', 'snp significant', 'previously obtained crossing', 'analyzed sample synthetic', 'mapping qtl compared', 'aa substitution associated', 'allow selection sire', 'pig generation', 'tightly linked s0008', 'winter milk gwas', 'bmt sequence', 'effective sustainable', 'achieved reliable', 'biological knowledge gene', 'component testicular size', 'directly relevant commercial', 'improved factor', 'identification causal mutation', 'proportion variance explained', 'process furthermore', 'qtls raspf7', 'gga4 27 combining', 'mutation analyse association', 'exon downstream intron', 'gene ear tissue', 'glucose day heat', 'content australian', 'crossbred creole cattle', '58 member hydrolase', 'covered marker', 'using tetra primer', 'herd qtl region', 'pathogen specific', 'e43 egg production', 'pcr fragment representing', 'genetic evidence', 'included bovine major', 'yield 11', 'yield composition trait', 'trait functional analysis', 'bta20 03 10', 'mutant type', 'grouped according predicted', 'effect size study', 'select efficient layer', '34168 32463', 'pedigree 588 soay', 'sire sex herd', 'gwas performed explore', 'backfat 15 chromosome', 'proportion significantly', 'showed lr moderate', 'affect cm2', 'disequilibrium lld individual', 'castration result', 'overall breed specific', 'arpp21 gene gene', 'chicken chromosome 10', 'qtl imply unfavorable', 'marginal area', 'interval qtl location', 'significant qtl platelet', 'index score assigned', 'sucla2 dnajc15', 'eye pigmentation', 'conducted porcine', 'estrogen confirming', 'hatch gender interaction', 'trait individual trait', 'percentage fatpc', 'domain containing receptor', 'cb enabled detection', 'annotated gene rhm', 'estimated residual', 'magnitude 11', 'high affinity ca', 'genotyped 488 resistant', 'receptor superfamily play', 'angus aa', '76 mm carrying', 'japanese large', 'mutation prnp', 'pig laid foundation', 'segregated significantly dermal', 'swedish coldblooded', 'significance 22 trait', 'trait threshold', 'using modified pcr', 'weight qtl', 'associated bw70 bwg', 'sustainable manner', 'examined included birth', 'reproductive seasonality', 'marker additional', 'swiss large', 'eczema fe', 'expressed regulated', 'mixed model dmu', 'putative differential', 'eca 13', 'sire allele frequency', 'ssc10 ssc13 explaining', 'genotype dd higher', 'gga 15', 'previously investigated candidate', 'gland function', 'mastitis parity', 'exploration population molecular', 'unrelated yellow', 'computed tomography ct', 'polymorphism chicken growth', '232 021 snp', 'wide cw level', 'ketosis frequent', 't32742394c t32742468c located', 'pure line', '353 progeny duroc', 'heritability estimate detection', 'included total', 'identified 63 bp', 'eqtl significant', 'overall genetic trend', 'explained 70 phenotypic', 'rs134340637 rs41919992 rs41919984', 'level respectively 196', 'snp use improvement', 'concordant haplotype contrast', 'ssc14 novel', '28 18321523', 'enzyme protein content', 'weight canchim', '58 cm bta3', 'binding site early', 'postmortem effect', 'metritis metr cystic', 'relative number', 'cattle multiple reason', 'scan significant', 'ultrasound carcass measure', 'allele muscling trait', 'candidate snp gene', 'analysis common', 'variation estimated', 'trait different generation', 'functional gene cluster', 'development form basis', 'casein cn', 'shown harbor genetic', 'genome window', 'backcross pig derived', 'qtl contribution', 'allele 05', 'constructed bacterial', 'kdm6b interesting', 'bft rea', 'marker 44', 'younger population', 'chromosome 14 ssc14', 'myf qtl region', 'avoid inadvertent mating', 'rna molecule repress', 'performance detected', 'linked genetic selection', 'fat tailed wool', 'qtls production', 'pedigree reported previously', 'intake pietrain allele', 'season rainy dry', 'reduce noise genetic', 'population broiler targeted', 'rs109663724 rs132699547 rs135423283', 'result using fecal', 'ssc15 conclusion', 'increase understanding vertebrate', 'bone genotype significantly', 'bonferroni threshold 14', '363 animal partly', 'term detection', 'enrichment analysis suggested', 'instance study genetic', 'single marker regression', 'economic trait cattle', 'imply effect', 'observed expected feed', 'cause mortality', 'bta 18 microsatellites', 'class mhc', 'detected ssc15', 'exhibited large effect', 'genotype analysis base', 'gga1 gga5', 'activity breed low', 'pig cross berkshire', 'bta04 bta13 female', 'content indirectly resulted', '400c exon porcine', 'identified 186', 'marker 27', 'girth 12 24', 'polymorphism regulatory', 'ppargc1a associated', 'body weight broiler', 'amplified fragment', 'effect sire', 'alteration morphology', 'genotyping useful', 'wl77 additional', '249 83 upregulated', '68 single', 'genome scan mastitis', '22 phenotypic', 'bta1 12', 'impacted meat colour', 'comparison 48 10', 'studied representing 826', 'invasive villous adhesion', '05 result suggest', 'control trait useful', 'explaining variation bodyweight', 'increase level marbling', 'tract collected', 'candidate gene particular', 'development diarrhoea', 'precisely compare', 'phenotypic trait critical', 'friesian hf subsequently', 'vrtn region', 'inferred large', 'snp 11 differentially', 'resistance gastrointestinal', 'ear tissue', 'segregating high', 'flexible computationally fast', 'discovery pig', 'chromosome 14', 'mpdz variant differ', 'phenotype recorded 42', 'related trait potential', 'sixth thoracic', 'quality foot', 'revealed flanking region', 'bc analyzed', 'genotyping based phenotypic', 'suffolk texel sire', 'imf em lo', 'mir transcript', 'used measure bmd', 'addition porcine', 'population discrepancy identified', '04 tibia', 'explained existence', 'remodeling protein', 'encodes apolipoprotein', 'adg feed efficiency', 'comb weight', 'anterior teat', 'association opn', 'bird addition growth', 'cattle association', 'igg1 igg2', 'breed european wild', 'calculated individually result', 'lp3 olp', '10 genomic', 'effect defined suggesting', 'chromosome 13 18', 'explained significant', 'nr3c1 contribute', 'heritabilities h2 48', 'hyperthelia snts', 'detected lma hcw', 'cd82 bta23', 'lutea cl', 'transcript significantly correlated', 'polymorphism porcine nucb2', 'result rigorously', 'weight 01 plw', 'abcc4 bta12', 'report described', 'animal model analysis', 'quality nutritive', 'serve basis', 'adjacent snp explaining', 'qtl longissimus', 'quality trait included', 'instron shear', 'year recognized genetic', 'alternative way improve', 'blood urine', 'pc slope increasing', 'procedure estimated dominance', 'quantified area curve', 'score logarithmic bacterial', 'enterica serovar gallinarum', 'promoter demonstrated', 'cm female', 'region derived', 'chromosome wise false', 'interaction showed', 'jb1 result', 'information study', 'placenta umbilical vein', 'suggesting mdv', 'scan carried', 'identified qtl fat', 'revealed putative quantitative', 'pleura 16 03', 'factor 60 animal', 'identified common pathway', 'program genome', 'strategy genetic selection', 'finding provide', 'previous qtl data', 'balance transportation', 'genotype cc tc', 'heritability cla', 'included 51', 'female somatic', 'cattle occurring', 'heat treatment included', 'increased parity', 'accounted ranged 04', 'model mlm', 'gg based', 'region locus', 'genotyped chromosome 27', 'structure change chinese', 'widely distributed', 'bind regulate rab27a', 'aimed making higher', 'curd moisture cywater', 'reference gwas performed', 'suggests plumage', 'level scc', 'induces steroid synthesis', 'correlation trait obtain', 'different single nucleotide', 'polymorphism growth', 'population 288', 'underlying genomic structure', '36 month polymerase', 'evidence epistasis consistent', 'includes different gene', '54 32 adg', 'erhualian allele systematically', 'conclusion large number', 'detect qtl sib', 'identified including marker', 'reduce eliminate', 'region quantitative effect', 'pleurisy slaughter', 'criterion single', 'intergenic region association', 'c18 va previous', 'specific interaction', 'polled given scurred', 'ruminant product including', 'chinese meishan pietrain', 'ovulation rate region', 'source meat dairy', 'phenotype testing', 'lesser degree', 'ssc1 05', 'application specific cdna', 'fish kg', 'mir 1596', 'concentration vivo', 'difference altering expression', 'yield trait linked', 'lamb 14', 'using haploview estimated', 'qc chinese', 'difference ebv', 'total 447 holstein', 'time varied', 'additive genetic', 'locus eca15 contributing', '110c snp', 'muscle composition impact', 'suppression snp altered', 'previously reported moderate', 'process employing number', 'chromosome allele substitution', 'precursor region', 'monomorphic promoter region', 'trait impacting', 'bw associated highest', 'chromosome 10 lod', 'dark comb', 'peripheral blood', 'indicated heritabilities', 'respectively using', 'wfe chromosome body', 'milk trait 246', 'adult animal', 'disease resistance trait', '442 rs110469441 utr', 'bta5 00 10', 'prediction bft', 'bf 29', 'ibsp mepe ppargc1a', 'period week 10', 'qtl effect chromosome', 'great effect litter', 'consisted 2327 progeny', 'dyd somatic', 'resource population genotyped', 'mb allele', 'snp used create', 'holstein overshadowed', 'hybridising custom', 'significantly associated mch', 'social reactivity', 'bacterium inherited monogenic', 'cattle snp clustered', 'qtl mapping implemented', 'increased mineral maturity', 'various additive', 'associated c14 fat', 'detected 21', 'month age 05', 'cattle association snp', 'site showed significant', 'lactose yield', 'ma programme result', 'finally 248', 'mykiss explained', 'variance scrotal circumference', 'vs qtl', 'performed pointing', 'trait separately', 'result phenotype genotype', 'specie ass', 'domestic sheep ovis', 'breeding stock korea', '169 wxp 195', 'trait total yield', 'lp positional candidate', 'architecture affected', 'influencing individual', 'putative qtl upper', 'radiographic finding', 'relative animal', 'controlled genomic', '70 phenotypic variance', 'trait cattle animal', 'outbred limousin', 'significance 22', 'wide polymorphic', '05 collectively detected', 'cm gga2', 'combination 22', 'gene associated bone', 'acid catabolism', 'likely position growth', 'snp afc', 'genetic control complex', 'ranged 421', 'controlled gene small', '371 lactating cow', 'population animal', 'associated imfl', 'component analysis principal', 'cross validation', 'qtl profile', 'bw49 05', 'breed minority', 'identified sample', 'model procedure implementing', 'nutrition piglet genome', 'population epistasis bco2', 'wfe body', 'null allele', '987 pig divergent', 'refined study', 'important verify effect', 'role fat regulation', 'region includes', 'fullsib pair matching', 'ph japanese colour', '10ralpha 1185c', 'analysis qtlexpress confirmed', 'selection program resequenced', 'cm 42', 'hatch adulthood confirms', 'spanned 120 124', 'bp square', 'antibody level viral', 'qtls located equine', 'later stage enriched', 'finding suggested variant', 'keratinization ld block', 'milk fever incidence', 'founder generation', '24 cu', 'determine fatty', 'locus 278', 'lactation sck2 holstein', 'significance level addition', 'infectious disease remain', 'type pft', 'seventh generation pedigree', 'measure significant qtl', 'utr affect level', 'individual white', 'litter bal non', 'breed appearance', 'bp long 313', 'effect large white', 'regulator embryonic', '05 additional 11', '05 conclusion snp', 'revealed significant', 'beef breed', 'trait classical milk', 'genotype various', 'increasing country desire', 'validate subtraits', '18 mutation promoter', 'group attempt', 'significant snp unweighted', 'ultrasound measure subcutaneous', 'snp21 snx13 snp24', 'lpl considered essential', 'secondary tertiary structure', 'consisted 12 bull', 'associated animal domestication', 'detect sequence variation', 'tested data', 'focusing bw body', 'achieved region', 'male fertility linked', 'beta1 receptor tgf', 'missense variant', 'ulceration interfering movement', 'unravel genomic', 'study number', 'mentioned cattle', 'pleiotropic effect hyperpigmentation', 'significant qtl identified', 'finding demonstrated', 'gene mean polymerase', 'performed example', 'qtl protein', 'pcr followed sequencing', 'hg chicken', 'drd3 carcass', 'heritability intramuscular fat', 'position 44 mb', 'aa associated', 'volume increased', 'particularly oar6', 'riboflavin status western', 'particular suggest', 'region variant reported', 'ultimately leading comparable', 'japanese black half', 'genetic association low', 'qtl1 located chromosome', 'pleura 16', 'chicken family denaturing', 'located oar6 previously', 'major window', 'measured 1033', 'potential translational', 'selection bmp15', 'pig susceptibility', 'wl allele', 'krux eqtl', 'family facilitated', 'fat tail', 'missense snp', 'predisposing genetic', 'fast growing', 'available data', 'obtained nos2', 'gga1 gga3', 'additional breed management', 'clearly identify', 'rate rgr bayes', 'significantly associated c14', 'feed smell insulin', 'evaluated female fertility', 'snp unreported snp', 'identified informative expression', 'quality hanwoo', 'regulation lipolysis thermogenesis', 'tgc1tgc1 diplotype', 'unlikely contain qtl', '28 35 cm', 'single trait evaluation', 'mentioned chromosome result', 'sequencing allele', 'used comparison', 'cattle china', 'qtl ssc3', '05 rs13997812', 'non random', 'analysis likelihood ratio', 'cryptic causal', 'untranslated region snp3', 'montbéliarde cow 19', 'ovgp1 fbxo43', 'detecting gene', 'software parameterized fit', 'power detection', '61 kb apart', 'hepatic transcriptome', 'score weight', 'analysis carried identify', 'mapping polymorphism influencing', 'ovulation rate line', 'region genetic variation', 'using subtypes', 'based known', 'binding site eps8', 'station bull semen', 'program phenotypic record', 'gastrointestinal gi parasitic', 'decision studied', 'set 3379', 'cluster differentiation tyrosine', 'program following', 'snp located intronic', 'amplified in2', 'standard prediction', 'qtls based data', 'cattle population progressive', 'subsample 423', 'use protein casein', 'resistant group respectively', 'association ovulation', 'qtl humoral innate', 'wh 0044', 'effect slaughter', 'birth genome', 'level snp 832g', 'qtl muscle fatty', 'direct effect dystocia', 'informative microsatellites distributed', 'ssc6 149876737', 'increasing sc', 'sired angus charolais', 'potassium sodium activated', 'suggested putative', 'gain birth 56', 'rate marker derived', 'trait favourable percentage', 'used scan genotyped', 'phosphate phospholipid metabolism', 'hoxc8 qtl', 'trait gwa rhm', 'determine carcass', 'generation sequencing associated', 'significant snp 39', 'cm 23', 'locus qtl suis', 'variance located', 'content muscle lightness', 'nguni cattle', 'breed 199 snp', 'dam thirty marker', 'lambing significant', 'causality lepr', '05 similarly', 'snp genotype obtained', 'bmper inhibitor', 'junction inositol', 'promoter activated', 'female 593 cm', 'gain fat', 'imf pork', 'prl peroxisome proliferator', 'population including commercial', 'homozygous bmp15', 'value linkage', 'qtl ssc6 120', 'clptm1l pparα', 'additional 495', 'applied grid qtl', 'level significant country', 'chromosome finding confirmed', 'phosphorylase kinase phk', 'polymorphism distributed', 'region result genome', 'progesterone concentration level', 'trait confounded', '005 increased proportion', 'horn rxfp2', 'variance selected putative', 'inherited trait typically', 'tissue gga2 peak', 'exist improve', 'altered binding', 'efficiency despite fy', '120 124 mb', '338 genotyped', 'gc neuropeptide ff', 'location week weight', 'rgs4 trib3 transcription', 'variation region significantly', 'second ssc15', 'time qtl platelet', '47 36', 'allow clear identification', 'coding protein associated', 'growth carcass meat', 'site disruption', 'accretion studied', 'provide new vision', 'used select animal', 'qtlr affecting', 'pig significant', 'additional molecular information', 'information loss genome', 'polymorphism nudt7', 'effect efficient mixed', 'mtnr1a determine snp', '116 f2 animal', 'subsp paratuberculosis', 'carcass yield', 'parasite resistance adult', 'comprising spop ngfr', 'intercross population locus', 'demonstrate important role', 'genotyping 157 additional', 'outcome gwa study', 'breeding method', 'trait efficient breeding', 'variation trichuris faecal', 'microarray expression implemented', 'qtl region brown', 'scrofa chromosome ssc4', 'chromosome region shown', 'controlling somatic', 'beef flavor', 'breeding value milk', 'half number intramuscular', 'service pregnancy rate', 'region significant italian', 'array facilitated', 'culture additional different', 'qtl detection', 'haplotype analysis suggested', 'genotyped tnf', 'involved synthesis', 'znf75a gene', 'regulatory mechanism lipid', 'integrating gwas', 'region oar', 'using 96', 'rate fdr total', 'suggesting single nucleotide', '170 control genotyped', 'standard unweighted', 'ssc15 fat', 'strain hypothesizing sorf2', 'using 20', 'female trout spawning', 'holstein sire named', 'specific concern bighorn', 'better sq1 dq1', 'submily member', 'cnv region', 'variation coopworth', 'dxa femur bird', 'region defined marker', 'classical regression single', 'snp sliding', 'weakness trait segregate', 'effect analysis new', 'mirna 1606', '9815g snp2 9924c', 'identify qtl lymphocyte', 'neutrophil phagocytosis', 'susceptibility inbred line', 'requires validation', 'analyzed lactation stage', 'fat food', 'cla association', 'regional population challenged', 'trait discovery', 'create 300', 'exhibit great', 'snp buffalo novel', 'kb snp', 'minor difference', 'racing myostatin mstn', 'xl luxi lx', 'trait derived conformation', 'main conclusion present', 'stockman animal', 'associated higher af', 'originating white leghorn', 'substitution altered binding', 'trait segregating sire', 'highly prolific', 'polymorphism adipocyte fatty', 'rfi based genomic', 'unraveling complex nature', 'bta22 bta25 teat', 'identified number gene', 'major health challenge', 'milk protein ptm', 'phenotype different measure', 'analysis order', '39 additive genetic', 'mir spectrum approach', 'variety included comparison', 'nominal significance', 'using simplistic', '878 fish', 'blindness affected', 'africa indigenous ecotypes', 'continues significant issue', 'sire breed', '40 additionally phylogenetic', 'chromosome 19 quantitative', 'ssc ssc5', 'colour egg size', 'fully confirmed finding', 'exonic region', 'data concluded', 'sire 85 dam', 'united kingdom population', 'etec k88', 'kinase phk function', 'gene associated mechanism', 'distribution contain 10', 'marker based heritability', 'reproductive behavior vole', 'region utrs', 'population allelic frequency', 'trait genomic correlated', 'cow 339', 'date used multi', 'head characteristic animal', '43 cn', 'approximately mid', '58 la', 'enhance power gene', 'threshold obtained', 'breed pig included', 'cell division', 'noire du', 'estimate 35', '31 qtl meat', 'region associated body', 'cm linkage analysis', '70 cfd', 'mongolia sheep population', 'present study carried', 'snp complete', 'oar3_115712045 oar9_91721507 located', 'condition factor half', 'relationship ibp4', 'respectively phenotypic', 'large white 23', 'signal sheep chromosome', 'cow high daily', 'result reveal specific', 'solid cow sire', 'qtlmap bco phu', 'ceramide cer sphingomyelin', 'thickness major', 'pig porcine large', 'cause lifelong', 'ppil4 shown', 'cast haplotype significantly', 'strand conformational polymorphism', 'suis burden', 'suppression involved', 'inhibitor type pai', 'includes different', 'identified population qtl', 'identify common snp', 'population result study', '400 animal', 'born 1963 2014', 'wise multi', 'exclusively little', 'effect haplotype level', 'hybrid panel', 'susceptible animal single', 'filtered high impact', 'locus controlling f4ab', 'method use existing', 'associated small', 'milk production trait', 'trait performance calf', 'ending snp', 'gga2 gga4 associated', 'regulation body', 'nipple number', 'fto adck5 pp1r16a', 'autosomal recessive disorder', 'trait total 12', 'abnormal behavior analysis', 'outbred population strongly', 'understood performed quantitative', 'exon statistical', 'zero ppn0', 'line composed 65', 'immunoglobulin heavy', 'gpat4 revealed 50', 'animal german holstein', 'disease human fertility', 'analyzed using line', 'analysis molecular variance', 'study collection diverse', 'small chromosomal', 'igf2 mgll mc2r', 'channel catfish population', 'haplotype potential', 'barrier initial step', 'gene used selection', 'eqtls overlapping', 'synonymous snp p2x3r', 'fertility female reproductive', 'developed divergent', 'level showed', 'bta 20 contained', 'used determine qtl', 'hypothesized crh promising', 'industry especially regard', 'explained major snp', 'region contributing', 'ayrshire dairy cattle', 'investigate total serum', 'tfn furthermore plausible', '75 significant', 'backfat fatty', 'genotype trait', '40mg milk', 'confirmed certain breed', 'validation required', 'teat qtl analysis', 'marker associated trait', 'availability phenotypic information', 'milk measured thousand', 'select genetically superior', 'power validate previous', '45 sex average', 'development theory thirty', 'suggestive level supported', 'ssc4 liw', 'peak gga24', 'averaged trait sire', 'autosome using', 'trait aim study', 'detect snp', 'undesirable allele present', 'phu polymorphism located', 'measured visual assessment', 'evidence alteration', 'capn1 calpastatin cast', 'vivo complement activity', 'ew time point', 'map infection intensity', 'expressed pmsg', 'mhc iranian indigenous', 'gap knowledge gene', 'gene understand', 'understanding gene affect', 'permutation test fdr', 'intercross population genome', 'vaccine completely', 'representing pig breed', 'heritabilities 43 56', 'subjected genome', 'gene mechanism', 'present qtl region', 'investigated uw cddr', 'whey protein milk', 'family 2978 daughter', '100 microsatellite', '576 906', 'abdh5 expressed widely', 'gland preferentially', 'trait gwas overlapped', 'additional genomic', 'significance experiment', 'conclusion supported', 'included analysis iteratively', 'piii transcript', 'lw pig snp', 'parity 77', 'expression level furthermore', '127 kg average', 'need investigation', 'pig divergently', 'reveal associated', 'ibdv mdv pm', 'f1 resource population', 'ccl2 il8', 'conclusion frameshift', 'previous result', 'locus milk fa', 'cell score approach', 'cross week', 'percentage alanine variant', 'ssc7 based', 'red dairy', 'present 23', 'interaction future', 'suggests domestication related', 'deposition metabolism polymorphism', 'quality mq trait', 'called maternal infanticide', 'bl meat production', 'snp array genome', 'model association expedited', 'cattle 2780', 'activity process', 'trait 768 sample', '31 autosome chromosome', 'offspring produced', 'association derived', 'indicate haplotype', 'oar14 breed addition', 'number functional candidate', 'identified fourteen novel', 'blood chimera', 'diversity revealed mutation', 'genetic determination udder', 'lean fat line', 'marker used seek', 'snp 785', 'calf 14 sire', 'analysis gtf2a1', 'rna regulatory function', 'internal nematode parasite', 'pig selected', '16p13 haplotype ld', 'covering 26 sheep', 'sequence coverage average', 'body length dressing', 'existence genetic variability', 'remarkably qtl', 'effect qtl transition', '108 microsatellite marker', 'model specie used', 'prevalence entropion', 'productivity wild', 'sow superior', 'protein percentage university', 'analysis ovine', 'role energy metabolism', 's0073 s0813 regression', 'chromosome ssc ssc12', 'method half sibling', 'rs339939442 ahr', 'confirm previous qtl', 'addition abcg2 investigated', 'absorb tiny snp', 'muscle heart stomach', 'score distinct polygenic', 'non return rate', 'alb suggestively associated', 'refining estimation genetic', 'important genetic marker', 'nos3 filip1 wadi', 'brahman belmont red', 'resulting fatal', 'yield dry matter', 'content estimated', 'equation molecular', 'plasma milk', 'score snp17', 'genes genetic', 'sheep individual', 'ngs 39328 hapmap26001', 'puberty key', 'significance additive effect', 'gene considered positional', 'pp brown swiss', 'sib family family', 'growth largely controlled', 'effect approached significance', 'polymorphic coding snp', 'hydrolase aoah gene', 'performed cnvs meat', 'gene sets', 'inclusion threshold factor', 'high frequency mutant', 'cw region', 'differential igf2', 'useful physiological predictor', 'exposure mastitis', 'established 93', '0257 addition', 'antagonistic minor abdominal', 'nfκ signalling pathway', 'polymorphism mc4r', 'affecting cm3 specific', 'igf1 gene', 'proportion shoulder', 'selection low', 'feed consumption carcass', '002 average daily', 'group detected genome', 'sheep wool quality', 'sire heterozygous procedure', 'association detected polymorphism', 'spread 25 different', 'study used increasing', '61 male longer', 'activity il8 haplotype', 'method pcr sscp', 'region explained 13', 'region dik0079', 'regression chunk', 'different parity qtl', 'evidence npc1 gene', 'phenotype 720 male', 'result meaningful', 'chicken genotype', 'rock using 125', 'molecular basis revealed', 'stature strength', 'genotyped 059', 'genetic variance suggesting', 'study affected 21', 'cri map interval', 'centimorgan position interpolated', 'content baier', 'endosteal circumference', 'identified association bodyweight', 'dj suggested qtl', 'trait compare', 'performance pig offer', 'binding affinity', 'ssc14 including col17a1', 'elite commercial', 'genetic functional', 'emotional reactivity', 'hair follicle', 'percentage bc', 'md leukemogenesis', 'respectively magnitude effect', 'candidate defining animal', 'included bovine', 'ssc4 include interferon', 'genetic association medium', 'shown function efficient', 'population allele', '531 large', 'associated haplotype', 'result total 1883', 'meishan allele decreased', 'locus exerted consistent', 'shank skin color', 'significant qtl detection', 'bta 11 14', 'ci qtl', 'defect recent l1', 'porcinesnp60 illumina', 'odour intensity', 'protein percentage marker', 'nearly perfectly correlated', 'design holstein', 'detected altogether 26', 'compared high', '15 23 showed', 'resulted 452', 'gene gene ontology', 'trait difference', 'originating qtl', 'controlling density', 'nearest preceding', 'key ancestor german', 'novel informative', 'tender juicy', 'iberian pig snp', 'candidate region bovine', 'uncovered qtl region', 'demonstrated genetic variation', '31 carcass', 'fwec secondary infection', 'hanwoo feedlot', 'kg deviation', 'locus qtl significantly', 'ph respectively ssc15', 'identified harbouring qtl', 'single snp single', 'additional suggestive qtl', 'conclude gh1 md', 'test putative qtl', 'f19 sutai', 'hypertrophy snp', 'report assay', 'ci ear', 'slick haired cross', 'production trait plausible', 'gwas revealed', 'using maternal allele', 'hect domain', 'mean polymorphism information', 'number born nba', 'total 356', 'additional f2 animal', 'possible marker assisted', 'lh located', 'predictor animal', 'rongchang songliao', 'pedigree naturally', 'statistical model applied', 'arhgap39 gene conclusion', 'region carcass meat', 'tissue body underlie', '14 000', 'allele german holstein', 'analysis using multiple', 'gwas multi', 'tamu edu similarly', 'snp 50k beadchip', 'mineral status', 'csnk1g3 prkcq conclusion', '37455302g notch1 variant', 'role sheep', 'illinois meat quality', 'slope length bl', 'disease type ii', 'trait specific snp', 'qtl fat growth', 'structural biochemical', 'used compared', 'individual expression', 'daughter dairy cattle', 'length 13 05', 'culling animal', 'female lamb', 'group respectively genotyping', 'showing highest significant', 'explore potential mechanism', 'landrace sire family', 'breed indicate', 'sixteen snp chromosome', 'ywhaz krtcap3', '42 52', '96 10', 'trait tenderness', 'susceptibility tb time', 'gene cloning', 'increased phenotypic', 'am157180 1473a causing', 'target fsh', 'growth rnf103', 'rell1 cd96', 'slc6a4 serotonin', 'vca body', '152 wld 117', 'bone rac hanoverian', 'suggestive evidence maternally', 'effect phenotype', 'marker g133c', 'analyzed number', 'force qtl meat', 'toughness breed', 'finding provide baseline', 'encompassing arl4a snx13', 'documented effect trait', '48 bp sequence', 'junction protein zo', 'percentage protein', 'ewe dorset polypay', 'study norwegian red', '2a general', 'various emotional', 'gwas bone quality', 'new group familiar', '510 f2', 'elovl6 support', 'characterized 23', 'trait 167 genotyped', 'marker association', 'linkage twopoint', 'panel 315', 'sample size total', '17 gene including', 'maximum single point', 'wt 99', 'intricately involved control', '20 38', 'cattle genotyped ss319607402', 'trait derived number', 'identified marker', 'selection ssc4', 'bta 11 subsequent', 'calmodulin regulated', 'localized inner root', 'antagonistic correlation', 'east africa rely', 'phase functional', '68 cm', 'imputation candidate', 'phase association', 'number possible', 'twinning rate predicted', 'snp rs109663724', 'crossbred swine population', 'breed charollais', 'gwa study feasible', '14 nominally', 'region associated 31', 'containing 38 gene', 'data normalised', 'pathway milk', 'btb offer', 'loading value gene', 'ratio 18 18', 'solid cow', '198 snp analyzed', 'examined polymorphism sanger', 'qtl mapping susceptibility', 'pig breed intensive', '13 standard', 'intensity pigment coat', 'refine fatness', 'level seven sire', 'pof fetlock', 'brachygnathia inferior spite', 'process cft equation', 'egg weight qtl', 'sum significant', '11 variant allele', 'genotype allele frequency', '597 144', 'accounting genetic variation', 'dairy product primary', 'productivity creole cattle', 'series event', 'bta20 mb', 'goat genotyped resource', 'hindleg length discus', 'qtl wild', 'technique identify qtl', 'higher 01', 'population large number', 'pig genome entire', 'material case data', 'meat tenderness genotyping', 'predictive factor sow', 'jointly explained 10', 'accounting false', 'marker animal genomic', 'marker swr345', 'efficient imputation genome', '001 significant snp', 'bull sequence', 'thinner subcutaneous fat', 'score lesion', 'unrelated animal', 'especially identify new', 'eno3 eprs trim29', 'nellore cattle phenotype', 'genetic resource conservation', 'evidence quantitative trait', 'holstein population included', 'higher heat tolerance', 'mammal effect', 'rs419889303 chromosome located', '001 respectively addition', 'chromosome chromosome bta6', 'service breeder help', 'gwas accomplished', 'built weighted', '43 lowest', 'controlled sub', 'disease osteochondrosis', 'associated horse', 'lep lepr 1987c', 'trait qtl mapped', 'trait process effective', 'gene higher imputation', 'core qtls carcass', 'cow dairy', 'second later parity', 'consumption contaminated', 'mbl2 identified', 'production litter size', 'tissue standard association', 'polymorphism ca', 'ass potential relationship', 'antibody response criterion', 'gene 74 btb', 'wide make', '652 single nucleotide', 'genotype aa associated', 'bostauv1r419 map2k5 kctd3', 'ar score logarithm', '05 manych', 'sscs 10', 'wise level influencing', 'indolic compound identified', 'publication describes mapping', 'identified significant effect', 'distal ssc7 contains', 'pooling strategy daughter', 'h2h2 aa gg', 'maf 01 hardy', 'case holstein', 'complex phenotype human', 'male texelxmule', 'population result sex', 'white controlled combination', 'jersey holstein', 'serve foundation insight', 'red nr investigated', 'bcs live', '100g fat stearic', 'rank genomic region', 'egg trait dongxiang', '001 associated growth', 'identification marker include', 'regression grammar genomic', 'anaemia haemorrhagic', 'creation priority list', 'bta15 cd82 bta23', 'binary nature', 'backfat averaged', 'european lce crossbred', 'play role initiation', 'complex regulation', 'gene known exhibit', 'selection reduce', 'chicken 600', 'increasing overall', 'locus multi locus', 'muscle histochemical', 'carcass growth phenotype', 'association androstenone', 'gene completely', 'imbalance association', 'difference understood result', 'include nebraska', 'value 10', 'accretion meat quality', 'shandong chicken breed', 'including proportion', 'associated complex trait', 'sst nr3c2 quantitative', 'harboured gene effect', 'revealed quantitative', 'sheep sire', 'great adaptability', 'white pinpoint functional', 'located qtl', 'animal breeding imprinted', 'content 23', 'derived seven identified', 'numerous locus', 'period lactating cow', 'cc genotype suggested', 'gene il8ra', '28 week age', 'qtl bta6 10', 'signal reaching', 'tgs cholesterol', 'free living', 'investigate method detecting', 'single snp based', 'measure porcine', 'percentage milk dna', 'study provides useful', 'hybrid mapping lepr', 'commercial population qtl', 'disequilibrium snp', 'mapped using phenotypic', 'using dairy', 'respectively c4535156t 1591t', 'milk furthermore genetic', 'beadchip italian large', 'e48 chicken h3h3', 'tm qtl primal', 'overall difference', 'suggest xkr4', 'dairy cattle based', 'large number suggestive', 'swine identification', 'genomic locus porcine', 'result monoamine', 'independent discovery population', 'analysis confirms erythroid', 'pair position', 'technique polymorphism', 'analysis using subset', 'near complete atrophy', 'calcium deposition residual', 'genotyped allele causal', 'subsequently supplementary marker', 'pcgs involved biological', 'hair sample', 'interestingly gene', 'steroid androstenone', 'animal allele significantly', 'lyn wwox', 'german fleckvieh population', '2013 perform genome', 'variant variant', 'variance snp window', 'hybrid mapping confirmed', 'region defined', 'cast fut1 hsd17b7', 'function gene expression', 'copy respectively overall', 'gene total variation', 'high fat accumulation', 'retrieved generation sequencing', 'production limited relationship', 'somatic cell score', 'oar1 average', 'genetic pattern slick', 'mutation cause increase', 'trait yellow meat', 'production social reactivity', 'qtl peak trait', 'marker interval s0001', 'analysis result consistent', 'using porcinesnp60k', 'vertebra gene identified', 'detected region marker', 'swine result screening', 'efficiency potentially', 'igf2 loin', 'resistant 200', 'receptor d3', 'challenged type', 'unaffected calf', 'encoding ncapg ile442met', 'egg number en', 'generation 12', 'rfi need', 'cluster underlying complex', '28 24', 'exon leptin gene', 'using genotyping data', 'length 05 finding', 'qtl region highly', 'salmonella resistance', 'determine predictive ability', 'trait result encouraging', '305 day model', 'variability bovine fbxo32', '1658 polymorphism', 'month dna sequencing', 'including multiple', 'shoulder ham weight', 'match qtl region', 'redness measured', '1_86 cm _copb1_90', 'genotype difference', 'white mlw cross', 'gene associated survival', 'region porcine genome', 'known impact growth', 'twinning estimated', 'fully formed', 'directly gene', 'compound skatole', 'joint population', 'semimembranosus muscle ph', 'located 12 chromosome', 'shrinkage estimation qtl', 'test end weight', 'identified polymorphism genotyped', 'viral load pig', 'shown milk bhb', 'cm region chromosome', 'qtl region', 'related trait sum', 'mb flanking region', 'network associated', 'expression selected candidate', 'total weight', 'snp1 missense mutation', 'linkage disequilibrium genome', 'unique capability identify', 'activated receptor gamma', 'purpose single joint', 'strong genetic', 'tissue component', 'exon statistical analysis', 'production subsequent', 'body length chest', 'semen volume', 'resulting 360 progeny', 'decr1 polymorphism resulted', 'region equine chromosome', 'iga serum', 'metabolism insulin dependent', 'performance mammal', 'effect bta13', 'downstream stem', 'thickness width associated', 'contains orf encoding', '1033 2184 exonic', 'analysis linkage map', 'landrace 125', 'pbonferroni threshold 10', 'ph24 electric conductivity', 'range 38 257', 'bird bone', 'selected gene real', 'using new previously', 'weight shin circumference', 'comparison locus', 'model pleiotropic', 'milk analyzed', '100 cm interestingly', 'difference major', 'detected linked', 'receptor mc1r color', 'genomic control total', 'scan milk', 'classification typification', 'increasing protein', 'genotyped heifer data', 'random mate choice', 'breeding season', 'genetic resource future', 'point genomic region', 'regulation ntn1 finally', 'observed fast', 'snvs evaluated independent', 'significantly associated genomic', 'breed report multibreed', 'composition backfat intramuscular', 'fearfulness study compared', 'separate analysis', '20147039c intronic variant', 'large percentage phenotypic', 'conformation haplotype resulted', 'corticotropin releasing', 'rs418747104 ovine', 'potential dqb1 haplotype', 'yield index bos', 'discover qtl', 'antibody na', 'production near centromere', 'set bw', 'affymetrix probe set', '01 qtl identified', 'prolactin prl peroxisome', 'mainly increased', 'generate dam', 'marker superovulation', '21 snp used', 'marker ovine chromosome', 'provided evidence', 'prominent role coat', 'qtl ssc1qter', 'insight genomic', 'behavioral trait 260', 'sex steroid especially', 'illumina porcinesnp60', 'performed erythroid related', 'linkage disequilibrium causal', 'density total number', 'subunit fosl2 bw', 'muscle sample evaluated', 'relative area fiber', 'performed sheep valle', 'underlying resistance', 'ratio posterior anterior', 'conclusion newly', 'triglyceride concentration', 'interval 49', 'experiment propose alternative', 'pair analysis 12', 'confirmed published qtl', 'horse selection', 'counting influence', 'dissect age dependent', 'asian allele', 'located ppp3ca gene', '29 cm', 'cry2 gene displayed', 'indigenous ethiopian chicken', 'problem poultry industry', 'map tissue cfu', 'teat number 10', 'large effect body', 'fcr ssc 14', 'leghorn wildtype', 'cw 38', 'underlies important', 'cart gene search', 'region ankyrin', 'included qtl marbling', 'sheep addition', 'population included 510', 'classical genetic', 'alignment decr1', '198 horse', 'crosses method', 'inadequate representation haplotype', 'shared effect multiple', 'aa 71 69', 'located chr 20', 'combine genomic variation', '171 55', 'specialized permutation', 'fed sow', 'phenotypic data comprised', 'seemingly failed', 'technology non synonymous', 'cm carcass', 'breast muscle', 'phenotype result ld', 'region ltnb', 'reproductive genetics physiology', 'broiler targeted', 'indicus comparison', 'process effective desired', 'cnv 2059 sheep', 'snp similar winter', 'effect fertility trait', 'line fsil', 'proportion cost', 'lactation aimed', 'layer particular snp', 'ad genotype associated', '24 25 4mb', 'reached fixation approach', 'end chromosome research', 'sb pig reproductive', 'test imprinting mendelian', '292 son obtained', 'product distinct', 'experiment wide', 'significantly correlated body', 'drd1 showed significant', 'qtlexpress total 18', '330 suhuai', 'chicken used model', 'stillbirth dystocia conventional', 'identified 72', 'structure canadian angus', 'model used association', 'qtl eca18 confirmed', 'qtls loin muscle', 'chromosome omy9', 'chosen based', 'snp2 snp3 strong', 'carcass backfat qtl', 'factor 5a specific', 'plag1 chchd7 bta14', 'adrb3 adrb1', 'minolta minolta ph', 'level significant effect', 'eye bilateral eye', 'snp associated reproduction', 'cortisol parental breed', 'selected utt', 'ultimately improve hen', 'scheme livestock', 'potential biological', 'achieve reliable', 'information pedigree', 'landrace 181', 'pool created', 'qtl affecting pp', 'unexpected obviously', 'considerable negative impact', 'qtl consistent', 'total mufa highly', 'breeding thoroughbred production', 'count fraction', 'concentration substrate', 'genotyped snp 1141', 'correlate number', 'length meat production', 'bta6 common mcp', 'hampered lack routine', 'alternative method increasing', '40 allele analyzed', 'bw fi interval', '41 cm 17', 'index increasingly involved', '25 633 662', 'resulted identification new', 'ssc1 total glycogen', '05 abhd5 knockdown', 'metabolic acidosis', 'observed mapped', 'putatively underlying qtl', 'sequence particularly applied', 'son granddaughter', 'rna regulate', 'consisting snp', 'genetic background defect', 'landscape locus', 'sscx significantly', 'negr1 slc44a5', 'son estimated', 'melim sequencing', 'weakness using', 'demonstrate female somatic', 'influencing female fertility', 'total 103', 'breed polymorphic site', 'qtl chromosome rfi', 'genetic variability specie', 'ssc5 explains', 'cattle conclusion genomic', 'estimate ranged 09', 'gene underling variation', 'qtl imf porcine', 'proven successful', 'reported affecting female', 'snp explaining', 'human mouse demonstrates', 'number haplotype identified', 'germany 2021 breeding', 'confirmed factor analysis', 'giving 16', 'pm economic', 'avpcv avlwt result', 'rs400827589 mtnr1b population', 'trait cddr population', 'designed snp 12', 'qtl chromosome bone', 'implementing real', 'determine position qtl', '45 offspring', 'allele used study', 'data contrasting', 'improving parameter', 'related development', 'variety animal including', 'weight kw', 'adrenal hypothalamus eqtl', 'architecture pig reproductive', 'bred improved growth', 'trait total significant', 'analyzing combined', '12 polymorphism poorly', '01 result indicate', '3α gene analyzed', 'evidence association future', 'tested association tibial', 'separately addition identity', 'obtained population', '30 exclusively', 'adfi feed', 'en selection finding', 'dmi adg total', '205 bw genotype', 'metabolism cytoskeleton', '1574a snp linkage', 'elovl5 essrg', 'cattle identified', 'litter western breed', 'mb bft rft', 'value impact human', 'marc iii', 'total 214', 'snp beadchip genotype', 'analysis used explore', 'disorder animal selected', 'analyze body', 'genotype cd dd', 'likely responsible', 'imbalance associated', 'evident silico', 'knowledge member myadm', 'level identified 22', 'friesian jersey crossbred', 'ribosomal protein', 'gland morphology', 'c18 nineteen genomic', 'hatch wog weight', 'interval s0073 s0214', 'involved feather pecking', 'landrace meishan', 'meishan allele commercial', 'using restricted', 'force 17 dressing', 'predicted snp flanking', '11 snp duplication', 'index considering', 'qtl approach', 'second generation parent', 'included chip', 'distance haplotype', 'loin weight', 'proportion estimated', 'separate infection', '198 microsatellite', '78 suggestive', 'lcorl ncapg gene', '56 500', '690k catfish snp', 'information incorporated', 'transcript encoding', 'qtlrs combined procedure', 'mbl1 mbl1 genotype', 'ibp4 gene isolated', 'produced 31', 'akt3 prkab2', 'tenderometer equipment', 'calcium ion', 'increase lamb weight', 'infection hpai', 'sib advanced intercross', 'suggested relationship', 'growth performance infected', 'livestock specie usually', 'fat observed association', 'non spotted phenotype', 'immune function determinant', 'ew43 0058', 'parent origin qtl', 'poor eggshell', 'bone weight skin', '14 13 snp', 'calf weaning', 'making important candidate', 'snp lcorl', 'union set', 'sequence fn424076 encompassing', '01 mutant', 'adhere small', 'coverage 2630', 'interval mapping analysis', 'substitution candidate gene', 'calving trait qtl', 'representation snp 43', 'trace inheritance', 'crossing japanese', 'force estimate connective', '289 unaffected', 'stage identified 28', 'trpc4 second region', 'heritability coefficient largely', 'breed analysis estimated', 'common mechanism underlying', 'lrt threshold genome', 'variation identified', 'human liver', 'individual expression markedly', 'suggest domestic sheep', 'observed significant', 'commercial flock genotyped', 'strikingly flock exceptionally', 'molecular biological process', 'located second pc', 'period birth weight', 'lactose total', '001 carcass quality', 'hypertrophy texel', 'variance holstein jersey', 'used association study', 'alpine sheep using', 'mp ar', 'meat quality grade', 'investigation extracellular fatty', 'fat1 qtl gene', 'subfamily hydroxysteroid', 'acid sum', '03 association evaluated', 'lipj lipk ehhadh', 'eca15 colt', 'nipple number possible', '1596 locus chicken', 'polymorphism conserved residue', 'status sow suggesting', 'factor tgf gene', 'significant snp region', 'protein deduced nucleotide', '900 kb', '94 observed', 'bb aa animal', 'lymphoproliferative disease caused', 'load 004', 'interval ii prkag3', 'factor gene', 'm3 qtl detected', 'tissue map', 'passed quality control', 'low boar taint', 'linkage map including', 'proportion explained', '51 total', 'litter size affecting', 'hd snp beadchip', 'texel ram exhibiting', 'change lg gene', 'lamb dissected', 'length bl meat', '1151 holstein', 'percentage 0014 allele', 'conservation qtl region', 'gwas report', 'rfi feed efficient', 'imprinting status unknown', 'backfat significant', 'acid change ile442met', 'variance association snp', 'bone related pathway', 'invertebrate vertebrate development', 'allele la', 'affecting underlying', 'illinois uoi animal', 'associated fcr candidate', 'ocd hock oc', 'gene understanding role', 'regulating erythroid trait', 'sequence porcine', 'similar trait mammal', 'shearing addition', 'importance global equine', 'weight reproductive tract', 'detected previously bta5', 'wide study', 'antagonistic effect implementing', 'reported far japanese', 'indicus breed important', 'development process experienced', 'sow period', '10 selected based', 'estimated targeted association', 'horn polled given', 'snp remained quality', 'embryo demonstrated expression', 'trait breed snp', 'lncrna furthermore', '403 f2 animal', 'addition qtl antibody', 'analysed variant', 'effect trait qtl', 'global threat', 'parity respectively evidence', 'loss day', 'support possibility', 'represent general locus', 'genomic copy', 'phenotype like meat', 'layer breed rjf', 'study quantify milk', 'transcription identify association', 'interesting candidate', 'susceptible layer', 'variant underlie complex', 'enzyme central', 'known strong gregariousness', 'efficiency allele substitution', 'sw2429 7907 7637', '205 adjusted weaning', 'cis acting element', '106_ 91delgccaggggtgtgagcc', 'population comprised 1769', '250 microsatellite marker', '691 commercial snp', 'ewe hyperprolific striking', 'analysis identified candidate', 'method vaccination year', 'spectrum proved', 'progeny texel sire', '78 sire performing', 'environmental influence', 'healthfulness value', 'importantly using', 'model cm', 'used investigate genetic', 'index human involved', 'qtl specific', 'qtl ssc6 growth', 'gene linkage', 'hydin lrguk zfp90', 'round oestrous', 'developmental process', 'snp nucb2', 'model heritability twinning', '15 18 24', 'adenosine cyclic monophosphate', 'performance identified snp', 'strongly selected', 'polygenic inheritance pattern', 'depth fore', 'select individual improved', 'yield bta', 'locus close gsg1l', 'fec packed', 'lamb production provide', 'close region plasma', 'number trait sheep', '49223 49228 allele', 'body weight gga2', 'ulceration ssc12 presence', 'period result', 'matched unaffected', 'frequency 4185 0815', 'pathway associated calving', 'wing identified gga4', 'bacterial artificial chromosome', 'distinguish model', 'region bms483 mnb', 'significance region attained', 'gain test time', 'improvement fertility', 'useful genome gene', 'slc2a4 stearoyl coa', 'genetic background typical', 'marker entire genome', '9q22 9q31', 'admixture result senepol', 'peak lean meat', 'binding motif ef', 'transporter activity linkage', 'detected 72', 'carried 26', 'bp downstream s26859', 'susceptibility precise', 'using efficient mixed', 'highlighted interesting', 'water content ph', '25503 s1_at', 'snp identified 38', 'sequence analysis 230', 'jxau respectively', 'culicoides spp prevalent', 'respectively peak', 'contrast using', 'contributing observed difference', 'population fat thickness', 'type chicken f2', 'interesting indicator', 'mobilization skeletal', 'region genome determine', 'method combining', 'cm maximum', 'allowed confirm result', 'dissect qtl', 'close snp', '11 danbred landrace', 'cattle superior', 'pig population greece', 'hen 762 bird', 'significant association multiple', 'explained 28 genetic', 'allele 332', 'significant 001 frequent', 'colour breed using', 'variation imqp f1', 'panel 16 sire', 'deviation parenthesis', 'retained genome wide', '26 associated genetic', 'alive nba', 'analysis interpretation', 'conclusion previously reported', 'host factor', 'addition run', 'ratio trait respectively', 'ssc shown rich', 'bone index component', 'method identified novel', 'involved androstenone biosynthesis', 'independent qtls', 'rtef1 identified different', 'study identify polymorphism', 'identified ssc1 report', 'lr afe laying', 'odour affecting smell', 'syndrome vater association', 'implicate ew', 'behavioural problem', 'ph24 commission', 'close qtl', 'ifc result indicated', 'snp computer', 'known affect milk', 'phaeomelanin red pigment', 'composition retinto torbiscal', 'multiple growth', 'welfare issue marek', 'bta04 screened', 'licensed vaccine world', 'breed heritability', 'complex implicated', 'lepr polymorphism fatty', 'effect affecting', 'ai 56 day', '12 vf2 mapped', 'compared inheriting', 'involving killing', 'overcome limited', 'footrot used', 'sheep present method', 'development brain skeletal', '74677 snp representing', 'discovery 1574a marker', 'increasing efficiency', 'role myogenesis binding', 'measurement fat', 'analysis aforementioned', 'indicate genetic', 'relevance 12', 'outperformed microsatellites linkage', 'kg average', 'perform multi trait', 'indicator subclinical ketosis', 'number vitro', 'alpha production', 'cross single', '26 suggestive', 'type genotyped', 'higher cheese yield', 'group representing', 'disease virus fmdv', 'meat yield fgf8', 'associated sb mum', 'highest average skatole', 'study based genome', 'data recorded included', 'condition little known', 'haplotype minor allele', 'selection focussed', 'association lld', 'btas 13', 'select semen quality', 'time production', 'resistance majority study', 'support quantitative genetic', 'trait documenting population', 'fertility trait performed', 'potentially identify causative', 'total igg igg1', 'covering region progeny', 'showed logarithm', 'addition quantified', 'able confirm qtl', 'marker test navicular', '84 cm interestingly', 'process involving guanosine', 'fixed founder population', 'explained observed', 'industry better understand', 'cardiovascular metabolic disease', 'respectively current', 'facilitated exploration respective', 'calving danish holstein', 'invasion respiratory', 'steer born spring', 'pve lead', 'analysis backcross charolais', 'variability degree', 'heterochromia pattern heterochromia', 'approached significance', 'white pig', 'foreshank weight', 'contrasting heterozygote', 'csn3 highest', 'availability large', 'morphology montbéliarde mon', 'teat morphological', 'rarely investigated', 'gg yield', 'crucial role defense', 'estimate genetic variation', 'using 63', '28 non', 'level line', 'blood urine milk', 'additive association haplotype', 'holstein single', 'evaluated amp', 'teat count 35', 'homozygosity region', 'array lipid', '20 21', 'heat shock protein', 'tg detected pig', '12 qtl search', 'canales sesamoidales', 'number antral', 'dissected genotyping carried', 'shown significantly associated', 'triglyceride concentration analysis', '518 203 variant', 'favourable allele qtl', 'breeding environment', 'growth 23 day', '117 south', 'alter protein', 'value objective', 'color especially', 'alpha rxra', 'amidst strong', 'f2 interval mapping', 'mentioned pathogenic disease', 'calf size maternal', 'central zinc finger', 'indicating significant association', 'genomics approach aim', 'function related growth', 'mutation candidate gene', 'valuable investigation', 'growth fatness saturated', 'based rs13997809', 'region saa2 gene', 'study 1010', 'swine breeding future', 'identified cast', 'determined muscle specific', 'large proportion highly', 'ovine gene', 'score sc milk', '06 present 17', 'haplotypes based', 'proportion animal', 'selective breeding thoroughbred', 'identified qtl analysis', 'covariate gwas modeling', 'effect locus identified', 'model overlaying', 'population accounted 09', 'snvs associated fcr', 'bowel disease human', '17 saxon', 'chromosome associated phu', 'effect estimated', 'expressed animal', 'pde1b gene evaluate', 'minority breed', 'c16 finally', 'gene involved haemostasis', '94 cm', 'qtl greater mapping', 'pcr rflps', 'time linkage', 'value study report', 'qtl polyunsaturated fatty', '50 polymorphism genotype', '171 snp reached', 'bovine skeletal muscle', 'gene investigated 554', 'influenced age', 'uncovering physiological', 'weight qtl coincide', 'domestic cattle', 'polymorphonuclear leucocyte', 'cause severe economic', 'data structure', 'highly correlated incidence', 'ah1 haplotype frequency', '10 vf2 mapped', 'current study exmoor', 'added build', 'region gluc adiposity', 'bp nucleotide sequence', 'polyamines cation', 'resource population novel', 'new significant', 'percentage individual', 'animal target weight', 'region tissue', 'breed korean native', 'trait facilitated', 'significant range', 'identify additional', 'specie alternative', 'chromosome gga1 10', 'true linkage', 'previously cddr', 'mirnas influence target', 'fell mb', 'prrsv farm infected', 'estimating snp', 'disease cattle production', 'using pooled genomic', 'androstenone gonasomatic index', 'inra design', '250 kb gene', 'affecting regulation', 'chromosome 13 thirteen', 'identified nearby', 'pattern acop cattle', 'genome snp marker', 'quality investigating', 'mastitis susceptibility', 'mhc genetic diversity', 'day ldl2 corrected', 'present breed locus', 'missing heritability', 'used different diagnostic', 'fcr conclusion result', 'study conducted', 'profile pig', 'validated snp related', 'considered good alternative', 'poultry product', 'breeding program reported', 'aureus coli', 'analysis performed comparing', 'allele decreased trait', 'gene expression regulate', 'leptin gene snp', 'locus associated gp', 'trait negative', 'effect cg', 'chromosome resulted', 'tmem38b rad23b locus', 'opn ppargc1a variant', 'rft 97', 'including mutation carrier', 'harbouring significant qtls', 'concentration volume', 'selected line result', 'identified exon il', 'danish holstein population', '012 genome', 'contig covering region', 'outbred f2 interval', 'altogether conclude susceptibility', 'validates scd gene', 'multivariate approach unique', '146 significant snp', 'associated af', 'genotyping genome reducing', 'knowledge regarding beef', 'total 2589 sire', 'landrace 01 association', 'genotyped 257', 'lipid concentration', 'accounted 14', 'available 1185', 'body height mctp1', 'genome association analysis', 'heterozygous number antral', 'remain elusive', '917 german draft', 'qtl outbred', '378 progeny', 'mapping suggests', 'control breed', 'cast adenosine', 'mutation 1054t', 'exhibit expression', 'using transrectal', 'resolution possible', 'level cut', 'addition qtl mapped', '657 snp used', 'suggested snp change', 'dam risk victim', 'hub wish', 'lamb general linear', 'family outbred', 'polymorphism potentially', 'need increase marker', 'locate genome wide', 'statistically significant', 'rxrg nfatc4 abtb2', 'disequilibrium historical', 'gene modulating', 'designed genomic sequence', 'explains 50', 'post immunisation fdmv', 'gwas significant', 'improving genetic', 'quality using family', 'qtl region subtraits', 'performed 100', 'acid chinese', 'intron previously referred', 'comb including', 'currently implemented number', 'season 05 chromosome', 'ai ram gwas', 'altered antibody', 'fto arm', 'weight overlapped cw', 'glo glm', 'carrying recombination', 'study role stat1', 'predicted snp', 'threshold value total', 'improvement eating satisfaction', 'required aid', 'background prkag3', 'effect economically', 'pathological bacteriological examination', 'molecular basis horn', 'commercial line used', 'polymorphism nc_007324 12284a', 'p3 pi', 'affected litter', 'genomic heritability fat', 'threonine acc', 'available offspring birth', 'bred steer 406', 'milk trait cow', 'population parameter', 'reproductive trait number', 'location validation', 'assisted selection control', 'study discover causative', 'trait swine false', 'genotype nce7', 'genotype examined', 'reflect difference', 'estimated non convergence', 'seven cluster', 'missense mutation synonymous', 'analysis chromosome region', 'corresponds critical', '16 sire representing', 'beadchip available 2951', 'control analysis', 'partially effect', 'protein bovine', 'snp uchl1', 'independent test', 'association muc4', 'content 05 snp', 'responsible qtl association', 'nba tnb 121', 'suffolk texel sheep', 'forecasted promising', 'confirmed analysis', 'cnv inferred', 'allowed detect', 'trait cytological', 'milking ease bull', 'raw firmness score', 'aquaculture specie', 'association androstenone adipose', 'analysis performed assigning', 'fabp4g 3691g', 'located target', 'enable rapid', 'depth comparison identified', 'seventy snp', 'thymus weight', 'allow differentiation cattle', 'snp 01 10', 'identified coincided position', 'isolated blood 417', 'estimate heritability intramuscular', 'formed using', 'spectrophotometer 585', 'body weight approach', 'excluded statistical', 'likely involved', 'result cd46 tv', 'variation lesion count', 'mchr1 pparα', '2333 animal', 'polyphosphate phosphatase ocrl', 'site level il', 'depth 001 snp', 'sequenced length coding', 'subsequent gene set', 'marbling moisture color', 'chl_fat 100', 'clstn2 mtmr2 dlg1', '10 trait', 'utr snp including', 'esr2 eaat2 drd1', 'mis18a olig1', 'estimated close 10', 'asp582gly berkshire yorkshire', 'associated ear', 'specific host gene', 'analysis base continuous', 'significant association elisa', 'result affected', 'record thi', 'feasible pig', 'lymphoproliferative disease chicken', 'conducted detect polymorphism', 'fcr 01 snp', 'study genetic basis', 'experimental knp', 'missing homozygous', 'depth maximum genetic', 'australia host resistance', 'avoid small', 'duroc 32 pietrain', 'work analysed', 'expression level myod1', 'chicken breed used', 'porcinesnp60 beadchip swine', 'korean native chicken', 'genomic evaluation widely', 'trait broiler chicken', 'comparison progeny', 'wool yield measured', 'coding upstream', 'suppressor glucose autophagy', 'identified fatty', 'cell antibody response', 'opportunity improve milk', 'developmental stability', 'genotype porcine', 'observed vrtn', 'shared kb', 'analysing multivariate', 'fasting consumption high', 'genetic variation gene', 'mm dominance effect', 'seven carcass merit', 'model linkage studied', 'mineral trait', 'region ssc6', 'significance pathway', 'strongest association located', 'nuclear factor nr6a1', 'association pigmentation', 'evaluate potential', 'sm hap3', 'greatly contribute', 'cow using control', 'age class large', 'depressed concentration', 'trait total 557', 'gene prag1 lonrf1', 'scan white duroc', 'analysis revealed 19', 'marker identified 20', 'problematic single', 'emmax method', 'knowledge member', '22 23 24', 'lactose yield percentage', 'population pathway', 'bmp15 gdf9 gene', 'bta 14 641', '96 selected snp', 'dna marker addition', 'modulating response', 'estimated dominance', 'near dgat1', 'parity ltnp', 'instance outbred', 'conducted detect genomic', 'disease asthma', 'ca quality', 'methodology iterative process', 'height snp correlated', 'pituitary development', 'sequence conserved', 'characterize candidate snp', 'chromosome average distance', 'qtl collagen type', 'qtl study', 'significant haplotype effect', 'fresh curd cycurd', 'strongly associated foreshank', 'ocd 42', 'synonymous substitution c1924t', 'mineral area', '26 28 suggestive', 'phkg1 gene', 'showed strongest association', 'phase finding', 'monomanine signaling pathway', 'survey identified', 'website rb1', 'group sla region', 'functional relationship potential', '10 12 e47w24', 'metabolism gene bta26', 'use prior information', 'contrast human', 'association signal rs419889303', 'pork produce taste', 'causal mutation candidate', 'frequency sequenced', 'gland study 604', 'maintenance lactation', 'study aimed search', 'cy trait', 'associated content', 'associated multiple', 'diverse panel', 'feed conversion rate', 'altered bmp15', 'showed dominance effect', 'presented genetic association', '30 animal h1', 'control method aim', 'gender genome', 'c16 ssc4', 'assessed large', 'blood gas influenced', 'overlap identified', 'performed result', 'marbling score mg', 'sufficient significant association', 'included relatedness matrix', '76 additive genetic', 'trait gwa', '715 284', 'pt 12 10', 'le powerful identification', 'pew pbm chicken', 'total protein mean', 'age category 12', 'experiment analysis', 'disease challenge routine', 'ucp1 investigated', '35 day opposite', 'snp07 snp31 strongly', 'variation end lay', 'egg production msi', 'compared non', 'area composition respectively', 'allele associated increased', 'low hpa axis', 'kb variant', 'lipid storage energy', 'group gga1 11', '10 haplotype genomic', 'used genotype generation', 'cause boar', '18q12 18q21', 'exploited selection', 'detection power quantitative', 'reached suggestive', '100 000', '221 162', 'association scan gwas', 'million snp respective', 'drd2 vasoactive', 'bowing tibia', 'rlf fmp ifr', 'bacteria chicken', 'gene arhgap8 tmem200c', 'primer flanking region', 'smaller number gene', 'significant reject possibility', 'tissue proportion', 'diagnostic measure ovlv', '43w ew43 0058', 'result female specific', 'specific protein', 'block associated fat', 'suggests domestication', 'susceptibility cattle', 'analysed single', 'fat explained increased', 'mb snp region', 'genomic region list', 'ghrl ghsr igf1r', 'factor igf2', 'identified genotype', 'component shown', 'numerous alteration', 'role different', 'using g3 generation', 'present 23 81', 'content total 61', 'resistance backcross sheep', 'information historical', 'region yielded', 'wh 0044 rl', 'identified potentially', 'present study length', '02 003 cyst', 'erythroid trait', 'including complete open', 'affecting body growth', 'study designed investigate', 'annotation significant', 'improvement fillet quality', '119 pig', 'qtl described single', 'park7 mff bootstrapping', 'rate post', 'specific factor regulating', 'novel host', 'second generation cross', 'verified multiple regression', 'lpin2 444g 1730a', 'necropsied determine total', 'variation porcine decr1', 'qtl nordic', 'biochemistry fundamental', '56 dam', 'allele tested pig', 'longissimus dorsi sample', '13 located 95', 'lower score', 'delivered fpd aggressive', 'qtls study located', 'feed cost prompt', 'observed chromosome', 'study confirm', 'effect small effect', 'muscle body component', 'study consistently identified', 'transcription modulator bind', 'mo explained 15', 'analysis allele', 'candidate observed', 'polled sheep', 'decrease usability', 'identified 222', 'significance compared rfi', 'segregating breed combined', 'experiment conducted validate', 'transformed caecal', 'f2 population mapped', 'detected allelic', 'lumborum et', 'distal arm chromosome', 'chromosome 24 somatic', 'associated lower', 'composition trait meat', 'despite great adaptability', 'fragment representing', 'using granddaughter design', 'silv 64a', 'junken type performed', 'shear force redness', 'abundant replicated', 'family 191', 'intercross f10', 'layer factor', 'molecule repress', 'sequencing using primer', 'wwt 24', 'protein danish holstein', 'vrq result support', '66 single', 'make 80 tissue', 'au reprogen', 'relative ch lm', 'inadvertent mating', 'birth dimension', 'carcass weight substantial', 'variant 2398', 'measure body composition', 'stage parity test', 'level furthermore', 'marker associated egg', 'resistance important trait', 'changed increase', 'protein metabolism', 'knockout ripk2 mouse', 'marc0004712 dias0000861', 'dairy cattle detect', 'detected duroc purebred', 'family derived strain', 'bull lipidome comparison', 'lipoprotein involved', 'variation gene rxra', '11 surpassed genome', 'identifying gene', 'covariables association', 'used haplotype track', 'morbidity mortality grazing', '0044 rl 0314', 'economically important aspect', 'cheesemaking property', 'nudix nucleoside', 'elisa statistical model', 'estimated significant', 'family effect general', 'qtl contains multitude', 'nipple detected ssc2', 'count sccs bos', 'snp26 utr snp06', 'xirp2 snp xirp2', 'qtl genome', 'development backfat', 'locus favorable', 'central role metabolism', 'using routine milk', 'information gene considered', 'result lay groundwork', 'binding site different', 'maternal information unavailable', 'observed mc1r', 'content 04', 'rate suggests 2379t', 'segregating highly', 't3602c associated', '11 longer', 'akt signaling', 'associated snp bta18', 'lamb lung', 'candidate locus maximize', 'ejaculation trait pig', 'functional annotation proposed', 'province korea', 'daily gain feed', 'regulating fetal', 'obesity trait', 'gene identified candidate', '159 76', 'significant 12', 'qtl likely regulatory', 'different multibreed', 'population suggested', 'qtl underlying variation', 'bta18 lw bta27', 'trait ibmap population', 'pig androstenone', '8b associated birth', 'relationship matrix included', 'haplotype homozygosity', 'pleuropneumoniae serotype aerosol', 'increased muscling', 'seven 26', 'specie different complementary', 'analysis 377 performed', 'duplication utr duplication', 'interaction nos2', 'containing total', 'ssc9 ssc10', 'ghanaian chicken ecotypes', 'applied mapping harness', 'holstein italian simmental', 'reported qtl imf', 'expression act', 'positive negative allele', 'marker newly', 'r2 linkage disequilibrium', 'faecal egg count', 'expression presented increase', 'hap1 hap2', 'bos indicus beef', 'period result concordant', 'confirm functional significance', 'qtl eca 10', 'fully confirmed', 'locus eosinophil change', 'plin4 plin5 located', 'bft pig', 'evidence ppard g32e', 'linkage group covering', 'acid c12 linoleic', 'bta27 dmi lw', 'conclusion previously', 'deep sequencing phkg1', 'polish warmblood horse', 'white reference', 'breeding value bw', 'considering linkage disequilibrium', 'selection mastitis resistant', 'vaccine adjusting', 'regression analysis snp', 'trait relating female', 'pattern slick', 'gwas noriker', 'speculate individual', 'aid marker assisted', 'lowest highest cooking', 'twinning rate qtl', 'linkage map wild', 'ultrasound muscle', 'population consisting subsequent', 'association study boar', 'pathway suggesting trait', 'cm ssc15 39', 'son obtained cooperative', 'rate significant marker', '17 001', 'cm achieved', 'identify causal', 'challenge month age', '18 20 25', 'haplotype nordic red', 'overall result greatly', 'haplotype snp reduced', 'autosome identified', 'brazilian cattle bos', '97 02 suggesting', 'locus explain', 'holstein bull used', 'quantitatively sample transcriptome', 'research evaluate influence', 'reproductive efficiency better', 'classified choice', 'growth trait help', 'quality effect', 'signal gga1 detected', 'qtl economic trait', 'gene chinese', 'cdna rorc', 'report sheep genome', 'tumor commercial', 'study confirm previous', 'diameter coefficient variation', 'fertility cow genotyped', '05 birth weight', 'measured subgroup 332', 'rate service', 'time greater', 'best cv validated', 'colouration quantitative trait', 'different liver', 'post vaccination time', 'production health concern', 'trait sum bone', 'useful broiler', 'chicken line new', 'girth exon', 'metabolism obesity human', '65 marker 44', 'quality crossbred', 'lgb content', 'association 03', 'october 2012', 'fads2 srebf1 pla2g7', 'round oestrus litter', 'chromatography subject', 'ssc13 ssc14 ssc17', 'purpose expression', 'plot calculated', 'saa2 gene', 'basis combined', 'fat sample 178', 'combining leg muscle', 'improve reproductive efficiency', 'position 39', 'produced crossing genetically', 'study mapped numerous', 'chromosome 13 chromosome', 'gain feed m1', 'trait used igf2', 'cnvrs harboring functional', 'locus qtl', 'loss heterozygosity relative', 'analysis reliably', 'action enzyme', 'trait detect', 'berkshire yorkshire resource', 'step genomic best', 'significant region trajectory', 'different model common', 'class phenotype control', 'trait motility high', 'trait reconfirmed', 'broiler dam line', 'allowing contact', 'level modulators', 'qtl detected half', 'gene esr2 snp', 'abomasum mln', 'associated dd genome', 'lg content associated', 'holstein 649 normande', '12 15 chromosome', 'explaining 28', 'somatic nuclear transfer', 'chinese qinchuan', 'perform haplotype based', 'probably caused', 'known large', 'predictor multiple', 'duodenum length', 'sheep meat phenotypic', 'measured 139', 'identifying genetic basis', 'single point milk', 'value trait analysis', 'snp gene test', 'effect gdf9 promoter', 'psychotic disorder', 'colonization cattle', 'sc additional genomic', '6b kdm6b interesting', 'objective average', 'proportion heritability', '15 235 corresponding', 'inhibitor apoptosis protein', 'signaling pathway important', 'significant snvs', 'trait type enzyme', 'limousin breed 86', 'search genetic determinism', 'interaction muc13', 'expression nucb2', 'decr1 cattle human', 'component analysis qtl', 'chromosome 100 cm', 'whirlhill kingpin', 'genetics variant affecting', 'persisted ovary snp', 'respectively detected steer', 'weight preweaning average', 'candidate gene offer', 'potential qtl dense', 'different breed shared', 'control majority', 'associated medium chain', 'lead insight', 'polymorphism snp common', 'variance analysis qtlexpress', 'disequilibrium associated snp', 'limited improvement ema', '338 used detect', 'present significant haplotype', 'goal breeding', 'market weight', 'candidate gene snp', '528 snp', '28 29', '924 regional genomic', 'age alga0092396 35', 'analyzed using predict', 'cattle previously', 'chl 100 fat', 'complex subunit', 'confirmed association previously', 'direct causal', 'resistance mapped', 'test conducted residual', 'circumference pleiomorphic adenoma', 'qtls 15', 'protein bcrp belongs', 'nte result refining', 'variance birth', 'australian sheep genotyped', 'cpm milk fatty', 'expressed late', 'mass importantly qtl', 'association detected sire', 'level major genome', 'phenotype bta', 'selection index egg', 'lea tenthrib', 'genetic additive', 'imf method', 'explain resistance infectious', 'notch1 variant', 'crot fabp3', 'data feasible enabling', 'specific result', 'force 18 kgf', 'coincident qtl substitution', 'affected animal partially', 'gene lep', 'cell primary', 'bwg 05', 'evaluated polymorphism exon', 'obesity performed', 'locus qtl analysis', 'reported novel', 'total 36 226', 'polymorphism autosome chromosome', 'factor gata', 'ensbtag00000040351 prkdc rgs20', 'qtl haplotype', 'weaning gain daily', 'genome pathway analysis', 'production age 48w', 'nucleotide polymorphism combined', '32 60 week', 'porcine skeletal muscle', 'percentage imf eye', 'weight showed strong', 'yearling height', 'pathological mechanism', 'iggb eca 24', 'region qtl located', 'snp obtained associated', '4986 bp open', 'phenotype supporting evaluation', 'cured ham important', 'dna sample 201', 'gene aim study', 'informativeness grandsires', 'gene potentially implicated', 'duroc generation population', 'sulfotransferases sult2a1', '454 f2', '28 trait 21', 'tenderness difficult improve', 'economically important disease', 'marker added genotyped', 'annotation proposed', 'taint evidence genetic', 'result validation adjusted', 'dominance effect region', 'inhibin βa qtl', 'generation provide', 'short cut identification', 'genetic architecture semen', 'representation sequencing approach', 'low density', 'frequency deleterious allele', 'qtl intramuscular', 'haplotype displayed greater', 'gata shown', 'linked phenotypic variation', 'test power', 'fcr intake unit', 'evaluate additional', 'related ibk used', 'systematically favorable', 'reached significance', 'milk interesting', 'respectively suggesting polygenic', '11 725 inferred', 'dilution defined highly', 'population tcf12 201', 'genotype associated decreased', 'research work large', 'ssc5 androstenone level', 'compare different', 'tspan9 mrps30', 'decreased iii', 'detected previous study', 'frequency marker', 'intercrossed dam line', 'variant precursor', 'following trait analyzed', 'artificially inseminated', 'ctsk porcine chromosome', 'difference canonically transformed', 'preference profitability pork', 'overlapping gene prag1', '05 addition mrna', 'new therapeutic', '98 second objective', 'effect estimated training', 'humoral innate', 'production locus affecting', 'involved early growth', 'qtl sheep', 'pcr qpcr', 'identify complex trait', 'rao susceptibility need', 'snp including promoter', 'experiment based granddaughter', 'qtl region unfavorable', 'study wssgwas identify', 'level additional chromosome', 'data set previously', 'difficulty perinatal', 'behaviour trait likewise', 'respectively annotated gene', '01 second study', 'correlation 46', 'resistant etec f4ac', 'outbred animal', 'animal association', 'kinetic parameter', 'recombination using 63', 'based mixed model', 'susceptible 40', 'cattle mastitis resistance', '05 bird', 'causative mutation involved', '37 14 lw', 'difference activity', 'represented significant hit', 'breeding evaluated', 'end second', 'suggested fmo3', 'age matched unaffected', 'acaca gene play', 'carried country', 'tt homozygote', 'region identified compared', 'detected ssc9 near', 'nc_037332 31183170t recognizable', 'mb ssc7 75', 'analysed estimated', 'influence protein spatial', 'nt fabp6 sst', 'domain protein altering', 'limited power individual', 'factor 3c polypeptide', 'la revealed genome', 'thickness 05 associated', 'death inflammation', 'unit udder shape', 'colour score', 'marker detect epistatic', 'effect gene interaction', 'clinical finding genotyped', 'mapping revealed significant', 'snp nominally associated', 'trait economic importance', 'recessive allele overall', 'gene animal genotyped', 'centimorgan ssc1 54', 'ssr thermal', 'cn cn', 'associated favorable qtl', 'panel variation', 'position qtl chromosome', 'ldla methodology yielded', 'understand pathophysiological process', '982 genotyped 165', 's20 rps20', 'severe emaciation', 'assay liver protein', 'population examined multigeneration', 'p3 lous', 'reason ranging camouflage', '32 fbxo32 known', 'mechanism undetermined requires', 'yield result using', 'jiaxian red luxi', 'associated single nucleotide', 'tissue finding suggest', '45 sex', 'case detected', 'weight inbreeding', 'gga2 body', 'overall estimate', 'bull maintained association', 'allelic expression imbalance', 'composition goldengate assay', 'pig distantly', 'moisture content', 'snp greatest number', 'genetic diversity different', 'gi parasitic', 'decreasing bone strength', 'state used', 'rln risk specifically', 'microsatellite sequence situated', 'ayrshire significantly', 'qtl controlling trait', 'based software', '11 21 snp', 'protein 12 lrp12', 'result trait correlated', 'ci qtl bft', 'using owner', 'fabp4 tightly associated', 'usmarc linkage', 'cattle imposing', 'significant snp greatest', 'pwl bal w2cl', 'variability candidate', 'test imprinting status', 'pig ssc14', 'cause development', '2614t located exon', 'milk progesterone profile', 'post challenge revealed', 'regulating horn', 'week respectively polymorphism', 'breed study large', '3112c cebpd', 'sequencing gdf9 coding', 'trait using imputed', 'marker addition usual', 'breed korean domestic', 'explained 10 11', 'fibroblast indicating mirnas', 'ssc6 detected', 'phenotype understanding biological', 'tsp 98 conclusion', 'wg42 despite', 'study gwas imf', '54 cm ssc7', 'study cattle increased', '05 lamb heterozygous', 'previous study region', 'currently unequivocal conclusion', 'ag snp2 synonymous', 'genotyping array genotype', 'chicken aggressive', 'dmi feed gain', 'create 300 f2', 'narrow qtl interval', 'lld analysis 0007', 'type chicken population', 'proliferation il', 'remaining fmo gene', 'organism study', 'vertebrate skeletal', 'ssc4 multitrait', 'industry enabling marker', 'fenjing leping spotted', 'level positional concordance', 'loc787057 service', 'mapping method using', 'detected qtl reached', 'pde3a pdgfrb', 'result ca', 'inheriting different genotype', 'suggests regulation', 'test weight', 'metabolism carotene', 'exposure air', 'stage fatness trait', '60 week age', '31 dairy', 'level relevant', 'number variation cnv', 'included box', 'model snp rs43032684', 'variation explained', '4939 bfgl', 'significant selected proportion', 'furthermore finding', 'hypersensitive reaction', 'infected holstein', 'egg dwarf', '25 26 umd', 'cattle produced brazil', '157 additional', 'specific igga', 'harbor approximately', 'little known underlying', 'fcr 293', 'area 01 fat', 'based gwas significant', 'chosen catecholaminergic', 'incidence polymorphism', 'used identify quantify', '479 quantitative trait', 'population long chain', 'wssgwas phenotypic', 'characterise qtl region', 'analysis identified 854', 'kcnb1 93x10', 'effect chicken liver', 'chromosome 14 experimental', 'specifically marker', 'protein yield data', 'unit vl phenotypic', 'value 55 10', 'taken demonstrate time', 'suggest qtl', 'web based software', '131 132', 'kg duroc pig', 'tandem repeat polymorphism', '34 874 snp', 'transcription factor hsf1', 'detected summer milk', 'polymorphism array single', 'curd firmness', 'arginine proline serine', 'dam snp', 'anova 25', 'gain ratio 05', 'growth furthermore', 'moderate correlation', 'based meta analysis', 'efficiency used genomic', 'window significantly associated', 'beef korean cattle', 'segment amplified standard', 'length width', 'covering 248 cm', 'qtls seven', 'commercial line divergently', 'rna sample', 'icelandic cdk2', 'wide array', 'calculated allelic', 'activated myod myog', 'molecular breeding conservation', 'sp5 gc', 'wild advanced intercross', 'pietrain sire crossbred', 'significantly associated bw', 'affecting cm1 cm2', 'study opn gene', 'different genetic regulation', 'lentogenic ndv', '32 meishan pig', 'hgd enzyme', 'associated ph1', 'effect fitted overall', 'heifer 398', 'sorcs2 mrna level', 'applied specie', 'analysis revealed presence', 'supported comparative', 'resulted significant broad', 'snp intron igf2', 'ci imf', 'involvement analysed marker', '57 13 40', 'muscle related', '10 46 respectively', 'superoxide dismutase', 'sscx trait position', 'casein gene marker', 'showed mtpap expressed', 'identified 40 qtl', 'sdhc locus conclusion', 'lda common disorder', 'identified haplotype', 'distribution allele chinese', 'lod effect 48', '05 analysis genotype', 'expected qtl region', 'lamb total lamb', 'distinct predicted effect', 'marker effect', 'moisture c16', 'involved feed', 'pigment breed charolais', 'il2 interleukin 10', 'ld 26 45', 'involved tnfα', 'identify haplotype associated', 'fact localize', 'salt ad', 'intact uncastrated', 'rs13997812 showed', 'g105521a snp3 distinct', 'population pig 253', 'potential genome wise', 'trait included selection', 'accounted 11', 'increased calf', 'qtl result differed', '249 cm qtl', 'mapped serum lipid', 'gluteus medius muscle', 'result support concept', 'pairs included', 'use improvement', 'leading reduced growth', 'experimental population', 'zfp90 50 kb', 'gga bw qtl', 'snp 25', 'haplotype m3', '41 different', '3α gene', 'female sexual precocity', 'compared pcp', 'dry cured loin', 'evidence existence position', 'association marker fixed', 'trait bos taurus', 'fmo3 fmo5', 'number ttn record', 'subspecies paratuberculosis', 'suggest genotype significant', 'ensbtag00000037306 mirna', 'esc resistance assembled', 'position 60', 'tibiotarsal joint', 'oxtr distributed differently', 'growth factor required', 'indicate aflp marker', 'pig ssc4 locus', 'using glm', 'association estimated', 'serum leptin', 'tnb confirmed ssc13', 'represented putative', 'improvement pork product', 'map4k4 genotype', 'controlling poly', 'qtl association study', 'qtl chemical physical', 'epigenetic phenomenon phenotypic', 'nesp55 gene rs41694656', '20 strong agreement', 'performed using non', 'mapped ssc7 beneficial', '30 380 coding', 'curve log', 'selected snp region', 'used selection program', 'trait f2 resource', 'run homozygosity', 'allele ank1', 'confidence interval narrowed', 'refined location', 'stat5b gene 939', 'factor fgf8', 'heritability estimate pneumonic', 'detected ssc duroc', '20 cla heritable', 'wssgwas uncovered', '47 mb inside', 'accuracy qtl', 'following prrsv infection', 'haplotype derived seven', 'identified 27 significant', 'lw meishan lw', 'hem1 pde1b', 'mutation effect lactoglobulin', '566 057 612', 'maternal stillbirth located', 'bta6 bta7 bta14', 'region influencing trait', 'method method', 'assembly secretion', 'elovl6 potential causal', 'adaptor nyap2', 'detected cow bb', 'valuable indicator mineral', 'strong impact', 'cm 15', 'ranging 99', '493 bp 76', 'immune response finding', 'nellore cattle total', 'geneseek genomic', 'compare result', 'female population conclusion', 'large effect variety', 'performed bta26', 'problem important', 'handle complex pedigree', '928g indel 2574_2576delgtc', 'strategy gwas', 'day expression mdv', 'pig allele', '42344t 42404a broiler', 'regulatory polymorphism liver', 'ssc7 ssc13', 'showed suggestive association', 'detect potential', 'based tail phenotypic', 'holstein cow including', 'array bird selected', 'adg identify', 'rate pubertal development', 'duroc breed', 'role based', 'window mb', 'variation largest', 'data 255', 'mapping plasma level', 'genotyped large sample', 'death red', 'slightly lower expected', '14 paternal', 'observed ars bfgl', 'trait biological network', 'suggests tested snp', 'dorset ewe established', 'tested help select', 'separate locus responsible', 'combined lc', 'variant respectively', 'form solid', 'nematode predominantly', 'production reflecting', 'detection design', 'eca18 confirmed narrowed', 'genotype half sibling', 'lightness meat color', '026 dominance', 'horse located', 'cry2 fundamental component', 'affecting nsb', 'measurement published', 'analysis variance', 'using fine', 'association bwg', 'number trait', 'target mrna increasing', 'polymorphism map', 'showed chromosome', 'percentage 20 showed', 'constructed distribution', 'chicken economic trait', 'dominance qtl', '224 putative', 'brown swiss jersey', 'identified bcse', 'efficiency major goal', 'genotyping f1 parent', 'applied commercial population', 'observed frequency', 'polymorphism cacna2d1', 'occurring population', 'share 99 sequence', 'ocd south german', '11 25 subclinical', 'drift impact', 'eye ambilateral circumocular', 'effective determine qtl', 'phenotype variant', 'bta 22', '73 signal showing', 'combination observed', 'intelligence energy metabolism', 'test total detected', 'vicinity rm188', 'danish jersey deregressed', 'phenotype somatic', 'genotype accounted variation', 'sow compared boar', 'population identified qtl', 'dependence structure phenotype', 'resistance challenging difficulty', 'variation population studied', 'maximum number', 'genetic background leg', '953 pig evaluated', 'quite small total', 'yield 0005', '123 candidate', 'effect retrained', '2571 polymorphism resulting', 'estimated loss 200', 'involved step targeted', 'used identification 11', 'supernumerary nipple csrp1', 'kr3 12 respectively', 'maoa grin1 gabrb2', 'removed carcass', 'sire selected', 'heterochromia iridis defect', 'weight breast weight', 'cattle herd recorded', 'enriched genetic variant', 'dependent effect', 'dam characteristic described', 'high 283 640', 'national herd', 'phult ph', 'estimated frequency blood', 'carried different', 'fat deposition premium', 'lipid concentration pig', 'subtypes approach', 'difference time', 'affecting ultimate ph', 'fatness trait related', 'important quality characteristic', 'comparison wise', '24 identified time', 'useful meat type', 'chromosome peak', 'pvuii frequency bovine', 'larger population diverse', 'study using weighted', 'igf2 good', 'performance trait additive', 'region explain resistance', 'focusing single genetic', 'luciferase gene transcription', 'candidate underlying', 'exist milk', 'snp4 locus', 'related ovary weight', 'aligning sheep genome', 'required using large', 'result quality', 'responsible lactoglobulin protein', 'estimated half sib', 'investigate genetic basis', 'previously detected f₂', 'combined largest number', 'ebv 05', 'addition explored', 'fiber trait identified', 'ssc2q suggested', 'harvested average', 'genetic background migration', 'ubiquitin like ubl5', 'allow identification', 'breaking strength additive', 'site real time', 'reported reflecting conservative', 'original qtl', 'pigqtl database', 'hanwoo significant snp', 'colour conductivity qtl', 'moderate high 19', 'help balance conventional', 'joint analysis imf', 'region peak', 'leg toughness', 'produced 17 unrelated', 'population association analysis', '79 variance', 'chicken varies black', 'genotype order facilitate', 'sample detected', 'member hydrolase', 'force age muscle', 'model ass snp', 'deviation hardy weinberg', 'inheritance trait', 'potentially available', 'qtl duroc purebred', 'study hypothesised balanced', 'weight year', 'using radiographic data', 'bacterial level parental', 'common domestic animal', '23 03 24', 'logarithm odds score', 'using multitrait linked', 'explain segregation ssc4', 'resource population chromosome', 'landrace boar', 'map used', 'pancreatic necrosis', 'gene identification underlying', 'marker proximal muc13', 'bull 36', 'dimensional search demonstrates', 'thickness 22 cutlet', 'bacteria causing', 'effect slaughter age', 'different milk', 'distance breed', 'ear type', 'variation meat color', 'volume snp', 'characterize qtl single', 'eca9 16', 'multiple horn', 'including chicken', 'specie anatomical location', 'architecture economic trait', '35 significant', 'region statistical analysis', 'trait shared', 'backfat lower shear', 'animal immune', 'resilient disease', 'taint implemented sire', '95 155 mb', 'locus accounted 84', 'znf165 001', 'fertility trait identified', 'cluster characterized evaluated', 'lm dimension segregating', 'truly causative trait', 'effect 10', 'situation explain genetic', 'draft horse recorded', 'edu au', 'fatness gene', 'kit association suggest', 'ovine gene located', 'trait comparable', '789 snp 90', '32 cm', 'research center', 'model significant 05', 'animal quantitative phenotype', 'scc log', 'krüppel like', 'significance non', 'prolific informative study', 'new evidence bovine', 'gga1 gga5 developmental', '16963 uw haplotype', 'data 488', 'fat leg relative', '30 61 reason', '53 08', 'porcinesnp60k beadchip 40833', 'age animal genotyped', 'fatness growth shape', 'mass femur', 'time series analysis', 'unrelated phenotypic', 'case epl', 'bta6 snp bta20', '05 returned', 'named b1', 'chromosome 22 21', 'ssc4 khdrbs3 fam135b', 'regulate anti inflammatory', 'successive cross divergently', 'appetite regulating', 'included 490 purebred', 'imputed 777k snp', 'genotype exceeded 95', 'lncrna transcript identified', 'size trait region', 'binding protein ibp4', '04 distance', 'result seven eighty', 'location qtl coincided', '01 qtl highly', 'birds fp phenotypically', 'chromosome scanned', 'data identified putative', 'involved thyroid', 'reflecting conservative', 'significant shank', 'ld genome nellore', 'structural protein regulation', 'snp associated ocd', 'qtl nematodirus strongyles', 'represent real', 'including mutation', 'significant threshold 11', 'qtl mapped match', 'shift probe incubated', 'genetic standard', 'microsatellites qtl rac', 'significant effect non', 'sequenced 264 sheep', 'trait pig anal', 'using half sib', 'bta26 bvd', 'obtained used', 'milk yield dominance', 'polymorphism changed', 'obtained far point', 'versus pleiotropic effect', 'herd life marker', 'frequency statistical', 'snp based gwas', 'tmem154 variant', 'bta11 contains lg', 'mb included significant', 'qtl fa', 'average spacing mb', '528 cg', 'bp harbor 13', 'porcine skip upregulated', 'hgd transcript mainly', 'fabp giving genotype', 'component epistasis additive', 'plate used conduct', 'genotyped genome', 'boar dramatically', 'snp explain', 'lcorl assigned unplaced', 'rs43032684 resides pseudogene', 'linkage approach additive', 'pig major', 'phenotypic property result', 'breed line', 'measured mapped', 'status cow', 'acsl1 necessary', 'produced intercrossing', '35 021', 'grazed grass', 'revealed p13k akt', 'variance components based', 'chip 44 412', 'procedure t56039403c', 'bovine csn1s1', 'variance bw10', 'bovine milk improve', 'h2h2 greatest', 'season 05', 'f₂ population large', 'dependent relationship', 'haemocyanin response', 'gga1 351', 'low resolution qtl', 'animal breeder', 'produced consecutive year', 'observation animal utilized', 'pair detected accounting', 'region gene peptidylprolyl', 'snp60 genotyping', 'using mirinz', 'highlighted considering', 'micrornas interestingly altered', 'distributed marker locus', 'hock joint 74', 'model principal component', 'f3 85 backcross', 'porcine cardiomyopathy associated', 'chicken divergently', 'pelvis breadth', 'fabp5 gene according', 'segregating n229h', 'approach individual single', 'effect postnatal life', '23 determine gene', 'respectively 12 trait', 'snp underlying', 'value giving greater', 'landrace population total', 'animal risk', 'receptor mc1r', 'genabel package', 'composition conclusion using', 'feed efficiency beef', '27534932a polymorphism contribute', 'gene range', 'phenotypic estimate fertility', 'tested qtl identified', 'significant improvement', 'friesian jersey cross', 'welsh cob study', 'sheep using arena', 'gap 230 bp', 'growth cell proliferation', 'ssc6 egfr', 'conducted genome scan', 'snp present study', 'head comb', 'suggests need increase', 'variation spp1 gene', 'marker weighted gwas', 'different flock', 'moisture intramuscular', 'herd worldwide different', 'yellowness meat', 'nt endogenous', '233g allele drd1', 'variance clinical', 'additional region significantly', 'ratio using image', 'switch gene involved', 'chromosome quantitative', 'phenotypic variation purpose', 'nan china genotype', 'mac precisely regardless', 'broad effect', 'opposite sign similar', 'resistance conclusion study', 'gene using functional', 'chromosome gga1 candidate', 'regulated multiple biological', 'locus identified shared', 'imf fixing', 'improved marker assisted', 'finding report association', 'cross measured area', 'risk associated sexually', 'pbw pregnancy rate', 'snp scd snp', 'infection multiple sheep', 'causal gene mutation', '21 12 mo', 'criterion rate', 'lipid using', 'skatole conclusion knowledge', 'performed french', 'concentration vivo complement', 'using f2 half', 'feed efficiency qtl', 'indicate implementation series', 'location lesion trait', 'localized chromosome', 'disease dairy cattle', 'humidity index thi', '05 level correlated', 'site mirna statistical', 'significant family different', 'correlated trait ssc1', 'highest en', 'respectively allele', 'small intestine end', '15 identified', 'estimated tested', 'gene nr3c1 contribute', 'sw2456 sw1943 improved', 'negatively correlated important', 'information enhance opportunity', 'fat thickness rft', 'taste pork meat', '10 genome wise', 'meaningful interpretation', 'bm1500 kb downstream', 'ghr mixed', 'result partly consistent', 'lr moderate polygenic', '24 arhgap24', '28 day age', '50 genotype available', 'af qtl', 'genotypic regression', 'increasing evidence', 'locus hanoverian stallion', 'ct 24', 'non conservative snp', 'native breed', 'causative mutation influence', 'beadchip used chip', 'analysis fully', 'mb mapped', 'ssc5 result indicate', 'computation time especially', 'pga5 locus', 'validity qtl', 'imi gene', '239 animal 166', 'shape segment shorter', 'carcass weight progeny', 'study helpful', 'worldwide effort', 'count study', 'adjusting population', 'predicted effect', '13 52 0003', 'gpcr 155', 'injury cartilage canal', 'located downstream recombination', 'slice approach powerful', 'protein corrected', '343 single', 'significant association backfat', 'penetrances psi tt', 'cell rbc red', 'concentration yielded', 'blood calcium', 'concentration total sperm', 'ecf18r locus result', 'ovlv infects', 'motility abnormal', 'information 280 cow', 'pool pcr reaction', 'sigma 0011 measured', 'c18 corrected value', 'gut tissue quantitative', 'believed genetic basis', 'multi faceted', 'activity affected animal', 'subfamily member kcnd2', '294 animal', '25 27', 'mutation likely underpinning', 'process contributed considerable', 'resistance susceptibility gastrointestinal', 'expected improve meat', 'analysis genetic parameter', 'pig performing', 'biceps shank trait', 'lower sc difference', 'exon 10 bpi', 'model analysis displayed', 'explaining 10', 'genotype stallion offspring', 'intron2 plag1 gene', 'known associated human', 'signal ultimately', 'trait identified mapping', 'pathogen used', 'hcw ribeye area', 'mapping located', 'sheep resistance', 'ocd equus caballus', 'cm prnp gene', 'associated bursa fabricius', 'negative staphylococci', 'mapping im', 'region validated', 'analysis known linkage', 'pathogen myxobolus cerebralis', 'higher breaking', 'method prophylaxis', 'chicken knc large', 'genotype diverse', 'selected trait additive', 'variation marker observed', 'dbp ligand vitamin', '01 respectively 12', 'coccidia foc showed', 'binding conclusion', 'gene csnk1g3', 'showed predominant qtl', '50k 777k snp', 'ultimately implementation efficiency', 'process effective', 'gga5 increased significance', 'additional variant identified', 'hspcb hsp90 studied', 'gain nanyang', 'affect quantitatively', 'rs41694646 snp', 'animal phenotyped', 'broiler finding', 'md significant', 'muscle contraction', 'percentage canonical production', 'pira ghr mixed', 'odds 46', 'mastitis resistance genome', 'region utrs association', 'simulation application female', 'significance level biologically', 'selection estimating genomic', 'set indicating', 'geneseek genomic profiler', 'population snp snp3', 'revealed enriched', 'h4 cow expressed', 'polymorphism snp explained', 'postulated oligogenic', 'muscle density identified', 'response environmental', 'sigma rump', '954 progeny produced', '11 16 cm', 'rs81434499 reported affect', 'lifetime average number', '6200 animal', 'collected japan', 'teat nte result', 'vitro commercial', 'better bone genotype', 'previous study line', 'ifc abt', 'commonly identified', 'gene epigenetically', 'snp evaluated association', 'drip loss lyz', 'based phenotypic record', 'semi evisceration weight', 'including qtl paternal', '433 animal frequency', 'control model respectively', 'population gain 638', 'study naturally exposed', 'snp snp respectively', 'evolution wild', 'promising haplotype', 'proposed procedure', '17 20', 'linkage family', 'associated component', 'mapping locus', 'uncoupling protein ucp2', 'mhc pathway significantly', 'region marker inra40', 'curve approach approach', 'known atrogin subunit', 'ssa20 19nuig sire', '2p14 17', 'genetic effect sequencing', 'stage identified 15', 'height mctp1', 'detected snp located', 'trait concluded', 'breed dna sequence', 'work needed uncover', 'order evaluate number', 'associated host', 'quality snp used', 'change g150r', 'mucus biosynthesis association', 'population tested', 'involving total', 'identified bta23', 'considered controlled', 'gene ppara asxl3', 'obtained cw', 'amplified fragment length', 'trait observed large', 'shown previous study', '95 score', 'inferred entire study', 'lipid metabolism fatty', 'region porcine fshr', 'type length variation', 'upstream s26859', 'cheese ability related', 'cmya1 gene encompasses', 'breeding scheme', 'direct biological function', 'study holstein', 'european eu large', 'prevalence identify', 'marker dik1182', 'affect reproductive', 'mgll ncoa1', 'significantly associated bone', 'saturated branched chain', 'possible specify', 'silent mutation xm_001788152', 'study confirms significant', 'texel romanov', 'dependent variable network', 'bovine chromosome 23', 'boar taint previously', 'ebv end', 'ppara mrna level', 'aggression defined sow', 'body wfe covariate', '102 metr retp', 'consecutive experimental infection', '675 pig', 'university california davis', 'cow animal raised', 'rna lncrna transcript', 'diet increased', 'phenotype 720', 'gene addressed', 'sequencing 18', 'lean ebv', 'qtl moisture content', 'bta2 bta29 common', 'controlling sla allele', 'obtained previous qtl', 'pig pertaining', 'animal produced association', 'model bayes used', 'productive life bta2', 'total leucocyte', 'fasn hapmap26001 btc', 'level 53 snp', 'comparative mapping', 'exon boundary proximal', 'fatness related', 'control experimental population', 'significant snp asga0009814', 'association study displayed', 'enhance genetic', 'analyzed association 14', 'sanger sequencing', 'data using pc1', 'ileum ratio proventriculus', 'acid caproic', 'correction substructure', 'influenced underlying', 'qtl detected 19', 'fec packed cell', 'imf tested', '186 twinning 29', 'rate 24', 'snp ss61512613 ss61530518', 'rock background', 'kilogram lamb', 'threshold 47', 'genotype single qtl', 'fads2 polymorphism srebf1', 'nematodirus strongyles fec', 'main haplotype constructed', '225 marker', 'bta 11', 'holstein cow highly', 'infection growing pig', 'using 50k snp', 'snps 06', 'teat located close', 'mitosis apoptosis study', 'meat drip', 'piglet weaning ssc3', 'ifc changing abt', 'locus affecting breaking', 'fertility trait genome', 'related trait time', 'harbor promising candidate', 'systematic environmental', 'model spontaneous melanoma', 'trait benefit improve', 'trait specific depends', 'ultraviolet radiation acop', 'reported churra', 'pak1 aqp11 cooking', 'platform used tool', 'nz romney lamb', 't4 study gwas', '0001 carcass gizzard', 'growth rate result', 'rao candidate gene', 'population chinese western', 'width group', 'association analysis revealed', 'mln candidate lda', 'used genotype italian', 'sh pig', 'hypothesis confirm', 'holstein bull association', 'benefit marker assisted', 'model better', 'gain residual', 'bait chicken growth', 'vital role development', 'parent f0', 'lipid associated', 'prrsv determine', 'hap3 hap3', 'significant 12 week', '106779 strongly associated', 'breeding work', 'discovery rate values', 'productive enzootic area', 'block 20 mb', 'bta 15 located', 'study screened single', 'qtl aseasonal reproduction', 'influenza hpai outbreak', 'rl 0314', 'genotype select gt', 'analysis performed dtd', 'heterozygote advantage', 'season lastly', 'global food', 'teat count result', 'important epigenetic phenomenon', 'cm centimorgan ssc1', 'using additional molecular', 'sample unknown breed', 'genotype probability', 'concern hepatic', 'locus qtl thoracic', 'pig industry severe', 'related high density', 'gwas augmented values', 'role based finding', '21 24 26', 'release hormone associated', 'protein superior', 'trait bovine', '20 29 cofactor', 'qtl mapped line', 'reached maximum', 'surrounding mstn associated', 'fat trait clearest', 'putative impact milk', 'locomotors problem', 'respiratory health score', 'result single model', 'financial loss', 'selected fe', 'colour ssc5', 'lead identification additional', 'mapped locus cm', 'alga0092396 35', 'effect snp significant', 'analysis identified 222', 'decr1 core', 'milk performance 37', 'present significant', 'rs43101493 rs43101485', 'brown commercial', 'phenotype consisted', 'haplotype effect 62', 'ebv significant experimental', 'acting ci', 'junmu white swine', 'informative microsatellite marker', 'performance progeny', 'family parental pig', 'fmp ifr', 'fat content correlated', 'sw344 distance', '72 measurement musculus', 'data fertility treatment', 'wide level 01', 'natural selection previous', 'identify predictor carcass', 'microsatellite marker microsatellite', 'background teat', 'specific expression qtl', '600 ag', 'logarithmic bacterial count', 'genetic distance', 'host novel', 'gene search polymorphism', 'location bves ssc1', 'cfu intolerant 10', 'state resistance variation', 'green bluish', 'biological role', 'study internal', 'result showed p3', 'context study', 'lei0079 ros0025', 'region 38', 'genomic variability objective', 'snp 55g significantly', 'population bring', 'leukocyte cell derived', 'gene calpastatin', 'puberty earlier', 'mass spectrometry maldi', 'associated mt', 'select marker linkage', 'enabling comparison', 'verified 30 informative', '000 permutation performed', 'qtls fatness growth', 'pparγ nuclear hormone', 'identified approach identify', 'fayoumi used present', 'slaughter pig', 'thickness qtl influence', 'qinchuan cattle population', 'bft lumbar bft', 'allele commercial', 'showed strongly', 'snp map', 'population male', 'qtl peak included', 'validation marker', 'introgress leaner meishan', 'nematode predominantly teladorsagia', 'substitution effect 18', 'recombination breakpoints', 'epidemiologic study showed', 'dupi population', 'achieved linkage haplotype', 'clock inclusion snp', 'validated candidate nba', 'jersey respectively', '2196t genotype tt', 'shearing oar11', 'size ewe mrna', 'normal phenotype', 'region udder health', 'intracellular transport', 'candidate gene body', 'genomic position', 'scored extent', 'composite line', 'gene association result', 'growth factor igf1', 'fungal toxin', 'organic anion transporter', 'variable proposed model', 'horn characteristic', 'entrepelado iberian', 'population impute', 'gdf9 protein strong', 'diarrhoea significant proportion', 'accelerate reduction boar', 'position beta lactoglobulin', 'closely linked major', 'mechanism diarrhoea', 'resided known qtl', '143 horse arabian', 'decade numerous qtls', 'cross similar position', '94 purebred angus', 'genetic characteristic particular', 'egg weight exhibited', 'contribute breeding pig', 'percentage normal sperm', 'level modulators hpa', 'humeral breaking', 'led confirmation', 'cm ssc6 rn', 'observed bft', 'spp infect', 'yearling bw record', 'animal worldwide mapping', 'week developmental qtl', 'identified snp', 'trait improve', '2012 2013 perform', '22 phenotypic variance', '612 difference homozygote', 'beadchip linkage', 'body weight 140', 'cycurd curd solid', 'individual joint data', 'variable scenario regressed', 'snp fpd', 'ultrasound backfat ubf', 'qtl ssc14 140', 'loss lyz revealed', 'resistance identified haplotype', 'trait erhualian', 'effect appeared', 'born nba number', 'haplotype broiler trait', 'head condylus', 'technological quality pig', 'receptor agonist', 'challenge study revealed', 'genotyped 23', 'presence qtl ssc6', 'control linkage association', 'trait 924 landrace', 'determined bird', 'ssc12 confirmed', 'weight nelore cattle', '80 genome', '382 pig multimarker', 'specifically c14', 'type ram conclusion', '14 000 cells', 'jaw length', 'marker added increase', 'revealed frame exon', 'sire previously identified', 'analysis physical', 'population dupi population', 'effect given', 'study region', 'total 512 chicken', 'nucleotide polymorphism using', 'elovl7 fads2', 'ssc4 accuracy ebv', 'including genetic interaction', 'depends pathogen', 'scan conducted spanish', 'acted additively evidence', 'pietrain typical', 'differentially expressed acth', 'hpai complex polygenic', 'pig health purpose', 'corresponding quantitative trait', 'protease senp5 snp', 'lix1 lnpep', '20 22', 'explained qtl genome', 'upregulation nudt7 expression', 'level determined f2', 'window 50', 'feeding behavior', 'generate calf', 'locus fat deposition', 'qtl minor effect', 'peak negative logarithm', 'ltm respectively', 'birth 56', 'immotile short tail', 'demonstrated synthetic', 'chromosome associated color', 'proximal qtl', 'swine identify qtl', 'human aim', 'genomic element residing', 'difference understood', 'chicken strain 335', 'heterochromia iridis', 'gene play major', 'affected female noncortical', 'chromosome avfec', 'immunized classical', 'artificial insemination based', 'thickness ab bb', 'pig enabled', 'genetic diversity divergently', 'avium subspecies', 'bwg fcr calculated', 'c6 c14', 'marker used improving', 'feed requirement economically', 'expression mammary gland', 'gr hypothalamus', 'make identification', 'descent ibd mapping', 'growth composition resource', 'desirable dairy', 'notable region chromosome', 'united state 2015', 'line average higher', 'significant variant located', 'bone muscle', 'csn1s1 flanking', 'marker association pp', 'backfat thickness effect', 'world new solution', 'model selection', 'mb 150', 'significantly associated conductivity', 'association analysis combined', 'percentage significant', 'repeatedly identified pig', 'additionally beta', 'cattle offspring', 'breed achieve characterized', 'volume avpcv', 'novel snp located', 'orthologous hsa11', 'approximately 46 genome', 'feature mammary', 'alive litter bal', 'bta 20 reached', 'region explained', 'colubriformis determined', 'additionally identification', 'gene recommended', 'growth rate previously', 'chromosome fat', 'palmitoleic vaccenic', 'data deregressed', 'qtl behavioural', 'pig prolific', 'obesity insulin resistance', 'resequenced vrtn gene', 'significant association lfec', 'variance significant epistatic', 'locus locus qtl', 'distribution single', 'snp 38', 'taint fertility', 'nutrient human intramuscular', 'wrinkle appear', 'promoter angus', 'include 35', 'sheep ghr ghrhr', 'calving trait', 'highly significant qtls', 'serum essential', 'signaling pathway', 'susceptible fayoumi', 'female fertility metric', '470 significant single', 'snp w80x', 'subtypes complex trait', 'involving ssc2', 'body composition aim', 'factor influence', 'lot incorporating', 'based gwas report', '13 pufa significant', 'approximate daughter', 'ulceration cutaneous invasion', 'merit range performance', 'snp porcine mir', 'respectively chicken', 'showing drawback', 'dairy farmer', 'ripk2 mouse strain', 'problem increase risk', 'incidence offspring diagnosed', 'biological process form', 'type later parity', 'major determinant variation', 'charolais simmental exhibit', 'intermediate individual count', 'using svs penncnv', 'stage egg laying', 'allele systematically favourable', 'variant covariables association', 'new polymorphism association', 'weight weeks', 'breed bird', 'marker spacing 95', 'molecular predictor', 'recognized presence highly', 'tep g16 individual', 'heart disease stroke', '11 consistently', 'significantly associated genome', 'merit trait', 'detected causative', 'duroc boar', 'identified qtl segregated', 'trait necessary order', 'method finally 734', 'ph1 24', 'color heme', 'consisting german', 'importance gene', 'industry high morbidity', 'reflected reduced', 'significant marker located', 'site including 636a', 'including gwa', 'associated sensory', 'process metabolic pathway', 'mastitis infected', 'genotype covariates', 'development mammal', '12 respectively total', 'population 2354 german', 'effect arrival', 'mb associated ph', 'association 05 identified', 'mixed effect', 'ability recycle calving', 'panel genetic marker', '_copb1_90 cm', 'bull batch bull', 'dermal melanin id', 'eqtl expression', 'puberty yr age', 'trait establishes genetic', 'intercross association analysis', 'canonical conformation', 'btau7 snp', 'breeding value csn1s1', 'showed epistatic', '28 week maximum', 'approximately 16 month', 'significant association longitudinal', 'considerable attention', 'eca9 q12', 'background significant', 'phenotypic variation 52', 'retained analysis strict', 'revealed genotype', 'support possible role', 'trait sus', 'used interval mapping', 'weight taken average', 'assuming pleiotropic qtl', 'highlighted number', 'marker genetic association', 'rs135576599 rs13675432 significantly', 'muscle hypertrophy', 'uw daughter', '0257 addition using', 'addition qtl detected', 'basis poultry breeding', 'point different genetic', 'individual age egg', 't53729c a53861g a65188c', 'test applied determine', '26 22 respectively', 'significant marker based', 'study given', '10 27', 'locus qtl collectively', 'remains improved', 'prepubertal gilt', 'fi2 rfi2', 'confirmed additional outbred', 'constructed based snp', 'oiliness tnni2', '28 sharp', 'rear leg view', 'fecg flock', 'meat quality identified', 'holstein friesian', 'snp assay', 'component contained', 'korea born', 'pietrain allele', '134 bp ggaz', 'study assisted reproduction', '636a luciferase', 'meat quality driven', 'environmental component individual', 'gga6 respectively', 'identified allele mnb42', 'length association', 'test variation', '240 genome', 'snp calpastatin', 'assay revealed', 'distance cm', 'evaluated fertility', '16 06', 'reported updated effect', 'snp4 13297a snp5', 'selective breeding history', 'iga result', 'highly significantly associated', 'post partum interval', 'qtl identify polymorphism', 'bodyweight gain', 'including 832 f2', 'pig castrated piglet', 'pastoral farmer', 'improving lp considered', 'respectively chromosme', 'result corrected', 'showed animal allele', 'ovary comparative sequencing', 'lamb 879 sampled', 'skin wrinkle development', 'vs low pool', 'inflammatory bowel disease', '24 marker af', 'additive sex', 'foot breast muscle', 'close permuted', 'confirmed extended study', 'cattle suggested qtl', 'pcr performed obtain', 'undetected single design', '35 391 single', '03 mutation', 'revealed period birth', 'determine chromosomal', 'meat difficult costly', 'calculated 133', 'gene growth stress', 'trait genotype map', 'lactation sck1 second', 'cell pig 05', 'defence detected', 'large qtl', 'model snp using', 'hematopoiesis osteogenesis', 'ssc 13 15', 'higher degree', 'influence skeletal', 'includes frequent use', 'study method', 'obtain detailed milk', 'oncorhynchus mykiss linkage', 'marker 45 candidate', 'gene loc102164072', 'identify novel variant', 'important selection criterion', 'model association snp', 'sg fowl', 'synonymous snp gene', 'discussion analysis used', 'improve fit', 'sheep crossbred lamb', 'provide new evidence', 'congenic leghorn', 'specie genetic basis', 'divergently extreme shear', 'associated decrease elovl6', 'invaluable resource study', '25 mb bta20', 'multitrait analysis', 'demethylase 6b', 'superior prenatal', 'chromosome 24 viral', 'gene regulating body', 'sequence primary', 'explore potential', 'risk factor btb', 'dioxygenase bco2 play', 'ssc1 key', 'leg weakness partly', 'reported specie', 'nearby 100', 'gwas sire sex', 'sign study employ', 'fpcm 266', 'steer genotyped 35', 'influence production efficiency', 'colored shank skin', 'herd monitored', 'role bovine lda', 'week allele', 'lp lta na', 'frequency deleterious', 'typed 76', 'fold expression', 'association increased mean', 'qtl nte mainly', 'polymorphism csnps', 'genotyping 33', 'genome determine carcass', 'factor nr6a1', 'false positive lead', 'parasite relationship unique', 'trait comparison result', 'immunity significant qtl', 'mapping ovine', 'desaturation lipoprotein uptake', 'strong association 0058', 'gene 0006 summary', 'qtl based 29', 'snp chip 279', 'trypanotolerance limit', 'located porcine autosomal', 'case control overall', 'multiple tissue prior', 'rate 85', 'cbfa2t1 fgf8 play', 'locus regression method', 'threshold explained phenotypic', 'haplotype differing', 'tyr581ser milk', 'effect average bft', 'majority chicken', 'nt ntrk2 cdh8', 'arrdc3 stc2 genotype', 'family analysis significant', 'predictive model allowed', 'leg rear', 'radiographic data 144', 'window located', '426 221', 'dna rna', 'breed mutation gene', 'common noninfectious', '62 single', 'lm dimension', 'mellitus factor pathogenesis', 'longissimus thoracis muscle', 'oestrous sheep seasonal', 'implicated gene good', 'qtls study', 'using 46', 'genome relatively', 'especially swine', 'field test novel', 'plasminogen activator inhibitor', 'variation haplotypes presented', 'rflp snp', '61 565', 'cattle cross', 'located cm qtl', '74 f2 animal', 'mutation segregating breed', 'ranged 25', 'le predicted fat', 'regulating pathway', 'german holstein breeding', 'increased statistical', 'architecture hairy gene', 'variant independently', 'posterior teat', 'sixteen region identified', 'ear condition', 'i_ra fiber number', 'greatly contribute goal', 'linkage disequilibrium sc', '246 canadian holstein', 'litter size economically', 'haplotype block contains', '315 microsatellite marker', 'porcine chromosome position', 'snp statistical analysis', 'accuracy conclusion result', 'economically unsurprisingly domestication', 'chronic pleuropneumonia increased', 'revealed brahman influence', 'insulin secretion exoc4', 'composite subtraits', 'bb ac regulatory', 'haplotype determined based', 'inflammation making important', 'frequency determination', 'large holstein grandsire', 'high density snp', 'effect lack fit', 'later tissue', 'gene positional functional', 'effect bw49', 'breed data set', '60 calving', '28 protein content', 'breeding genetic improvement', 'used aseasonal reproduction', 'related fertility', 'sequenced way gene', 'seven genetic variant', 'circumference ssc17 conclusion', 'fn total', 'igf1 snp 47673g', 'distinct novel', 'published showed', 'pig white duroc', 'using lc', 'bta02 nrr90', 'number country', 'evaluate relationship', 'cross diallelic experiment', 'seven qtl fetlock', 'association proviral concentration', 'bovine tlr2', 'considering different', 'loss higher', 'sufficiently large data', 'chicken identification', 'seq analyzed total', 'great importance', 'bf 210 ssc6', 'tmem38a 047 dlgap1', 'fto polymorphism combination', 'cost effective mean', 'limousin backcross progeny', 'qtls trait qtls', 'including taurine polled', 'genotype challenged', 'mutation event chinese', 'using forward', 'conclusion akr1c', 'additionally indication qtl', 'non synonymous allele', 'population 09', 'new breeding candidate', 'time ejaculation', 'dpi susceptible', 'explained small', 'aujeszky disease virus', 'gene acvr2a', 'included centromeric', 'positive mapped qtl', 'significant physiological', 'significant mb chromosome', 'position pork color', 'population 53 association', 'culinary custom', 'analysed concentration', 'prediction accuracy genomic', 'evidence individual', 'using jaw resulting', 'mg meat', 'pig family qtl', 'bull investigated', 'pi marker', 'analysis significant suggestive', 'lameness dairy cattle', 'health disease', 'biological mechanism action', 'result pleiotropic effect', '1222 holstein cow', '11 data obtained', 'danish red dr', 'breed tested', 'kr9 12', 'kgf 60 6n', 'qtl evaluated', 'human health benefit', 'monitored year area', 'period heat', 'tgf gene explore', 'pertaining berkshire', 'importance chicken using', 'extends region', 'resequencing gdf9', 'showed significantly', 'expression ppard', 'trait traditional', 'scd gene provide', '21 mb', 'picture identifiable', 'age age', 'angus cow typed', 'additional quantitative', 'associated different location', 'bull time higher', 'microtia 20', 'perilipin gene plin1', 'generation interspecific hybrid', 'qtl proposed', '438 snp', 'tnf associated', 'gaussian model', 'sire canchim', 'indicus feedlot information', 'gave highly', 'cell subset', 'yearling bta', 'challenge mastitis', 'related attainment', 'milk jersey cow', 'significant qtl bos', '181 dinucleotide', 'carcass carcass shank', 'holstein cattle data', 'alive nba 370', 'located camkmt trhde', 'grazing endophyte infected', 'play essential', 'threonine protein kinase', '56 90 282', 'genomic effect', 'approach identified snp', 'mendelian model line', 'qtl influence', 'sowpro90 enriched', 'study shown', 'cattle production breeding', 'largely different previously', 'effect prop1 h173r', 'follicle development ovulation', 'introduction scd', '01 10 33', 'analysis lrp12 trib1', 'family model included', 'redness ssc13 84', 'post transcriptional level', 'case 629', 'near 17 gene', 'fat milk content', 'result suggest muscle', 'candidate gene original', 'revealed highly', 'genetic factor affecting', 'index ovulation', 'indicator sheep', 'insemination required conception', 'snp targeted', 'stress highly significant', 'using porcinesnp60k beadchip', 'cy rec', 'percentage bta26 mgmt', 'mapping vca body', 'involved feather', 'total 171', 'ilsts081 result', 'total 240 microsatellite', 'genotype capns locus', 'study exhibited', 'selection spawn weight', 'method employed', 'information lead better', 'snp nc_007324', 'novel qtl wing', 'bms833 qtl marker', 'showed relationship', 'panel 74677', 'spot brown eggshell', 'locus present', 'performed individual flock', 'respectively 9607480 bp', 'qtl segregation af', 'sheep breeding', 'time involve different', 'design animal', 'additional qtl sc', 'bbl report', 'effect reported different', 'breed pce associated', 'death result', 'scrofa build total', 'trait nineteen', 'ked count appeared', 'demonstrate variant scd', 'gaining attention', 'lepr snp located', 'variant significantly affect', 'phenotypic data analysis', 'including cow derived', 'test restraint', 'sw1495 skin percentage', 'considered carried', 'composite div2 swine', 'population selective dna', 'blup selection 16', 'effect consistent f2', '137 qtl detected', 'mirna function', 'glycerolipid metabolism', 'comprised pc3 trait', 'showing extreme incubation', 'objective measure meat', 'exon il 15', 'region search', 'locus sheep suggest', 'disequilibrium extended', '49 gga24 gga', 'predominantly mhc region', 'ch4 production', 'white small', 'host specie', 'approach selected', 'present linkage mapping', 'sire dna used', 'based simulation pedigree', 'feasibility efficacy', 'muscle yield diplotypes', 'snp qtl region', 'blood swine result', 'age specific observed', 'used different', 'gene responsive imi', 'wfe chromosome 13', 'deposition objective study', '371 genotyping', '43722547a il', 'frequency growth', '30 single', 'mchc mean', 'bone black', 'ssc6 revealed', 'lipid metabolism gene', 'causative snp obtained', 'grandparent f1', 'reference family', 'trait initially', 'ssc7 white', 'lactose percentage', 'showed increase live', 'possibility new', 'relationship ibp4 gene', 'rate qtl analysis', '15 significant 01', 'describes overall', 'gene identified positional', 'lifr ngef ewsr1', 'perirenal fat', '533c associated', 'help elucidate biology', 'divergently selected bone', 'combined genotype body', 'structure echs1', 'little known fundamental', 'underlying causative', 'response environmental exposure', 'ancestor bovine', 'consisting 301a 426t', 'discovery pig various', 'melanoblastoma bearing', 'narrowed fine mapping', 'expressed network', '88 mb qtl', 'large resource family', 'tract weight embryo', 'semen ph pig', 'susceptibility resistance', 'approach iii use', 'adjacent gene leucine', 'component measured', 'level glucocorticoid', 'rpl7 smc2', 'snp31 linkage', 'evidence direct', 'functional significance newly', 'survival time challenge', '25 suggestive', 'haplotype h3 associated', 'bovine johne disease', 'analysis anova trait', '14 population result', 'locus composition characteristic', 'annotation bovine acsl1', 'fertility cattle', 'replication dlgap1 bind', 'rf analysis importantly', 'identify significant snp', 'low phenotypic low', 'modeling genetic effect', 'red cattle deviant', 'holstein cow spread', 'qtl effect combination', 'region ssc5 21', 'observed independent finally', 'testing case', 'muscle density oar1', 'genetic variance considered', 'muscling hspa5', 'multiple chromosomal', 'indigenous chinese', 'marb high genetic', 'qtl genotypic effect', 'bw bone', 'estimated heritability snp', 'rdw respectively', 'qtl fixed effect', 'combining expression analysis', 'pair located chromosome', 'locus associated hcr1', 'snp fdr', 'microsatellites linkage analysis', 'white spotting', 'acid balance mammal', 'peptidase inhibitor clade', 'indels short bp', 'pig significantly higher', 'variance explained single', 'energy recovery', 'pregnancy determined', 'university resource', 'performance influencing', 'method present', 'porcine hd', 'growth curve genetic', 'region nucleotide', 'major gene high', 'weight month weight', 'enriched gene', '59 04 tibia', '2000 iteration position', 'beef contributing', 'sperm 105 holstein', '245 bird', 'haplotype sire', 'day npd', 'region identified contained', '80 identified', 'deposition residual feed', 'used snp', '55 cm 28', 'bft cwt compared', 'npl analysis', 'number oestrous cycle', 'procedure characterized sequenced', 'beefbooster m1', '18 lost', 'ile199val i199v', 'reproduction research focused', 'rs419096188 rs424642424', 'according line', 'addition cyb5a gene', 'culture erhualian', 'influence growth pair', 'exposed daily', 'sscp association', 'selected promising autosomal', 'trait 19 fat', 'program estimate snp', 'variable scenario', 'taurus autosome increasing', 'particular breed important', 'fasting 05 returned', '69 cm family', 'phenotyped backfat loin', 'spectrum approach', 'phenotype including bone', 'significant effect mrna', 'previously performed', 'estimate proviral concentration', 'screen candidate', 'corte genotyped', 'cpm gene flanking', 'prioritize selected snp', 'activity function underpin', 'size multiple european', '02 kg', 'clarification genetic base', 'functionality protein', 'sib family previous', 'individually attain', 'chromosome eth10 included', 'bb aa uac', 'region major milk', 'genetics gene network', 'behavior parturition', 'individual guideline deduced', 'colour dilution phenotype', 'animal generated', 'better sensory quality', '41 snp identified', 'cycle lipid metabolism', 'calculated using permutation', '1855 pig sired', 'regulates scd', 'offspring s1', 'fertility record', 'candidate locus factor', 'responsible variation meat', 'product consumer', 'sequence similarity', '2354 german holstein', 'snp 888g 910a', 'parameter estimated single', 'component protein', 'importance controlling growth', 'animal set proviral', 'ebv pat', '132 indicating', 'study discover', 'starting point research', 'abomasum lda german', 'identified analysis', 'flavour chicken egg', '28 significant snp', 'conducted using simple', 'conformation trait regression', 'university illinois uoi', 'qtl size observed', 'regulation lifetime reproductive', 'identified significant ch4', 'select specific', 'mastitis spink5 slc26a2', 'weight lgw spleen', 'protein conformation', '25858322c snp result', 'gene involved physiology', 'located highly', 'protein content chromosome', 'chromosome concordant', 'genotypic allelic', 'associated subscapular', 'data 21 microsatellites', 'encode lysine position', 'chromosomal region present', 'effect afe phenotypic', 'bivariate gwas explained', 'real genetic effect', 'identified 17 16', 'number locus analyzing', '24h post mortem', 'suggests distinct', 'homozygous genotype 62', 'window primarily', 'sire family segregated', 'problem world', 'gene existence complete', 'provided wealth knowledge', '421 hen derived', 'trait multiple cattle', 'trait size effect', 'attention mammalian', 'affecting trait us_m', 'distal gga5', 'precocious non', 'reducing saturated fat', 'perinatal mortality', 'abnormal spermatozoon', 'novel population specific', 'fowl typhoid 2007', 'trait locus fertility', 'individual good', 'leaving seven', 'elderly people', 'genotype 01 locus', 'showing allelic imbalance', 'approach used gwas', 'line male', 'prkcq conclusion', '42 58', 'mas1 protein coupled', 'higher milk production', 'multifunctional enzyme', 'susceptibility milk', 'microarray measurement', 'weight commercial population', 'potential impact selective', 'quality pedigree', 'homologous region human', 'applying qtl model', 'production worldwide selective', 'cw detected chromosome', 'holstein breeding', 'local breed wild', '2836 included fixed', 'contains polymorphism promoter', 'lolium arundinaceum', 'quality palatability', 'panel 15 breed', 'conformation score', '78 half sib', 'strong genetic marker', 'association fi', '39 polymorphism novel', '60k bead', 'unequivocal conclusion', 'animal lower value', 'pathway involving', '180 danish jersey', 'cycle provide', 'effect resides', 'haplotype fatty', 'brown fat selective', 'potential function milk', 'age constant endpoint', 'ar gene', 'gcnf contained amino', 'combining valuable', 'important coding region', 'observed new', '234 bc1 f2', 'cckbr gene', 'litter western', 'record 1447 fish', 'intramuscular fat significant', 'yellower milk colour', 'gene tissue consistent', 'line genotyped using', 'associated chest girth', 'help prioritize selected', 'cow trait', 'influence flavor', 'rate 17 080', 'effect pce positive', 'kg 41 47', 'chromosome 12 respectively', 'gene involved biological', 'genetic basis osteochondrosis', 'characterized bacterial', 'included highest', 'deposition called marbling', 'organoleptic quality product', 'weight 20 wk', 'am950288 566g resistin', 'information unveiling', '46 respectively', 'analysis carried qtl', 'stage specific', 'genetic mechanism leading', 'chromosome included', 'intron clrn1 gene', 'prediction 91', 'igf2 affect', 'stratification relatedness identified', 'control result', '99 level', 'type error rate', 'dj revealed snp', '12 14 nominally', 'breeding aim', 'statistical support', 'fec coccidia foc', 'yield desirable dairy', 'lod 15 contiguous', 'integrated gwas', 'ovary follicle especially', 'analysed seven', 'observed ripk2', 'scan including 380', 'genotype birth weight', 'map v4', 'improving immune', 'large fraction genetic', 'wrinkle high heritability', 'addition verification', 'previously genotyped', '41 20147039c', 'population differentiation', 'cow infected map', 'nominal significance association', '1425 gene rna', 'plant harvested', '2834c 3533t 3691g', 'suggestive chromosome wise', 'nd global threat', 'increase power', 'tt 25', 'carried unravel significant', 'quality chicken line', 'population rw023 showed', 'acid similar', 'dominance epistasis effect', 'granddaughter design single', '185 ssc', 'yield yield', 'estimated genetic heritability', 'higher significant', 'furthermore porcine', 'saving algorithm improved', 'major challenge', 'polypay rambouillet', 'second scan line', 'lta na', '356 617 detected', 'trait plag1', 'precision genome', 'eca5 genotyping performed', '17 atp1a1 gene', 'burden detected', 'placed irs4 gene', 'downregulated known gene', 'ppn0 90 observed', 'mcw0168 gct0006', '05 linoleic acid', 'abdominal fatness qtl', 'hha rflp', '278a located', 'disease affect draft', 'meishan european breed', 'second analyzed enrichment', 'wide array behavioural', 'prrsv economically important', 'phenotypic variance fi1', 'enrichment term', 'bf goal', 'haplotype m1', '17507a exon', 'carcass trait chromosome', '640 animal winter', 'analysis result individual', 'immune related gene', 'associated birth weight', 'method analysis field', 'structure navicular', 'closely spaced', 'contribute insight', 'explained 15 genetic', 'result accounting', 'gtg scd', 'pcr amplicons', 'pig micrornas', 'genetic variation cis', 'detected centromeric portion', 'tissue respectively associate', 'common sire', 'spi2 serpina1 serpin', 'performed experimental f2', 'lg growth presently', 'day correlated measurement', 'marbling tenderness', '01 present 33', 'time ejaculation duration', '35 41', '81 bp', 'trait chicken egg', 'performed 194 microsatellite', 'demand beef', 'framework significant snp', 'significantly associated pbw', 'homeostasis resulting', 'disequilibrium genome', 'f1 individual', 'identified putative', 'used meritorious available', 'stress response chicken', 'hsp90aa1 flanking', '10 qtl segregating', 'bmts mqts 05', 'genome useful', '02 conclusion report', 'promotes candidate gene', 'qtl fixed', 'acid general', 'variant exist', 'snp31 showed', 'specific binding', 'focused young animal', 'mastitis btas', 'polygenic trait involving', 'position 461 132', 'component genome wide', 'genetic improvement fatty', 'added new family', 'c57bl outbred cd1', 'associated ep snp', 'potential increase', 'individual yorkshire large', 'variant haplotype', 'fat significant', 'mapped calpastatin', '114 125 ng', 'autosomal single nucleotide', '300 day', 'association study bioinformatics', 'chicken analyze body', 'fertility holstein bull', 'snp identified bovine', 'bp stop', 'performed chicken preadipocytes', 'qtl jowl', 'quality grade dressing', '22 linkage disequilibrium', 'porcine expression microarray', 'inherited component condition', '331 total 81', 'information indigenous sheep', 'selected healthy cow', 'acid likely', 'frame buffalo', 'wired dw', 'cortex stimulation', 'muc4 expression', 'intake percentage abdominal', 'level 31 qtl', 'linkage map porcine', 'fasting plasma', 'commercial single nucleotide', 'appeared additive genomic', 'including ncapg', 'responsible growth', 'disequilibrium mapping using', '60 similar genomic', 'involved various aspect', 'order build', 'sheep conducting', 'animal ssgwas conducted', 'carwell locus based', 'significance bone density', 'chromosome 24 experiment', 'epithelial vascular', 'qtl calf', 'locus allow', 'susceptibility salmonella colonization', 'sire crossed diverse', 'different previous study', 'egwas 45 lipid', 'analyzed step', '60 similar', 'meat quality constrained', 'isoforms pig', 'haplotype containing', 'result detected', 'se 12 zn', 'significantly higher random', 'ability pta 31', 'snp2 synonymous mutation', 'q13 study', 'resistant gastrointestinal', 'available total 34', 'recently allowed', 'higher mrna expression', '05 functional analysis', 'hamster radiation hybrid', '14 population structure', 'northeast agricultural university', 'weight 502', 'depigmentation defect', 'thousand thirty', 'value combining', '181 microsatellite marker', 'study reveals positional', 'suggest marbling qtl', 'specific demethylase 5a', 'affected body', 'acss2 atf3 dgat2', 'cattle voluntary producer', 'factor regulation', 'variation impact spp1', 'glucose level', '90 bovine', 'sc milk', 'region responsible white', 'existed map', 'locus qtl improvement', 'used allocate', 'used bayesian model', 'swelling nodule formation', 'man2b2 unique epistatic', 'line furthermore qtl', 'le 10', 'score productive', 'stimulating hormone', 'trait critical', 'position number thoracic', 'initiated using large', 'weight hw intramuscular', 'polymorphism snp bayesian', 'snp marker 10', 'day ai', 'known aa substitution', 'mutation 633_ 632ins', 'performing multitrait multi', 'result suggest body', 'position growth differentiation', 'using qtlmap software', 'boar type', 'area ratio', 'avfec qtl', 'contributes identification casual', 'annotated 120 gene', 'affected 12 normal', 'bf 39', 'population used current', 'ww collectively', 'cell additionally cbg', 'necropsied determine', 'associated oar6 qtl', 'ratio value fat', 'hypothesized source qtl', 'especially rural', 'mapped fatness', 'region wwc2', 'analysis gave', 'catalytic subunit gene', 'cross linkage analysis', 'conclusion study successfully', 'potentially useful genetic', '566g intron', 'israeli holstein male', 'transfection mammalian', 'olp contrast analysis', '882 ch', 'receptor postreceptor mechanism', 'weight phenotypic association', '11 qtl 05', 'amplified standard pcr', 'gene chromosomal', 'iridum eye iris', 'effect using', 'overall genetic variation', 'achieved linkage', 'investigate gc', 'bb result', 'software identify significant', 'sequence exon intron', 'revealed region chicken', '328 progeny wagyu', 'derived cross chinese', 'industry strong', 'effect sire chance', 'identified linear regression', '378 horse breed', 'significant 05 reporter', 'variant porcine model', '100 snp 55', 'end phenotypic spectrum', 'parameter estimated trait', 'crossbred population 446', 'lactation kg 01', 'assumption method', 'btb present', 'data steer sire', 'human rediscovery', 'suggests eyelid abnormality', 'using kegg mesh', 'respectively identify qtl', 'porcinesnp60 chip total', 'aj543065 703a utr', 'gblup approach pedigree', 'individual candidate gene', 'finding suggest fmo5', 'mstn af320998 433c', 'rfi rfi snp', '10 180 parturition', 'capture genetic diversity', 'impact disease', 'deepen understanding trait', 'variant increasing fat', 'facial wrinkle using', 'internal nematode', 'phenotype provide', 'f2 population total', 'total snp', 'subtraits retained', 'line selected body', 'density structure', '787 significant snp', 'provide new opportunity', 'fastphase genomestudio program', 'affect chicken leg', 'individual zero frequency', 'growth ultrasound', 'apob gene causing', 'identified study potential', 'kingdom population', 'microsatellites maximum spacing', 'survival reported', 'polypeptide high mobility', 'densely connected', 'effect investigated qdg', 'boar known red', 'taken appears', 'gwas meta analyses', 'egg dwarf dam', 'influence flavor nutritional', 'concentration milk fat', 'origin effect detected', 'rea aft suggesting', 'taurus individual snp', 'uniquely identified', 'variant refined', 'affect machine milking', 'alter gene', 'data analysed using', 'upstream lcorl coding', 'coding region analyzed', 'term selection', 'analysis support', 'birth weight bw', 'avai cleavage result', 'mb window region', 'identified large', '01 02 hock', 'anatomy trait analysis', 'significantly associated abdominal', 'growth obese region', 'established elucidate associated', 'chromosome 16 grandsire', 'different pig', 'mhc allele production', '852 ewe', 'study suggest role', 'ovine ghrhr ghr', 'type iia ssc14', 'apoptosis understanding gene', 'chromosome gga2', 'group used', 'ssc5 ssc8 partly', 'identified additional', 'average feeding', 'qtl effect completely', 'correlation csnps', 'study characterized snp', 'fat 172', '114g caused alteration', 'hormone stimulation thought', 'region sus', 'qtl significance', 'based approach', '13 mb new', '13 22 23', 'qtl fitness related', 'hapmap project', 'rate 10 associated', 'mutation snp identified', 'selection genetic', 'taint animal', 'cm average interval', 'chromosome using generation', 'multiple testing genome', 'significant peak lean', 'unpleasant odour', 'produce 24 sire', 'bone marrow', 'poisson model result', 'twh blood hair', 'duroc group pig', 'perform haplotype', 'pietrain boar', 'genetic architecture analyzed', 'fi univariate', 'qtl result strongly', 'resistance double backcross', 'mutation rt', 'identified known candidate', 'zebu ma offspring', 'currently point deserves', 'tenth marker bracket', 'using separate single', 'reducing disease breed', 'analysis mid', 'gga23 detected', 'related qtl keyhole', 'panel 130 animal', 'specific depends', 'reaction rflp pcr', 'muscle located', 'lgb known', 'analysed 545', 'scale white duroc', '439 pig', 'bta18 loc787057 service', 'pig industry dissect', 'protein polymorphism significant', 'inferring qtl genotype', 'additionally indication', 'composition respect', 'mapped chromosome', 'investigated amplifying low', 'substitution effect allele', 'surpassed genome wide', 'ratio lepc detected', 'total 26', 'model included', '02 holstein', 'notch1 slc6a3 clptm1l', 'related humoral', 'revealed total 32', 'phenotypic variation chinese', 'study carcass weight', 'insulin resistance woman', 'function organism', 'annotated snp bta13', '20 adjacent snp', 'cow 50 genotype', 'exon intron boundary', 'cc tc', '19 34', 'related health production', 'unaffected animal detect', 'pig methodology principal', 'concentration level', '993 snp remained', 'eggshell thickness egg', 'mixed model phenotypic', 'corpus luteum', 'driven change transcription', 'effect previously identified', 'min 24 48', 'ssc8 consistent', 'association phenotype using', 'estimated variance', 'goal broadened include', 'conducted comparing polygenic', 'mild baby blue', 'morphology genotype single', 'mstn haplotype outbred', 'smaller dominance larger', 'common situation swine', 'marker evaluate multiple', 'annotated associated', 'consisted 796', 'red line', 'important trait rainbow', 'content 04 protein', 'chicken ex fabp', 'related increased muscling', 'chromosome described study', 'identified locus eca15', 'coccidia faecal', 'fowl epistatic', 'located marker sw1332', 'slaughter incidence microbial', '423 bull', 'genome sequence detected', 'effect reveal', 'intake control', 'interaction 0001 abdominal', 'facilitates identification candidate', 'standard 50k', 'inherited mstn haplotype', 'embryo objective nr6a1', 'israeli holstein dairy', 'segregated qtl', 'cost scan genome', 'chip conducted 152', 'affect bmts', 'depressed concentration prolactin', 'polymorphism 67g', 'world trait relative', 'high number locus', 'conclusion present revised', 'bovine breed', 'identified chromosome new', 'discovery snp mc4r', 'ascertain possible effect', 'total 860', 'snp highly associated', '238 bp', 'mortality conclusion', 'association ryr1 rs344435545', 'values avfec avpcv', 'interferon induced guanylate', 'non production', 'protein kg milk', 'subjected natural', 'animal 385 large', 'including piglet survival', '32 genome', 'investigation conclusion study', 'sample cattle', 'weight trait lamb', 'fecx fecx', 'marking prme horse', 'using asreml underlying', 'marker used construct', 'polymorphism snp located', 'scan detect', 'parental source', 'qtl analysis utilized', 'allows snp', 'm1 m2', 'marker polymorphic', 'number insemination service', 'prkag3 showed', 'resistance nordic', 'proviral concentration animal', 'lactoglobulin lg', 'study basis different', '23 04', 'crop daughter', 'identified bta13 analyzed', 'locus qtl porcine', '55 60', 'separately second generation', 'validated single nucleotide', 'influence natural selection', 'defined result indicated', 'relevant behavioral trait', 'cell cell signaling', 'scheme furthering', 'cohort pirm affected', 'muscle lightness shear', 'cdna identified positive', 'accurate identification', 'genetic association gene', 'genome scan detected', 'overall combining information', 'environmental factor', 'mapping analysis indicated', 'fkbp2 protein', 'bull predictive', 'involved esc', 'erhualian prolific', 'effect presented general', '1740 fabp yielding', 'tissue muscle 278', 'population segregation analysis', 'collected season difference', 'gwas assumption step', 'phenotypic variance 29', 'serum pepsinogen', 'depth 3rd 4th', 'significant cost', 'gdf10 single', 'model estimated additive', 'breed chinese', 'sequencing bull extreme', 'weight age egg', 'acid content 05', 'related skeletal muscle', '01 fetlock oc', 'milk cmp', 'function observed main', 'igga level', 'gwa study', '11 meat', 'dairy cattle regressed', 'nr3c1 leading', 'heifer obtained heifer', 'used mrna', 'second set haplotype', 'testis boar', 'ensembl discovered number', 'p450 a19 cyp2a19', 'rm006 developed dna', 'conclusion study allele', 'fecl based litter', 'susceptibility resistance md', '09 10 10', '1101a 156_157del polymorphism', 'analysis candidate', 'lm area cm', 'carriers additional', 'major impact swine', 'gwas imf', 'finding polymorphism', 'mutation bmp15 gene', 'analysis detected snp', 'dgat1 a232k ghr', 'improve performance beef', 'trait reduce', 'ssc4 ssc9 ssc13', 'backcross ibmap', 'rfi validation', 'candidate gene chosen', 'pc technique applied', 'health index', 'ratio 25 positive', 'morphological trait make', 'broiler male', 'confirm association total', 'associated lifetime reproductive', '718 susceptible animal', 'power identify snp', 'paternal genotype used', 'day white duroc', '1a ryr', 'associated f4ab f4ac', 'nematodirus fec qtl', 'pecking significant', 'rectal temperature lesion', 'total 787 significant', 'compared using', 'allele frequency ai', 'linkage group 16', 'management contemporary group', '16 grandsire', 'association backfat', 'disequilibrium genomic location', 'muc4 play important', 'mg high heritabilities', 'sp score skatole', 'behaviour chicken gwas', 'mastitis frequent', 'muscle sample 453', 'polymorphism btb', 'gene tested sample', 'survived 21', 'ssc6 mb', 'data mammary gland', 'specific qtl baseline', 'composition trait heritable', 'increase somatic cell', 'rate region qtl', 'snp largest effect', 'trait analyzed polymorphism', 'genotype performed', 'bovineqtl tamu edu', 'study gwas', 'breed 10', 'including different section', 'cattle main aim', 'total 649', '300 major allele', 'detect cidec', 'regarding milk yield', 'qtls raspf7 specific', 'control method major', 'family initially', 'expression ct demonstrated', 'analyzed snp italian', 'ucp3 igf2', 'extension genetic', 'level respectively population', 'myristic palmitic gadoleic', 'effect flanked region', 'snp marbling tenderness', 'region gene physical', 'feature performed genome', 'genetic model decompose', 'augmented landscape', 'gene screened', 'study aim discover', '24 hr ltl', 'chinese indigenous breed', 'pig haematocrit hct', 'grandprogeny 306 steer', '85 phenotypic variation', 'disequilibrium 22', 'marker region optimize', 'detected association snp', 'mapping undertaken', 'tyrosine phosphorylation motif', '1200 pig', '31 sib', 'meat color conducted', 'immune function immune', 'pathogen haplotype substitution', 'approach increase test', 'gblup bayes highlight', 'herd life 11', 'location ssc4 ph', 'lectin domain', 'input result significant', 'population japanese black', 'associated trait dgat1', 'musculoskeletal movement', 'scan performed animal', '19 phenotypic variance', 'roh island', 'ssc7 ssc14 ssc18', '15 locus contribute', 'association considered validated', 'approach iii', 'sequence similarity 73', 'taurine zebu breed', '11 cm 23', 'affecting backfat thickness', 'screened generation', 'data 456 animal', 'causative trait question', 'significantly higher raspf7', 'pleurisy calculated using', 'age population', 'effect reproduction', 'gene tcf12 previously', '05 effective genotype', 'content reach maximum', 'purpose fleckvieh breed', 'advance ascites reduction', 'spectrometry meat', 'region examined test', 'helpful fine', 'overall milk', 'sheep horn', 'adg 043 02', 'sequence isoform showed', 'behavior vole', 'ifngr2 krtap11', 'respectively snp', 'polymorphism 2323 2325', 'sarcomeric structure', 'heritabilities cu dh', 'gene analysed 545', '72 mb distal', 'dd association', 'heritability approach combining', 'juiciness haplotype chap', 'vertebra pig', 'candidate gene respectively', 'fertility correlated', 'involvement development', 'fertility trait example', 'blackface texel', 'regulating ovarian function', 'data growth ultrasound', 'region ptpn11 ssc14', 'associated improving human', 'caused functional', 'outbreak total', 'ssc6 qtl', 'level qtl ssc8', 'animal considering similarity', 'expression serpina6 affected', 'trait estimated', 'multiparous sheep', '20 wk age', '05 significant', 'colour trait genotyping', 'keds segregating', 'clec3b type', 'harbor gene', 'cause foodborne disease', 'feature selected', 'support genome wide', 'fasn hapmap26001', 'using post', 'uterine function', 'chicken breeding feather', 'c12 linoleic conjugated', 'cdna promoter', 'furthermore feasible', 'gene ovine litter', 'effect fi fcr', 'genome 400k', 'region observed indicating', 'known candidate', 'piglet welfare', 'affecting limb bone', 'leptin hormone affecting', '145 sexually', 'based 45', 'pathogen specificity qtl', 'breed highly significant', 'used boost', 'causation feather', 'proportion fat', 'achieve racing', '896 respectively', 'tree based random', 'overdominance mode', 'bta6 10 ss61469568', 'correlation heritabilities', 'multibreed data 426', 'large small small', 'measurement trait locus', 'animal breeder farmer', 'diabetes related trait', 'modified linear', 'meishan family recently', 'comparison indicated small', 'research included', 'identified specific gene', 'bird 05 addition', 'pig time notably', 'way crossbred cb', 'detect confirm qtl', 'determining concentration beta', 'new genome', 'method pcr analysis', 'cell differentiation diet', 'cm ssc12 epistatic', 'partial correlation', 'study statistical approach', 'teat number trait', 'quality trait research', 'feathering formation xinghua', 'tissue rt pcr', 'defect production trait', 'located porcine', 'originally identified', 'background previously reported', 'including mutation coding', 'region contained candidate', '57 fatty', 'receives widespread pig', 'qtl affecting imf', 'qtl withers height', 'using low density', 'vitamin b2 essential', 'bone large', 'measure meat tenderness', 'tenderness addition', '11 contains region', 'variation population tested', 'genome annotation knowledge', 'build 10 assembly', 'pathway involved study', 'diversity snp locus', 'position different visceral', 'genetic variance chromosome', 'marker surrounding', 'example include myo19', 'trajectory time using', 'study comprehensive genome', 'snp analysis studied', 'trait important improving', 'using moderate', 'investigation reported', '53 known', 'variation japanese', 'large holstein', 'detected new experimental', 'observed backfat animal', 'analysis moderate high', 'loss swine industry', 'substantially increased statistical', 'assumption single locus', 'crucial pregnancy', 'analysis historical', 'weight calving', 'man1c1 map3k5 hcn1', 'nuclear factor 4α', 'loc614744 04 significant', 'approach fat tailed', 'snp trait snp', 'qtl teat number', 'shank length using', 'segregate individual line', 'biological process late', '255 brahman', 'second analysis progeny', 'dissect genome pig', 'srb finnish ayrshire', 'analyzed 32 body', 'fmo3 known associated', '23 24', 'increased increasing', 'different trait 16', 'mb syntenic', 'rate previously bta5', 'parameter weekly', 'ease parity allele', 'used impute snp', 'fatness phenotype largely', 'generation resource population', 'known linkage', 'ii major', '25 cm prnp', 'charollais 851 suffolk', 'genetic analysis ketosis', 'simple 305', 'population 123 holstein', '02 03', 'myog breed', 'related reproduction trait', 'coincided shank length', 'pathway significantly', 'nup88 adck4 plod1', 'protein casein lactose', 'qtl 24', 'predisposing gene', 'white pietrain', 'inferred illumina high', 'derived swiss', 'germany breed', 'msh homeobox', 'candidate gene crebbp', 'level region', 'differing level significance', 'rfi measured', 'mbps located qtl', 'concordant qtl', '90 kg day', 'respectively square analysis', 'similarly gastric', 'calving event descendant', 'contrast average estimate', 'value genotype cc', 'evaluate lp influenced', 'affect egg weight', 'dam family nested', 'polymorphism 32386957a clearly', '53 82 td', 'wld susceptibility indicate', 'total 51 significant', 'polymorphic microsatellites genome', 'novel qtl ssc16', 'qtl body', 'experimental intercrosses iberian', 'including hormone', 'unravel harmful', 'snp chromosome chr', 'disease symptom', 'ca influenced', 'protein enlarged 16', 'pig population intensively', 'purpose study investigate', 'intronic sequence', 'role regulation lipolysis', 'weight landrace', 'substantial financial loss', 'major determinant palatability', 'hanoverian warmblood norwegian', 'coat color present', 'breeding value based', 'difficult task multiple', 'milk protein polymorphism', 'physical chemical', 'large effect androstenone', 'homozygous igf2 using', 'controlling body', 'h1h3 aggg haplotype', 'covering genome identify', 'design gene', 'meat tenderness blonde', 'chromosome 28', 'pcr rflp snp', 'ryr3 bnip3', 'network relevant liability', 'flock sheep genomics', 'response result', 'recently located', 'snp chinese', 'specie goal study', 'genetic marker poultry', 'gwas melanoma', 'sustainably controlling pathogen', 'ability snp', 'significant growth rate', '49 70 result', 'covariate model included', 'gene cbg', 'model analysis significant', 'corpus lutea fine', 'library hypothalamus duodenum', 'challenge eosinophil', 'chain polyunsaturated fatty', 'mapped gga5', 'underlie genetic variation', 'gene snp', 'effect tumour formation', 'scientific significance', 'gene expression splicing', 'breed offer', 'genome region', 'characterized genetic region', 'trait analysed milk', 'simmental 20 animal', 'explain 10 ebv', 'pre weaning growth', 'expand knowledge', 'finnsheep contribute', 'fat yield qtl', 'lamb non', 'content duroc', 'fst xp ehh', 'detected 62', 'real time polymerase', 'snp assigned sliding', 'using subset population', 'composition porcine fat', 'size smaller', 'novel food novel', 'confirmed refined dc', 'simultaneously estimate multiple', '23 06 21', 'quality trait analysed', 'genetic marker covering', 'breed shank typically', 'luxi qinchuan hardy', 'snp insertions', 'fertility immunization', 'chicken eliminate', 'linkage analysis result', 'effect bw', 'simultaneously random effect', 'evidence qtl region', 'commercial laying bird', 'recessive model report', 'gene 800 italian', 'backfat 25 cm', 'affect ovulation rate', 'elevated drip loss', 'study promotes', 'highly pathogenic haemonchus', 'fst analysis', '972 50 483', 'filly chromosome wide', 'chip panel', 'shear force sf', 'potential growth', '729 association', 'study report strong', 'insight cheesemaking process', 'weight lbw', '54k bovine snp', 'ssc2 significant', 'result obtained different', 'based 50k', 'growth reduce fat', 'horse potentially confounding', 'explaining previously reported', 'trait selection performance', 'subfertile bull', 'scanning muscle fibre', 'buffalo novel snp', 'constructed chicken', 'fluid abdominal cavity', 'using 25880 gene', 'uac calpain mac', 'western australia temperament', 'interrogate linkage disequilibrium', 'cm ryr1', 'extreme sire high', '43 asiatic origin', 'milk yield daily', 'association intronic', 'selected analyzed association', 'ci trans', 'approach used linear', 'study able', 'gwas included', 'marker outbred', 'ff test measured', 'imf large white', '28 mb', 'day ew300 number', 'analysis snp qc', 'immersion challenge recorded', 'data set', 'hematological immune', 'used calculate additive', 'mummified pig mum', 'ph 15', 'pony study', 'important production trait', 'promoter 1043a', 'role patterning', 'unfavourably genetically correlated', 'region regulating', 'updated effect', 'node recovered 14days', 'e46 egg', 'production low', 'c8 c10', 'calving ease quantitative', 'relevant candidate identified', 'suggest mir', 'demanded androstenone causative', 'study convincing evidence', 'used analysis deregressed', 'cast 373 627', 'bacterial load weight', 'ew separate', 'snp revealed associated', 'cm _copb1_90', 'result joint', 'rfi feed', 'search qtl related', 'trait order identify', 'ww lyw', 'analysis conclusion', 'swine major determining', 'detected qrt', 'locus oar9_91647990 absence', 'summer milk fatty', 'superior female', '50 array', 'thickness aft', 'basis trait estimated', 'fertility linkage', 'snp fat bta14', 'variation clinical chemical', 'birth 12 15', 'ovary located gene', 'production horned animal', 'higher toughness increased', 'qtl hide', 'trait including associated', 'central region gga5', 'similar analysis', 'associated fcr broiler', 'control aggression', 'conclusive evidence existence', 'consistent positive', 'cow cy provide', 'qtl paternal', 'breed observation body', 'involved complex trait', 'architecture dcd', 'significant values avfec', 'calpastatin bind directly', 'gene qinchuan', 'nudt7 gene', 'challenging requires knowledge', 'occur small number', 'related phenotype genotyped', 'sample breed significant', 'tissue probably depend', 'tlr genotype', 'syndrome md leukemogenesis', 'coa hydratase hydroxyacyl', 'measured second population', 'cnvrs associated', 'ssc duroc', 'lphn2 eltd1', 'contributes directly', 'sequence intragenic', 'weight trait pig', 'size localized linkage', 'gene perform calpain', 'gm muscle', 'qtl growth parameter', 'sum monounsaturated', 'majority study', 'contribute better understanding', 'varied breed group', 'global score', 'member akrs', 'growth 12', 'igf2 snp strongly', 'role birth', 'hw lung weight', 'rs42670353 significantly associated', 'value examined normality', '05 conclusion result', 'mitochondrial mrna study', 'seq library hypothalamus', 'gwas second performed', 'portion bovine chromosome', 'slope range 16', 'crossbred animal produced', 'age knowledge effective', 'cattle seven bovine', 'region markedly', 'ssc7 ssc12 significant', 'cut value used', 'muscle mass igf2', 'gallus gga autosome', 'detected adipocyte', '858 971 896', 'contrast 259 segregating', 'trait duroc pig', '15 snp associated', '10 generation', 'furthermore gpihbp1 snp', '25 27 29', 'level trait evaluated', 'hormone insulin growth', 'anxa10 anxa10', 'qtl2 97', '2015 resulting mandatory', 'control fprs', 'significance individual', 'difference antibody', 'cc marbling tc', 'basis physiological role', 'concordance cis eqtl', 'edu au reprogen', 'genetic strategy', 'lack precise position', 'snpdb including', 'candidate gene', 'protein fat composition', 'load sire', 'wb fat hcw', '2021 breeding boar', 'individual carrying mpdz', 'permutation test determine', 'recessive study', 'abortusovis vaccinal strain', 'different genomic region', 'gene alter', 'trait broiler', '217 219', 'zn 49', 'qtl high', 'snp c4535156t g4533675c', 'dorper ewe bred', 'parameter estimated association', 'score previously described', 'intron5 mtpap gene', 'caspase recruitment domain', 'encoded amino', 'select duroc', 'population qtl analysis', 'ssc15 strong effect', 'daughter design holstein', 'ebv 0120 significant', 'disease swiss', 'based predicted herd', 'lod affected bone', 'consequently snp 327c', 'role altering growth', 'population specific shared', 'utr snp06 exon', 'square centimeter fn', 'affecting resistance', 'selection operator', '0001 0040', 'relationship epistatic', 'data analyzed applying', 'trait erythrocyte', 'eyelash cornea', 'loss lyz', 'breed marker calpastatin', 'response regulated fat', 'editing total', 'objective study perform', '30 cm 17', 'examine change qtl', '49 bw49 70', 'channel fat', 'chicken crossed', 'method using line', 'age sexual maturity', 'disequilibrium expected', '09 conclusion akr1c', 'analyzed using bioinformatics', 'beadchip enabled', 'furthermore bird', 'aa showed higher', 'south african nguni', 'signalling play', 'haplotype growth', 'locus explaining difference', 'power approach detecting', 'aim study combine', 'marbling score genotype', 'jaw resulting', 'heterozygous distal', 'mapping region', 'parasite likely controlled', 'animal arr arr', 'cd afc bwt', 'individual snp exhibited', 'scanning approach', 'achieved genome', 'weaning weaning', 'bw42 89 06', 'opportunity use', 'content addition identified', 'identified snp consistently', 'productive trait quantitative', 'statistic evidence addition', '42 73', 'hen conducted genome', 'white type allele', 'fourteen bta', 'prior implementation', 'factor influencing meat', 'protein water coagulum', 'value 55', 'yield close marker', 'finding suggested', 'white chinese', 'sheep showing extreme', 'fatness meat composition', 'mapped fa', 'trichostrongyle egg', 'scanning fifth', 'sequence used', 'followed antibiotic', 'respectively addition gtacgtac', 'backcross ewe dorset', 'including ultrasound backfat', 'snp model', 'weinberg equilibrium hwe', 'index population', 'nr dj suggested', 'pathway gene assessed', 'testing correction approach', 'effect independent population', 'empirical critical significant', 'belonging nordic', 'grid search fitting', 'gene phosphodiesterase 4b', 'disequilibrium causal', 'landrace 27', 'meat production broiler', 'snp end gene', 'genotyped marker bta14', 'infection oar 22', 'bta6 bta7', 'salting included', 'rear leg score', 'subfertility challenge facing', '14 bvs analysis', 'percentage considered second', 'wssgblup used', '430g spp1c 40a', 'interval trait confidence', 'haplotype level androstenone', 'population 954', 'molecule essential', 'axin1 gene significantly', 'european wild pig', 'key meat quality', 'milk acidity ph', 'effect polymorphism neuroendocrine', 'qtl position resolution', 'putative qtl second', '200c functionally linked', 'classification score', 'feed consumption', 'fragment mc4r', 'snp multiple trait', 'novel association', 'mapping gene affecting', 'fat yield trait', 'potential regulatory', 'variation observed', 'belongs atp', 'analyzed data set', 'bf 02 18', 'gene understand impact', '14 cm genotyped', 'present study provide', 'influencing technological quality', 'type new marker', 'region known affect', '10 case high', 'line genotyped high', 'used phenotype', 'increase protein', 'real time rt', 'male piglet week', 'cattle screened genetic', 'maf vary', 'absorption retention excretion', '15 01 fetlock', 'ssc13 ssc1 ssc8', 'chicken feather furthermore', '93 42', 'weight egg component', 'data reproductive disorder', 'white population unexpected', 'filtering leaving', 'trait linkage', 'binding site molecule', 'qtls 30', 'result number', 'loin collected', 'quality duroc', 'used look', 'malonyl coa acyl', 'yield ingenuity pathway', 'recently banned eu', 'body weight respectively', 'transited breeding practice', '108 gene', 'located 26', 'line selected maternal', 'number method performed', 'revealed chromosome 24', 'level pep result', '36 328 snp', 'heartwater disease', '245 cnv', 'grade 11 35', 'new detected region', 'qtls imf', 'marker alternative', 'array single marker', 'array snps 06', 'pregnancy objective', 'conformation twh collected', 'interaction mt heritable', 'average wool fiber', 'dd cause', 'effect fat area', 'genomic region corresponding', 'complementary genome wide', 'marker newly developed', 'novel porcine', 'compared early', 'health issue sheep', 'family 47 pig', 'critical protection', 'located bta11 46', 'mouse objective research', 'ssc7 teat', 'chromosome data', 'bull 15', 'different morphs maintained', 'correlated disease', 'higher value', 'significant principal component', 'analysis including', 'locus affecting mastitis', 'relative contribution variant', 'ratio serum leptin', 'gin infected', 'secondary pathway bco2', 'rate polymorphism identified', 'genotype gin', 'segregating allele', 'rxrb gene', 'direct calving difficulty', 'assisted management', '10 fatty', 'based tail', 'csrp3 diverged distinguished', 'european breed shank', 'animal ssgwas', 'distinct predicted', 'snp reproductive function', 'bta13 screened icf', 'routinely castrated', 'screen candidate gene', 'ul 16963 27514', 'weight included', 'f2 population derived', 'line result confirmed', 'measured shank skin', 'model based expectation', 'prlr sequence variant', 'chromosome performed', 'holstein cow grouped', 'time points', 'analysis performed corrected', 'lastly qtl', '16 phenotypic variation', 'including exon', 'kndc1 i_ra solute', 'finger protein pr', 'cm ssc4 liw', 'forkhead box', 'trout significant fish', 'trait comparable callipyge', 'vf2 respectively qtl', 'lmh lmp', 'determined significant suggestive', 'chicken plumage', 'vitro measure impact', 'known associated', 'year study using', 'younger population 23', 'cell score genome', 'underlying quantitative', 'design based elite', 'count body', 'rfi phenotypic difference', 'accuracy genomic', 'nc1 loc512672', 'selection based reference', 'fat1 qtl pig', 'affected bmd female', 'data obtained following', 'likely tissue specific', 'cow fertile expected', 'depends density', 'significant mb', 'nbd number stillborn', 'dj high heritabilities', 'animal respectively strong', 'animal 6723aa genotype', 'cattle 180 danish', 'environmental component', 'frequent sequence derived', 'genotype derive', 'population estimate effect', 'rt 13', 'data establish', 'bin gbrowse', 'goal breeding program', 'benefit statistical', 'qtl chromosome bta6', 'carried variant myostatin', 'research qtl region', '01 genotype', 'trout provided', 'region ssc14 region', 'highlighted nr3c1', 'chromosome 11 contains', 'connective tissue sensory', 'ph ph', 'helixtree software', 'genotyped 57 000', 'chromosomal location containing', 'previously mapped significant', 'extended pedigree marker', '454 unaffected', 'cross breed', 'effect somatic cell', 'snp based marker', '50 25 29', 'female population', 'identified qtl coincided', 'functional enrichment analysis', 'data large qtl', 'region microsatellites', 'applied ovine chromosome', 'horn formation', 'ctsk marker associated', 'mapped adr', 'snp coding region', 'ca binding motif', 'igg2 response especially', 'development placenta embryo', 'explain genetic', 'intron2 plag1', 'redness yellowness measured', 'progeny family derived', 'dna based', 'removal parity ratio', 'eye cancer prevalent', 'gradually declined decade', 'chr qtl', 'puberty davisdale', 'tested 200 unrelated', 'loin ssc3', 'left fore hindquarter', 'common trans eqtl', 'heat parasite brahman', 'genotype rare high', '4950c identified', 'subsequent analysis qtl', 'associated congenital entropion', 'thorough understanding', 'approach able adequately', 'study snp rs55618716', 'backcross outbred', 'method compared', 'harboring interesting candidate', 'marker locus genotyped', 'pathway identified trait', 'ph24 electric', '05 genotypic frequency', 'experimental power', 'population fundamental', 'body growth', 'ctnnal1 wingless type', 'result milk', 'locus result', 'reactivity qtls oar19', 'association snp health', 'porcinesnp60 genotyping beadchip', 'multivariate approach using', '26 37', 'vertebral development using', 'f2 population include', 'progeny 43 unaffected', 'probability associated', 'priority list', 'basis 2007', 'correlation annotation', 'opn variant', 'showed additional qtl', 'research investigate', '16 70', 'rapid decline linkage', 'animal different mendelian', 'association lepr allele', 'extent qtl correspond', 'fertility metric', 'population 342', 'cm position pork', 'descending order', 'nucleotide polymorphism 0e', 'growth denoted fat1', 'dressed carcass weight', 'porcine adipocyte', 'bovine guanine', '22 unique qtls', 'dach1 gene', '10 analysed', 'polymorphism association value', 'group total 154', 'similar characteristic located', 'rate ccr heifer', 'qtl sq', 'genetic effect genotype', 'gga14 notable', 'platelet activation type', 'sequenced exonic', 'established previously', 'population broiler', 'chicken dxa', 'total 34 874', 'commercial breed wipe', 'classified rflp', 'ile france ewe', 'qtl spanned', 'smad6 iqch candidate', 'ema gene expression', 'nelore cattle associated', 'placed placenta', 'autosome qtl analysis', 'convex fold ridge', 'resource population examined', 'contribute marker assisted', 'region specific fertility', 'new measure tolerance', 'berkshire pig', 'consecutive generation produced', 'stringent criterion generally', '11 yearling height', 'average distance 17', 'fat called shimofuri', 'transcriptome profile 45', 'background ear size', 'affecting pigmentation trait', 'phenotypic modulation physiologic', 'formation previously', 'composition sequence analysis', 'affecting performance quality', 'proportion number', 'genome association', 'higher imf content', 'variables association', 'sheep nos3 bmp1', 'snp using pre', 'selected herd monitored', 'associated resistance', 'improving reproductive trait', 'association explained', 'function metabolic', 'fy genome', 'frequent haplotype', 'milk analyzed animal', 'insertion deletion previously', 'size cnvs associated', 'pathway reveal', 'experimental data norwegian', 'fundamental evidence', 'attention animal', '06 42e 07', '16 chromosome btas', 'polymorphism snp end', 'mbp strong', 'footrot status', 'quality trait fisher', 'traditional fertility measure', 'determinant growth prioritized', 'quality vitro transfection', '110 case', 'power difference genetic', 'autochtonous maremmana breed', 'additional 46 snp', 'aberrant splice', 'production efficiency population', 'snp marker mainly', 'total polyunsaturated', 'ranging 38', 'genetic estimate fertility', 'phenotype improve power', 'second pc', 'implemented day', 'sire 18 duroc', 'conducted group 198', 'revised significance', 'method detect statistical', 'crosses method porcine', 'role vrtn gene', 'sire litter', 'design provided', 'eca 10 16', 'focus close vicinity', 'supported evidence', 'snps mb density', 'qtl mapping method', 'region associated carcass', 'adg chromosome wise', 'entire porcine', 'stronger association strength', 'animal particularly significant', 'backfat ebv bovine', 'qtl suggest existence', 'sex birth month', 'region harboring snp', 'record coded healthy', 'deviation calculated applying', 'ebv fp', 'me1 gene associated', 'approach notably', 'bta14 detected associated', 'milk cheese yield', 'mapped qtl serve', 'explained snp', 'identified nx6', 'population farm', 'displaced abomasum lda', 'ratio posterior', 'fat ph24h', '120 microsatellite marker', 'additive maximal', 'contribute identification gene', 'shown regression', 'selected good muscle', 'log transformed', 'muscle mineral content', 'thigh gizzard haematocrit', 'color marbling water', 'rflp method developed', 'spermatozoon 12 significant', 'close ho explained', 'sino european line', 'like respiratory', 'quality control 277', 'necessary identify mutation', 'variant influencing risk', 'zebu derived breed', 'understanding architecture', 'aimed map', 'yeast hybrid assay', '31266t identified', 'arf5 associated phu', 'gga2 body weight', 'weight meat content', 'thoracis muscle', 'performance testing', 'high low breeding', 'identified snp changing', 'progeny test lamb', '17 dressing', 'chromosome body', 'effect ssc8 region', 'tissue chicken different', 'importance provides', '13 constant', 'infection transition', 'protein involved ion', 'mutation fabp significantly', 'qtl ratio lean', 'underpin genomic breeding', 'week family', 'content chromosome 10', 'location direction qtl', 'ib cross association', 'used 44', 'strength rump angle', 'cow accurately defined', 'scan analysis performed', 'breed 80 qtl', 'ability cheese', 'confirming qtl', 'beef objective study', 'limited number gene', 'tm qtl significantly', 'locus population mapped', 'bdnf oxtr htr2c', 'study investigating', 'kit mitf', 'biosynthesis result', '11 pig breed', 'followed homozygote', '39a revealed significant', 'qtl rainbow', 'study function', 'gene selection', 'born alive rg', 'model prioritize', 'refine qtl reveal', 'qinchuan novel', 'female reproductive disorder', 'allele offspring showed', '15 26 associated', 'redistributing total weight', 'manifestation new', 'supplementary evidence support', 'le active', '10 abnormal', 'related candidate improve', 'testing germany common', 'bf ld', 'presence innate', 'cattle conclusion combining', 'qtl gga bw', 'single point', 'window 27', 'infectious disease mammary', 'approach proposed', 'estimated effect fat1', 'increase understanding', 'detected ssc7 confidence', 'locus improve', 'fourteen window located', 'identified identified qtlr', 'bilateral symmetry', 'mutation polled sheep', 'muscle yield rainbow', 'evidence 05', 'consumption contributes', 'locus shuxuan', 'parity result', 'produced association', 'region mb interval', 'bta21 pce', 'used study expression', 'effect calving characteristic', 'qtl indicated', 'number mhcii', 'qtl adg chromosome', 'measure meat', 'efficiency fe', 'conducted exploiting', 'lod 15', 'dna bull high', 'difference observed genotype', 'overlap sck1 sck2', 'glmm cbat approach', 'intron igf1 significantly', 'winter milk', 'analysed new', 'allele 201 microsatellite', 'lrp12 1101a', 'tick heritable', 'bvs model 43', 'horse health welfare', 'oar3 qtl influence', 'investigated candidate', 'snp marker chromosome', 'infrared sensor', 'locus missed', 'common form genetic', 'value obtained routine', 'year line troutlodge', 'particular identified', 'marker gwas performed', 'initially selected', 'vitamin deficiency substantial', 'analysis used', 'adjacent candidate gene', 'factor responsible', 'trait dna', 'mammal notably muscle', 'lifetime nonproductive', 'obtained luh wov', 'criterion generally', 'increase rate genetic', 'respect comb', 'genomic relationship outside', 'individual designed flock', 'explained 62 phenotypic', 'technique g162c c179g', 'variant 11 qtl', '21 22 putative', 'unknown homeologous relationship', 'set snv', 'concluded snp bovine', 'trait common', 'line tested qtl', 'measured 24h', 'model single snp', 'testis trait high', 'thickness bft vivo', 'arg307gly mutation increasing', 'gene chosen', 'univariate genome', 'investigate genetic distance', 'used account population', 'mb bovine chromosome', 'charollais sire mixed', 'snp analyzed promising', 'alpha rxra nuclear', 'gcga suggests', 'production trait experiment', 'involved elongation', 'precursor lg genbank', 'fibre density lactate', 'energy value', 'gwa analysis likelihood', 'development chicken', 'heredity bcse', 'custom genome', 'qtl dmi', '555 animal 12th', 'respectively genome wise', 'contribute similar', 'twice end test', 'pig collected', 'performed erythroid', 'bovine snp beadchip', 'linked birth', '13 40', 'including gene previously', 'previous qtl', 'haplotype combination detected', 'density snp chip', 'aim maximize genetic', 'single snp allele', 'kosher resistant group', 'dioxygenase bcdo2', 'pqtdt 40 10', 'harboring effect', 'decision tree', 'site family member', 'nearby gene', 'study genotype', 'milk lactoglobulin lg', 'qtl previous report', 'brd qtls', 'phenotype genetically', '20 77', 'analysis animal', 'fat thickness middle', 'carcass composition', 'frequentist multi locus', 'economic prosperity sheep', 'snp ear size', 'statistical analysis indicated', 'parity piglet mortality', 'model applied determine', 'agreement gene localization', 'nineteen chromosome', 'cm 05 protein', 'associated trait pbonferroni', 'mapped ssc', 'adipose tissue sexual', 'control process resulted', 'affecting backfat', 'allele rs42670352 associated', 'calving size', 'composition modulation total', '103 case', 'increase milk', 'prominent putative biological', 'dairy gyr', 'farm season year', 'likely affect protein', 'ranging 41 sd', 'combined analysis snp', 'human suitable candidate', 'successful cattle', 'change respectively frequency', 'model bos taurus', 'ranked dam', 'abc single', 'complex trait economically', 'iii use', 'important aim', 'individually result', 'plethora reason', 'activity alp', '07 interestingly presence', 'snp using highly', 'drip loss ld', 'genome scan result', 'length sire stillbirth', 'located hsa1q23', 'systematic factor grouped', 'bf ld adg', 'region cw', 'shelled egg black', 'synonymous allele arginine', 'retention excretion process', 'requiring fine mapping', 'confirmed previous study', 'yield 05 significant', 'discovery phase complex', 'derived pa', 'fasn locus erhualian', 'old new', 'ewe bluefaced leicester', 'snp mapping prkag3', 'questionnaire brief training', 'cbg production allelic', 'result revealed ldha', 'cm 0002', '21 chromosome wide', '768 996', 'crucial barrier', 'scale detected', 'significant broad qtl', '9367 pmga 56', 'major global public', 'revealed main', 'oc injury', 'identified genotyped 1417', 'sex antagonistic', '759 snp', 'genetic diversity association', 'simmental gelbvieh', 'detected study gm', 'myofiber diameter', 'promoter analyse influence', 'depth lo', 'suggest fabp', 'meat quality identification', 'novel region used', 'carry segregate', 'gene ear', 'measured ulna', 'vigilance flight', 'availability complete', 'sodium na potassium', 'trigger cell autophagy', 'rfi genetic variation', 'estimate non', 'mapping using half', 'lamb unacceptably tough', 'specie observed mapped', 'eca1 eca8', 'range 16 28', '0418 fat percentage', 'aseasonal reproduction', 'insertion spef2', '903 texel', 'genome scan significant', 'measurement se', 'study addition', 'avfec qtl chromosome', 'site protein', 'multi pdz', 'production age', 'kit ctbp2', 'essential selection', 'family regression', 'serum leptin concentration', 'milk lg content', 'study displayed region', 'glutamine amino acid', 'suggestive threshold identified', 'year based', 'gender half', 'status qtl influencing', 'white fat', 'nlrc3 nlrp12', 'comparison extended meta', 'py milk content', 'kb region', 'study focusing', 'using jaw', 'landrace pig study', 'quality chromosome', 'snp 442 rs110469441', '185120896 bta somatic', 'suggest bone', 'eggshell quality cause', 'pig genotyped 159', 'size trait qtl', 'region sortilin related', 'echs1 stat1 sorbs1', 'nucb2 expression fat', 'test contribution', 'bmps peptide growth', 'h4 cow increased', 'single marker effect', 'respectively addition 36', 'suggested 73', 'bdkrb2 gtf2ird1', 'associated litter size', 'prevalence proviral', 'mc4r pomc gh', 'exon importantly', 'incidence offspring', 'wide polymorphic marker', 'chick genome', 'influence intramuscular fat', 'modern chicken', 'bwf snp', 'ff test trait', 'association map infection', 'stepwise moving 10', 'trait determined large', 'animal worldwide', 'neu eosinophil eos', 'immune function result', 'mutation g13781_13782del', 'region studied', 'affecting shell weight', 'using regional heritability', 'milk yield quality', 'regulates scd fads2', '00 17 04', 'colour pi population', 'infection constraint sheep', 'frequency bovine', 'suggested relationship sex', 'farm animal lymphocyte', 'trait characterized discrete', 'identifying seven', 'lcorl transcript associated', 'phenotypic genotypic', 'including zinc', 'containing 16 prdm16', 'physiological contribute susceptibility', 'computational demand important', 'population accounted principal', 'ssc1qter terminal', 'measured live animal', 'case class phenotype', 'polymorphism strongest', 'immune variant', 'position 238', 'beta induced', 'draft horse important', 'genotyping data', 'breed gwas linkage', 'ibk incidence classified', 'candidate adjusted 100', '29 sire', 'including cluster', 'used map qtls', 'chromosome 20 fine', 'associated trait selection', 'quality 64 432', 'proximity sentrin', 'ncapg locus', 'white pinpoint', 'ectodermal ridge responsible', 'customized affymetrix axiom', '398 165bp apart', 'uoi joint data', 'cattle polymorphism', 'fundamental role adipocyte', 'map existing', 'max respectively region', 'technology open broad', '17 month', '18 significant', 'hf cattle', 'fw 85 linear', 'concordance substantial', 'goal estimate', 'level viral', 'holding capacity trait', 'attributable difference', 'independent population', 'identification underlying', 'insulin growth', 'effect 170 snp', 'chromosome detected meishan', 'detected 16', 'trait decreased threshold', 'human purpose study', 'snp value 55', 'genome little', 'obtained calibrating', 'term animal', 'combine data', 'large range', 'shoulder weight carcass', 'beadchip 606 006', 'il8 promoter region', 'sequential mbv', 'danish pig', 'background fat content', 'region small cm', 'breed population previously', 'snp provide relevant', 'trait clinical ketosis', '423 snp genotyped', 'used result identified', 'ldla using data', 'member lhfpl tetraspan', 'deal stratification', 'generated f2 intercross', 'variance biceps addition', 'mb microsatellites snp', 'mt article report', 'repeat muc13b', 'affect mrna', 'candidate gene bird', 'insertion intron 20', 'lack overlap population', '05 snp28 extremely', 'factor ppard', 'seven coding', 'fitness measured map', 'expression fat depot', '54 confirmed qtl', 'chicken simple', 'present 17 02', 'composition association', 'physical location lei0071', 'closely related attainment', 'major organ cbg', 'percentage abnormal', 'increasing feed', 'university illinois', 'non coding rna', 'adjusted test', 'region constructed used', 'influenced function ovary', 'trait make difficult', 'fat trait identified', 'se contamination', 'meat trait chinese', 'il 10r', 'polymorphism backfat thickness', 'productivity multibreed genome', 'position related trait', 'mammary specific gene', 'fluorescent microsatellite', '1596 5678784a', 'lamb qtl detection', 'transcript protein level', 'mitochondrial gene', 'microsatellite locus 29', 'allocation pattern', 'ib cross', 'investigated association 51', 'acid second', 'marker search', 'accumulated used', 'location detected body', '1a il gene', 'considering similarity haplotype', 'mutation transversion', 'evaluation score using', 'score generation analysed', 'variation result', '16th 18th generation', 'bovine ank1 test', 'bp long', 'functional analysis', 'gga5 explained', 'slope milk yield', 'marker dwarf', '23 mb 11', 'birth slaughter daily', 'dairy cattle phenotype', 'trait subject sexual', '93x10 dominance', '29 total sfa', 'architecture utr', 'qtls production growth', 'role neuronal gene', '589c 70', 'recombination hotspot', '19 val870ala genotyped', 'loss 100', 'weak correlation detected', 'rate successive', 'investigated pig', 'statistical power behavioral', 'sequencing association analysis', 'indirect immunofluorescence', 'snp derived candidate', 'identified performing multidimensional', 'design method present', 'cd ncccwa', 'weight abw', 'afc early pregnancy', 'underlying variation molecular', 'routinely used', 'dna chip', 'association snp ssc5', 'analysis italian large', 'known candidate gene', 'pork facilitate follow', 'component method qtl', 'marker individual confidence', 'testing 005 marker', 'respectively 10 reached', 'chromosome data used', 'direct beef', 'scan 467', 'ssc7 reported qtl', 'suggested distinct qtl', 'wisconsin uw', 'thickness subcutaneous fat', 'understand influence', '22 c14', 'extremely relevant', 'tcap expression regulated', 'locus qtls pathologic', '13 52 51', 'provided good', 'suggestive marker', '29 16 single', 'method excludes', 'certain breed', 'snp mean', 'gene potentially', 'density total', '166 pig', 'correlation concentration trait', 'fat yield close', 'gr vitro', '2052 individual', 'qinchuan novel snp', 'pig selected genotyping', 'synthase dhps wd', 'occurring response environmental', 'series candidate', '205 bw', 'ssc13 location bf', 'marker tbg', 'body composition 28', 'throughput method', '42 95 81', 'unlike previous study', 'bayesian approach bayesb', 'red blood cell', 'animal ag', 'hsd17b7 ap3b1 hsd17b12', 'meat color', 'prrsv economically', '24 77', 'difference 86 egg', 'heifer canadian research', 'role cleaving', 'data 304 angus', 'odc gene significant', 'infection different pathogen', 'muscling overall size', 'pasture trait', 'economic performance', 'continues profound', 'resistant bovine tuberculosis', 'analysis false', '36 mb', 'welfare issue linked', 'combined dataset comb', 'level gene involved', 'yr age undergo', 'production lg', 'weight end test', 'asreml substitution', 'reduced 05', 'selection cm direct', 'ema increase total', 'scaling component covariates', 'minimally affected locus', 'analysis conducted melanoma', 'homozygous bmp15 mutation', 'development little known', 'bull maintained', '03 016', 'association criterion', 'fatness meat content', '533c polymorphism pleiotropic', 'lying qtl', 'rainbow trout linkage', 'leg loin', 'study 135', 'replicated using sample', 'mechanism swine', 'sheep fitting', 'regression marker allele', 'role preventing mastitis', 'genetic influence', 'region harbour newly', 'asp298asn single', 'muscle compact shorter', 'content variation igf1', 'window feed efficiency', 'provide general insight', 'bb resulting', 'population 1894', 'bioinformatics analysis facilitate', 'composition vrindavani', 'longevity country directly', 'reported qtl bta02', 'sequence exon', 'neurological disorder', 'associated reduced', 'availability high', 'crossbreeding experiment showed', 'mutation milk production', 'order relative position', 'method developed', 'examined 489c 1264c', 'production health', 'snp gene i199v', 'regulatory effect polymorphism', 'animal polynomial coefficient', 'live csf vaccine', 'process involved inflammatory', 'reached genome wise', 'sample available', 'pig represent exceptional', 'maternal ability important', 'use small', 'd7g change silent', 'individual identified bcse', 'method high', 'cattle genomic', 'model linear', 'enrichment analysis applied', '3p microrna', 'chromosome wide value', 'prolificacy sow consequence', 'wise significant qtl', 'carriers mll lm', 'pig gilt', 'united state ayrshire', 'new region bta', 'intronic snp', 'lameness related trait', 'present study snp', 'including significant', 'large floppy ear', 'association sequencing', 'cofactor analysis false', 'mapping porcine', 'marker bms1724 bm7209', '16 original family', 'unit gain', '274 snp', 'affect range phenotype', 'qtl variance explained', 'production decreased', 'capra hircus', 'genetic region strongly', 'length heart girth', '636a fatty acid', 'breeding caudal supernumerary', 'reported previously addition', 'trait economic', 'allele putative', 'milk sample example', 'practice allows', 'selected body weight', 'semimembranosus sm ubl5', 'characterise promoter', 'performance study carried', 'involving edn3 bmp7', 'bmt animal sampled', 'novel qtl gga1', 'sc 5746', 'pinkeye bacterial disease', '286 012 respectively', 'hip height carcass', 'contribute greatly', 'oc 27', 'nelore population total', 'resistant salmonella', '2x10 16 negative', '29 ttc29', 'expression prlr', 'study empirical', 'suis burden genotyping', 'single marker haplotype', '785 replacement heifer', 'chicken chromosome reported', 'factor respectively olfactory', 'model second scan', 'alternative use historical', 'differed age attained', 'sow linked', 'dairy cow country', 'genomic best', 'production trait involved', 'production desirable trait', 'removed successive', 'bta18 vicinity site', 'trait detailed milk', '26 qtl using', 'significant effect single', 'chick 249 83', '03 ssc7', 'prkag3 promoter', 'length hip width', 'fatty acid close', 'genetic map using', 'request breeding plan', 'result microarray', 'genetic marker selection', 'total 19', 'generate sampling variance', 'growth duroc', 'showing investigation', 'generally consistent milk', 'located bcas', 'trait nucleotide sequence', '95 angus', 'feed intake time', 'search association', 'girth nanyang', '0081 ph1', 'major immune', 'holstein normande cow', 'result confirmed finding', 'ci 21 12', 'behaviour regulation', 'wl77 genome', 'region bta19 23', 'ebv pat conclusion', 'genomic background cow', 'gwas valuable', 'identified recent study', '20 25', 'affected en c231t', '243 individual', 'present study qtl', 'study previous', 'body udder', '60 kg body', 'favorable allele decreasing', 'protein yield conformation', 'development brain', 'concentration fatty', 'peak especially region', 'genetic standard deviation', 'market request', 'contig covering', 'lw h2', 'lalba summary result', 'baier layer dam', 'roslin broiler layer', 'position odc', 'ssc6 ssc14', 'unaffected calf detected', 'individual phenotypic register', '28 study', 'gene sequence 916', 'bta mir 204', 'reported sheep explains', 'line layer', 'small large litter', 'process result suggest', 'nc_019484 located chromosome', 'gene remaining 20', 'large white breed', 'gwa test performed', 'seven qtl previously', 'ghr polymorphic selection', 'genetic group', 'cm 26 69', 'mastitis strong linkage', 'identify concordant', 'role economy breeding', 'threshold region identified', 'analysis snp chromosome', 'mcw241 surrounding snp', 'serine threonine kinase', 'spaced marker', 'cohort italian', 'genotyping 378', 'need validate', 'boar high', 'qtl conformation fatness', 'score used single', 'snp region frequency', 'high vs', 'number snp 50', 'dominance component', 'susceptible case rao', 'liability locus', 'udder attachment chromosome', 'androstenone 52', 'culture complementary genome', 'produced highly', 'altering existing breeding', 'circumventing complex environmental', 'snp sscx', 'panel dataset genome', '26 27 region', 'calculated based bw', 'affect live weight', 'associated ketosis susceptibility', 'hold great promise', 'minzhu intercross population', 'yield 01', 'analyzed included', 'involving downregulation', 'selected quality', 'region based variance', 'region chromosome wide', 'breeding scheme livestock', 'tetanus toxoid', '62 30 marker', 'addition new qtl', 'gene second qtl', '001 cwt significant', '07 90e', 'allele using', 'protein snp', '41 gga2', 'enhancing innate immune', 'heritability feed', 'exonic splicing', '20 25 qtl', 'article novel bayesian', 'kb downstream transcription', '20 24', 'compared nve 59', 'cm confidence', 'spotted breed 10', 'matching herd gender', '20 microtia', 'range sd ovine', 'available 814 qtl', '05 bf', 'chromosome sscx carried', 'polymorphism oarx 50977717t', 'catabolism lipid aim', 'including platelet count', 'intron 12 linkage', 'effect body length', 'excellent model organism', 'differed cross', 'growth trait expression', 'fatness trait population', 'muscle fiber characteristic', 'objective study conduct', 'function particularly', 'genotype associated', 'omy9 identified', 'acid composition result', 'shown different score', 'associated serologically defined', '006 snp marker', 'evaluate possible causal', 'number cow', 'identified pig chromosome', '01 15118756c great', 'pathway bta04810', 'imf retn', 'trait proventriculus', '11 growth meat', 'especially nutrition', 'thymocyte selection', 'performed genetic analysis', '78 located', 'associated bovine viral', 'regulated maternally expressed', 'estimated gblup object', 'trait locus best', 'trait male', 'effect fescue toxicosis', 'model total 85', '27 affected', 'perinatal mortality pm', 'breed 000 genotyped', 'problem dairy', 'thickness included individual', 'crossed anka broiler', 'pre slaughter', 'role determining nutritional', 'observed ehhadh', 'accounting 10', 'type iib muscle', 'cfd am950287', 'conductivity meat colour', 'model implemented', 'landrace sow 05', 'far smaller', '30 milk production', 'association ryr1', 'chromosome 23 chromosome', 'nbeal2 underlying gene', 'primer designed genomic', 'gga1 identified', 'production mexico dual', 'sma method proposed', 'vaccinating attenuated', 'liability locus expression', 'qtl py protein', 'additional tenderness', 'xianan agreement hardy', '14 predominant', 'multiple qtls', 'native breed forced', 'causing valine alanine', 'year harvest group', 'transcript level 01', 'ssc17 total', 'suggests trait likely', 'association accounting false', 'easily born aim', 'implicated high prolificacy', 'location generally poor', 'expressed lower spp1', 'data seq', 'milk using genome', 'statistically significant comparison', '01 lean', 'heat treatment blood', 'carotenoid deposited', '07 qtl minimally', 'santa cruz', 'variant causal', 'good poor', 'ld using variance', 'used improve mean', 'vartnb snp', 'trait influence animal', 'wide level qtls', 'genotype comparative genome', 'intestine epithelial cell', 'notable lack concordance', 'effect ovine', 'phenotype showed', 'certain locus change', 'compared combined', '184 using', 'conserved antigen', 'pressure heat', 'weight difference line', 'profile predict', 'meat quality production', 'day ultrasound', 'fec segregating', 'level false discovery', 'threshold identified', 'pig method screening', 'level qtls', 'carrier family facilitated', 'involving snp site', 'position accounted', 'ratio fcr feed', '15 bmp 15', 'ldl2 corrected value', 'number square centimeter', 'clinical mastitis periparturient', 'immune integrative analysis', 'leading cyclicity breed', '64a causative', 'sheep chromosome oar3', 'unlike microsatellite genome', 'trait hanwoo', 'value 708', 'rate fat tailed', 'testing association individual', 'response expression', 'phenotype testing animal', 'complex genetic control', 'length heart', 'validation linkage', 'developed microsatellites average', 'showing association chromosome', 'skin color korean', 'porcine chromosome responsible', 'highlighted gwas genetic', 'biosynthetic process 26', 'management condition viral', 'scan identifying new', 'snp study population', 'mstn myogenic', 'generation allowed confirming', 'affect carcass length', 'associated lowest', 'igg2 concentration time', 'sheep genome refined', 'atpase investigated', 'undesirable alternative', 'location contains annotated', 'riboflavin 93mg', 'specific stage specific', 'trait animal genotyped', 'gga3 novel', 'genotype environment interaction', 'acid histidine', 'energy expenditure divergent', 'pigment phaeomelanin red', 'adiponectin unique snp', 'response finding helpful', 'analysis estimated', '13297a snp5 13307g', 'sarcocystis miescheriana protozoan', 'myogenic induction', 'makoei sheep investigated', 'fat ssc12 mb', 'addition vitro', 'total 24 suggestive', 'reduced legislation absence', 'absorption metabolic pathway', '26 md 75', 'composition fat intramuscular', 'gene cbfa2t1 previously', 'enriched variant associated', 'human polygenic influence', 'estimate ct', 'measurement musculus', 'genetic basis trait', 'qtl trait located', 'predominantly adipose', 'metabolism stearoyl coa', 'korea hanwoo', 'beef cattle estimated', 'significant target', '30 847', 'porcine beadchip', 'animal selected trait', 'incorporating 152', 'marbling score detected', 'usually unknown paternal', 'braunvieh cattle', 'prt 181', 'average 231', 'variant haplotype broiler', 'lg gene', 'variant 22 751', 'genome pig different', 'schp rh', '10 phenotype', 'reached control leucocyte', 'autosomal chromosome sus', 'chromosome showing', 'response infection provide', 'category pigmented eye', 'mb additional region', 'sc productivity', 'study aim confirming', 'region harbor gene', 'loc512672 identified', 'analysis used detect', 'friesian hf population', 'polled trait known', 'measurement assessed longissimus', 'detected marker lead', 'associated tew tep', 'index bci location', 'information linkage linkage', 'carriers carrying single', 'gene lie region', 'snp computer data', 'continues cause', '499 cm', 'applicability genomic data', 'confirmation primary', 'confirmed favorable allele', 'identified human', 'improving quality', 'sequence derived', 'study conducted applicability', 'type ewe influenced', 'lowest performing', 'population qtls discovered', 'measured area perimeter', 'trait closely', 'test polymorphism association', 'association previously reported', 'rate using data', 'deposition residual', 'tunisian sheep grazing', 'genetics complex trait', 'notably polymorphism significantly', '015 snp associated', 'implemented addition', 'considered response', 'method identified', 'snp ssc5 androstenone', 'oar19 23', 'embryo transfer foster', 'egfr associated', '18 support interval', 'analyzed haplotype', 'salmonella infection poultry', 'reasonable number', 'function lncrna', '79 trait', 'category saturated', '74 snp', 'study total snp', 'c2789a identified', 'loss inflate', 'marker qtl ld', 's26859 mutation', 'view rear leg', 'cl1 carcass length', 'built adding', 'cm explaining 42', 'bta 11 12', 'compared analysing pedigree', 'line generation 11', 'ssc 14 hypoxia', 'prkd1 ssc7 locus', 'sibship 265', 'pig autosome identified', 'narrow confidence', 'lamb 371', 'estimated total', 'effect reduce', 'hybrid steer', 'using dual ray', 'productive trait reduce', 'cell differential', 'population iberian', 'regulation chemical', 'vrtn mutation', 'major genetic effect', 'mapping complementary', 'thirds qtl described', 'factor growth body', 'peripheral quantitative computerized', 'vessel remodelling', 'qtl produced scottish', '750 gene enriched', '30 ram 852', 'region bta18 subsequent', 'broiler performance', 'holstein case control', 'sheep milk based', 'layer genotyped', 'challenge inbred', 'constituted draft horse', 'overall level', 'skin black bone', 'previous report literature', 'model applied order', 'chromosome 21 respectively', 'association identified', 'fat thickness performed', '25 individual pregnant', 'test estimated', 'mastitis marker accounted', 'physiology growth', 'stage lesion', '24 arhgap24 cytoplasmic', 'evaluated female', 'hmgcs1 addition qtl', 'observed 05 effect', 'associated explained', 'effect relevant', 'gene gh1 ssc12', 'strict bonferroni correction', 'genetic correlation ifc', 'map qtl 10', 'boar mated tumor', 'wide cnv', 'lp located', 'important economic environmental', 'moisture cywater', 'breed genetic variation', 'mcw0106 gene hmga2', 'animal created crossing', 'objective nr6a1', 'site eye', 'snp metabolic', 'important effector phenotypic', 'report genetic mechanism', 'database qtl appear', 'industry dissect', 'expression resulted special', 'ph color color', 'similar effect haplotype', 'clone using', 'new group', 'effect allele snp', 'method rank', 'qtl analysis line', 'trait genetic analysis', 'breed using f2', 'smaller sample', 'cell carcinoma boscc', 'return rate result', 'spindlin vascular endothelial', 'role apoptotic pathway', 'phenotype blood', 'reserve including', 'sc trait canadian', 'gpihbp1 protein 49', 'single causative', 'carotene 10', 'widens potential', 'gene nba tnb', '15g fm209043 allele', 'associated kyphosis vertebra', 'identified polymerase', 'likelihood putative qtl', '33 suggestive snp', 'stallion fkbp6', 'massarray total 39', 'map qtl kb', '215 individual qinchuan', 'pair locus investigated', 'pig producer', 'wisconsin madison', 'rib backfat', 'interfere milk', 'showed stronger', 'known frequently', 'born tnb snp', 'melanogenesis indicating', 'economic impact dairy', 'bone physiology', 'predicted mid', 'colour genetics extensively', 'rear foot', 'marker quality control', 'bft rft 97', 'region performed', 'located outside mhc', 'locus associated economically', 'horse disease cause', 'using decr1 genetic', 'equation offer', 'experiment tick sge', 'influenced quantitative trait', 'targeting qtl', 'lg content strongly', 'used compared 23', 'population including 832', 'located region swine', 'qtl fetlock osteochondrosis', 'snp segregate', 'egg count study', 'chicken n202 461', 'kndc1 i_ra', 'swine mp score', 'subcutaneous fat thickness', 'recessive allele', 'model approach addition', 'prl lg', 'favourable condition additional', 'genetic variation microrna', 'peak force estimate', 'primary trait incidence', 'causal gene', 'change solely', '20 selected genome', 'ssc10 ssc12', 'diameter second shearing', 'individual age', 'multiple marker showing', '001 significant peak', 'cattle shed light', 'additional microsatellite', 'mb region elovl6', 'trait 235', 'population obtained crossing', 'receptor iia gene', 'locus random snp', 'milk yield protein', 'trait locus affecting', 'control leucocyte trait', 'arian broiler line', 'large effect region', 'afc ep contribute', 'nve rib', 'program ibk', 'study population consisted', 'periparturient period', 'conditional analysis variant', 'contortus trichostrongylus', 'month tested snp', 'beadchip trait including', 'calving difficulty qtl', 'network using associated', 'containing putative qtl', 'lauric acid c12', 'correlation detected lma', 'effect missense silent', 'genetic correlation se', 'quality control additionally', 'test effect previously', 'sib progeny explaining', '6723g utr gdf8', 'conducting case control', 'broiler cross', 'haplotype window significantly', 'complex multigenerational pedigree', 'persist population identifying', 'differing resistance', 'model taking consideration', 'trib1 muscle lipid', 'exhibited significantly different', 'jungle fowl epistatic', 'birth haplotype location', 'region trajectory', 'cnvs use larger', 'research practical benefit', 'polymorphism reproduction trait', 'total finding identified', 'individual ewe used', 'useful guide future', 'composition genome', 'indicator subclinical', 'ssc15 hematin', 'effect located chromosome', 'haplotype carcass trait', 'general qtl identified', 'qtldb cattle html', 'segregation qtl included', 'genetic component related', 'matched non infected', 'disease human', 'causative genetic variation', '57 636 marker', 'chromosome qtls abdominal', 'independently validated snp', 'influence obesity obesity', 'deformation neurological impairment', 'robust breeding', 'cm cw region', 'intron fifth', '37 gene', 'experimental power data', 'recorded carcass', 'individual candidate', 'result animal', 'genetic variance compelling', 'scd fads2 transcription', 'individual diplotypes h2h2', 'showed 11', 'yield chromosome fat', 'variation trait qtls', 'associated tm qtl', 'breed bos indicus', 'detected previously reported', 'boar stimulation', 'meta assembly', 'underpinnings determining', 'reciprocal backcrosses', 'subsequently haplotype', 'fluorescence assay', 'allele specific', 'analysis denmark furthermore', 'phenotype single marker', 'body conformation trait', 'composition myosin', 'lh secretion', 'pi compared', 'distal myostatin suffolk', 'black cattle gradually', 'phu hspg2', 'pclo gene', '20 line profiled', 'chain acyl', 'qtl associated maternal', 'intake trait', 'mb study attempt', 'special variant chicken', 'f₂ population effect', '043 02 kg', 'population addition present', 'altogether vrtn variant', 'represented tail 10', 'internal parasite resistance', 'candidate cnvs worth', 'confirmed additional', 'important role mt', 'qtl substitution altered', 'trait cause information', 'associated teat udder', 'sw2155 sw1856', 'ruminant product', 'attempting practical', 'weight length heart', 'mlk 940 prt', 'oc injury cartilage', 'bacterial viral', 'demonstrated importance genetic', 'pig etec', '113g ggc', 'paternally inherited', 'congenic leghorn line', '51 mb genome', 'color chromosome', '20 30', 'prevalence rate', 'implemented gemma software', 'anatomy related', 'measure growth', 'major genomic', 'variant underlying egg', 'cross membrane ion', '104 110 mb', 'qtl caused mutation', 'pattern lncrna', '427 informative high', 'imputed 777', 'mapping model', 'production present study', '14 agreement', 'map previously', 'pig evaluated growth', 'composition organ bone', 'position putative quantitative', 'intercross performed genome', 'fat deposition regulation', 'block approximately 900', 'study customized', 'disease bovine mastitis', 'cft parameter milk', 'analysis literature', 'fst hapflk', 'udder identified 22', 'concluded sscp analysis', 'trait analyzed snp', 'detection 59', 'gene cbg causal', '05 detected', 'week fi1', 'mapped generation', 'issue marek disease', 'obtained 26 estimated', 'muscle anaerobic', 'mef2c uterine', 'identified 42 marker', 'treatment heat', 'polygenic influence', 'affecting androstenone gonasomatic', 'betar sequencing', 'breed 48 polymorphism', 'composition confirmed', '204 murine leydig', 'bovine tuberculosis', 'variance muscle yield', 'wool play', 'gwa pathway', 'protein conformation promising', 'streptococcus dysgalactiae escherichia', 'total 860 chicken', 'known divergent', 'snp including region', 'data localized haplotype', 'phenotypically assessed worm', 'late stage', 'known function', '647 499', 'flock additional', 'mnb42 marker', 'slanting length 12', 'cm kilogram fat', 'snp1 aa', 'study 360 west', 'spontaneous melanoma', 'derived using genotyped', 'redistributing total', 'industry detecting gene', 'account risk', 'animal h1 98', 'polymorphism pleiotropic effect', 'chicken qtl mapped', 'difference survivor', 'gene variant polymorphism', 'chromosome substantial', 'dgat1 ghr prlr', 'using 600 affymetrix', 'bta25 finding', 'conductivity 05 lr', 'domestic sheep strongyle', 'sscx ra type', 'bovine gli3', 'independence test generalized', 'respectively locus', 'chga acaca plin4', 'sib family genotyped', 'qtl underlying calving', 'trout population significant', 'pa sire', 'sc performed using', '91 cm lean', 'sequencing length', 'breed finnish ayrshire', 'c20 ssc17', 'amino acid variant', 'availability sequence', 'weight ow uterine', 'parent purebred grandparent', 'sire conclusion', 'family comprised', 'region gm', 'furthermore genetic correlation', 'related niemann', 'combined frequency 54', 'gene used test', 'influence animal welfare', 'qtls explained 42', 'rs29021868 cwt', 'qtl support', 'seven polymorphism', 'wide association gwas', 'random missing genotype', 'breed strain breed', 'muscle fibre diameter', 'identified pleiotropic growth', 'influencing md', 'rs315135692 favorable', 'combination multi trait', 'seasonality sheep', 'possible linkage', 'establishment genetic test', 'thickness water', 'animal model human', 'oar11 marker covering', '23 duroc', '12 15 17', 'known non', 'qtlr influencing resistance', 'provides insight phenotypic', 'qtl pleiotropy', 'carcass characteristic measured', 'mediated 528 mediated', 'sequence domain annotation', 'characteristic allow', 'significant association variable', 'genotypic correlation', 'interfering analysis abhd5', 'holstein cow 40mg', 'survive disease', 'kg wg42', 'selection consistent local', 'bf snp map3k5', 'value significant', 'production component', '25 4mb', 'pig aa homozygote', 'linkage group', 'muscle pig study', 'intensively managed dairy', 'level 10', 'lean fat chicken', 'frequency 205g chinese', 'gene underlies', 'insemination lr h2', 'dairy cattle observed', 'explained 53 phenotypic', 'carotene subsequently identified', 'finnsheep failed', 'population consisting', 'population derived red', 'qtl ssc7 teat', 'study analysis btb', 'analysis quantitative', 'locus located cm', 'chromosome interval', 'dlk2 gene 604', 'ranged nitrogen', 'bovine bead chip', 'http crcidp', 'line cross half', '113 day', 'mechanism allele enhances', 'shown close', 'mln affect nkx2', 'cross regression', 'hen attain maturity', 'skeletal investment', 'inaccurately located', 'kb fabp5 gene', 'change seemingly unrelated', 'predicted birth weight', 'equine podotrochlea', 'regard number', 'respectively association study', 'leg butt carcass', 'bone length qtl', 'located relevant region', 'ct carcass', 'cow resistance', 'intake predicted', '3691g snp', 'gene slc37a1 alpl', 'ssc7 based gwas', 'microsatellite bm1500 kb', '29 31', 'tunisian sheep', 'trait intramuscular', 'kg 055 rfi', 'confidence interval cm', 'daughter yield deviation', '124 mb', 'affymetrix genome wide', 'follicle hf sf', 'qtl mapping resource', 'region investigated zfat', 'eccentrically involved control', 'prediction higher using', 'bm1500 associated rump', 'panellist linear regression', 'pig genome qtl', 'draw final conclusion', 'snp fine', 'analysis revealed significant', 'born 2012', 'cloning ipn', 'model random', 'alga008191 located', 'growth performance carcass', 'retardation increased', 'fundamental genetic', 'marker centrally', 'associated stature feed', 'mode expression identify', '297 genotyped', 'genotypic value', 'treated peak', 'validate commercial population', 'emerged italian landrace', 'apart fine', 'green bluish grey', 'il 1a 43722547a', 'genotyping sire recorded', 'showed suggestive evidence', 'play minor', 'confirmed widely conserved', 'gwas difference multibreed', '27 region previously', 'map identified tissue', '10893a 10936g', 'snp 247 snp', 'human kaufman', 'region combining biological', '13 phenotypic', '1534 hen', 'gene plin1 highly', 'example optimize management', 'relative growth rate', 'approach used demonstrate', 'color lightness', 'original particularly', 'detected using different', 'affect feed consumption', 'internal fat', 'cftr ovgp1 fbxo43', 'expected efficiency', 'result bta 19', 'result selection ssc4', 'genotype 614 274', 'egg production phenotype', 'incidence classified category', 'breed 42', 'east asian south', 'igm cell pig', 'specific major qtl', 'birth time developmental', 'trait 002 006', 'event data', 'inbred berkshire', 'increased significance', 'bf trait adjacent', 'greater number', 'interval calving insemination', 'height average', 'expensive difficult', 'mammal sequencing eps8', 'imprinting effect', 'rxra nuclear transcription', 'window analyzed using', 'intercross illumina', 'adg ag', 'test estimated individual', 'association validated', 'hypothesis confirm association', '11 kb', 'analysis performed', 'fiber composition data', 'total 44', 'gpihbp1 gene association', 'enriched mirna target', 'group trait selected', 'mean polymerase chain', 'population determined', 'reported influence skeletal', 'group majority', 'considered phenotype framework', '252 dongxiang blue', 'bves slc3a2', 'dwg respectively', 'result suggested il', 'serum cholesterol chol', 'prosperity sheep', 'event analysis slc35a3', 'sscx snp window', 'lma cc genotype', 'phenotypic variance 19', 'affect lactation average', 'birth weight backfat', 'lp tnfα stimulation', 'unaffected animal successful', 'calving service', 'analysis gdf10 gene', 'powerful method', 'confirming role neuronal', 'mbp closely located', 'frequency 98535683a', 'mapping accuracy improved', 'gdf9 known strong', 'chl content determined', 'square regression used', 'threshold cofactor', 'line slow', 'confirmed furthermore got', 'moderate effect clarify', 'snp 1457', 'chromosome color', 'linear model procedure', 'mo sperm', '22 trait', 'advantageous quantitative', 'biogenesis mirnas', 'bone weight bone', 'obesity represents', 'response novel region', 'specific host', 'chicken 600k single', 'triglyceride level', 'crossbreeding xinghua', 'largest additive effect', 'protein 149 cluster', 'score contrast single', 'detected chicken chromosome', 'unweighted analysis resided', 'murine model leukemia', 'red meat large', 'heritabilities reproduction', 'zero tanzanian ecotypes', 'und mouse gene', 'array containing 57', 'vl exhibited strong', 'conclusion using imputed', 'c16 c16 c18', 'ng 1206', 'study total 17', 'cm scored', 'resulting genome', 'population genotyped 165', 'architecture innate', 'affect preservation', 'explore contribution', 'homozygous heterozygous horse', 'elisa fecal pcr', '657 snp', 'lean percent', 'life somatic cell', 'stabilizing level', 'stage conclusions significance', '3c polypeptide', 'higher protein percentage', 'revealed existence', 'uasms2 polymorphism leptin', 'detecting qtls marginal', 'covariate identified', 'sheep 1844 oar1', '262 animal', 'reduced number estimated', 'major carotenoid', 'coding region acetyl', 'constructed genome', 'applied line', 'single sire 56', 'run gwas average', 'life female fertility', 'population cluster', 'dramatic growth', 'regulate response', 'applied disease trait', 'substantial proportion variance', 'threshold resulting', 'marker structure', 'characterization causative', 'vaccination viral', '106 qinchuan', 'autosome sire', 'ppard ear', 'lipid transportation chicken', 'improvement fe positive', 'study horn', 'dtd calculated', 'number mutation tgfβ', 'value bw', 'carcass value dopamine', 'cooking rate shear', 'lingao min', 'intercross line created', 'snp available', 'snp 3020a example', '9657c 10718g', '216 305', 'structure validated', 'acute thermal', 'wwt ywt', 'acting coupling', 'suggest fabp4 affect', 'respectively coinciding', 'polymorphism lalba_g', 'trait direct', 'analysis assigned dlk1', 'litter size sequencing', 'risk conducted genome', '1141 simmental cattle', 'morphology montbéliarde', 'ugdh 68 rna', 'bull obtained', 'cytokine receptor', 'canadensis horn length', 'high 279', 'significantly associated muscle', 'strength cooked muscle', 'important pathway', 'number egg', 'trait controlled pleiotropic', 'expression exploring', 'lma conclusion', 'bwg fi ag', 'published consumer acceptability', 'result imprinting contrasting', 'proposed simultaneously estimate', 'formed 83', 'uncorrelated egg size', 'prolific pig breed', 'homozygous fecx gr', 'established genetic component', 'study naturally', 'fat explained', 'development proliferation', 'phenotyped feather', 'italian holstein 2058', 'ma meat', 'yield kg negative', 'ssc13 lgw 94', 'absorption retention', 'phenotype 500 domestic', 'measured survival time', 'line female', 'allele frequency marker', 'cm eca10 45', 'frequency blood meat', 'putative qtl performing', 'fat content skeletal', 'uoi marker', 'numerous snp 192', 'gdf9 identified previously', 'markov chain sample', 'snp plus neighbouring', 'adj average', 'related fatty acid', '07 48e', 'explained existence qtl', 'difference computed american', 'glutamate metabotropic', 'mer foot mouth', 'based human', 'temperament key', 'various human disorder', 'evaluated ovulation', 'livestock order build', 'structure stability putative', 'demonstrating complexity', 'distribution window', 'performed gwas bovine', 'map fatal disease', 'animal belonging 22', 'result confirmed', 'population consisted 30', 'population region porcine', 'sired half sib', 'hungarian large white', 'dairy cow dairy', 'depth animal', 'using 16 microsatellite', '386 animal', 'using rt', 'analysis revealed ld', 'trait contributing', 'qtls abdominal', 'weighted hypothesis testing', '15 direct epistatic', 'gene category related', 'remaining 20 provided', 'heritabilities highest', 'analysis bigger', '50 qtl 18', 'composite pig', 'trait densely', 'acyltransferase1 dgat1 recently', '144 snp single', 'able overall', '01 bb 05', 'understanding host factor', 'indel genotyped', 'porcinesnp60 beadchip linkage', 'mid way', 'bta2 contained significant', 'based potential', '871 finnish', 'cm 70 80', 'distribution poisson order', 'podotrochlosis main', 'post partum', 'promising candidate use', 'bac physical', 'sperm correlation', 'region particularly', 'resource population performed', 'significant snp calculated', 'defines quality attribute', 'family parent', 'cattle observed', '27 cm 11', 'case carcass conformation', 'fasn cast mc4r', 'gwas proposed procedure', 'related ketosis available', '25 polymorphism information', 'ewe 29 different', 'revealed single strong', 'positive animal tested', 'condensin complex subunit', 'genotyped 25', 'mass live', 'glm gga4 locus', 'shank diameter 05', 'genotype rs42670352', 'known mutation v371m', 'sharper leading smaller', 'muc13 gene', 'german blackheaded mutton', 'positive correlation length', 'beef cattle commonly', 'known 48 new', 'homozygous size', 'polymorphism identified', 'foal breed', 'parameter located', 'factor adipsin cfd', 'associated higher', '044 506', 'effect fatty acid', 'orchestra gene', 'including enhanced', 'higher manner', 'femur weight additive', 'genotyped marker', 'conclusion pooling', 'effect individual fabp', 'activity present research', 'bull mean', 'correlation milk', 'effect breed highly', 'transcriptional regulation', 'trait fatty acid', 'vein endothelial', 'cross lc model', 'associated expression identified', 'nematode resistance ovine', '48 respectively total', 'slaughter following', 'effect trajectory', 'weight younger', 'animal used broiler', 'substitution effect marker', 'scan retained placenta', 'background inherited developmental', 'penmates entire', 'trait mc4r', 'studied female animal', 'initially 285', 'phenotypic variation altering', 'line 10 chromosome', 'lean tissue decreased', 'ebv stage', 'ttn detected ssc12', 'exon 27 cattle', 'locus landrace breed', 'associated 24 qtl', 'used independent', 'additionally repeated', 'g6pc3 pycr1 alg12', 'breed compared ayrshire', 'qtl bone quality', 'fat concentration fertility', 'mb remained high', 'percentage 60', 'rs41255713 snp significant', 'based significant', 'fto adck5', 'breed vrindavani composite', 'scan various', 'loss result', 'number vertebra identified', 'loss low', 'affected bta16 bta22', 'fat production', 'region gga mir', 'gene applied fst', 'sib population pietrain', 'color horse characterized', 'chromosome bta 15', 'sensory technological', 'industry attracted researcher', 'variation rfi rfi', 'lactation kg', 'k232a polymorphism', 'yield measured second', '123 cm', 'marker yielded nominal', 'milk yield qtl', 'enhancing knowledge', 'suppressor locus', 'observed fatness', 'analysis revealed gg', 'associated variation', '14 corresponds 18', 'fam198b correlation milk', 'association dgat1', 'impact sheep industry', 'accounted mb', 'generally increased', 'mean polymerase', 'nr6a1 member', 'suffolk texel', '05 identified tgfbr1', 'analysis suggested non', 'age dependent', 'different mapping population', '117 tmem117 transforming', 'facial variation finding', 'study interestingly', 'map constructed using', 'concentration moisture content', 'using reference', 'seq analyzed', 'selection finding', 'weight 009', 'polymorphism tested seven', 'representing 11 pig', 'applicable designing breeding', 'cm significant qtls', 'ld single', 'sum phi greater', 'qtl ssc16', 'atp binding cassette', 'synonymous mutation porcine', '301 699 aa', 'pp fat', 'mln expression decreased', 'frequency gene specific', 'age 22', 'selection line used', '12978 12979 potential', 'mineral optimal health', '35 35 kg', 'depth mll associated', 'swine importantly', '001 0001 threshold', 'bull genotyping data', 'rs43101491 snp following', 'result provide basis', 'study compare abomasal', 'resulted improved', 'mastitis milk somatic', '19 main effect', 'imqp qtl mapped', 'taurine cattle', 'high density protein', 'record subset', 'hamb maternal line', 'rs1143515669 rs1144647991', 'trait qinchuan', 'highly pathogenic', 'single multitrait', 'elongation activity ratio', 'il8 haplotype', 'cast cast', 'breed meta', '22 kgf 51', 'refined a1 a2', 'wwc2 cdkn2aip', 'trial adg prrsv', 'cholesterol hdl low', 'spawning year', 'beadchip initial', 'genbank accession', 'bull experimental', 'identified bull significant', 'value fat deposition', '14 candidate', 'microsatellite marker tested', '1n c18 content', 'weight snp marker', 'production current', 'interval cm providing', 'increase fast contractile', 'presence separate', 'recorded included', 'expression mtnr1a hypothalamus', 'site snp', 'population ranged 58', 'position qtls identified', 'inclusion brown', 'seven window identified', 'horn small number', 'syndrome vater', 'locus minimally', 'awassi awassi merino', 'breed wild boar', 'cattle farmer', 'necessary evaluate effect', 'gene network associated', 'a17g locus', 'number repeatedly identified', 'test significant', 'lactation persistency', 'role assembly nascent', 'joint single', 'artificial selection associated', 'gene dq848681 8227c', 'cellular development proliferation', 'quality high', 'trait region marker', 'analysis substitution prkag3', 'qtl contributes variation', 'family member associated', 'dual purpose fleckvieh', 'explained 60', 'mainly difficulty characterizing', 'microsatellite framework', 'commercial tissue dissection', 'historical record', 'linked little work', 'support quantitative', '50 marker previously', 'asp298asn significantly associated', 'breed different', 'elite broiler', 'progeny performed led', 'ovine single nucleotide', 'based proximity', 'gene differentially expressed', 'indicated snp2 associated', 'ssgwas reproductive trait', 'parameter pig', 'apparently different', 'characterized genome wide', 'population using goatsnp50', 'linkage qtl significant', 'allele coming', 'significant snp indicating', 'detected related', 'estimate fertility cow', 'respectively permutation', '32 mesh', 'enrichment analysis', 'hanwoo population genotyped', 'contribute index', 'social behavior', '8227c shown', 'causing severe', 'ssc11 respectively qtl', 'pedigree individual related', '20 year', 'measured fat area', 'detected internal organ', 'similar reflecting high', 'study characterise', 'evidence distinguish model', 'beadchip sire allele', '003 feed', 'horse order unravel', 'variable bayesian approach', 'load snp showed', 'finding demonstrated 27534932a', 'igg ige', 'detected joint data', 'family increase', '000 snp panel', 'production genome wide', 'involvement distinct', 'level sox high', 'trait largest', 'detection qtl 820', 'animal salmonella resistance', 'marker used realize', 'evaluated prior implementation', 'tnb value', 'iar stallion', 'dmi 236 12', 'sib square regression', 'cm 16963 27514', 'mutation exon5', '1111a allele', 'program qtl', 'career earnings genome', 'chicken population method', 'generation crossbred', 'addition qtl growth', 'novel molecular', 'calving ease ability', 'immune trait considered', 'kg tended', 'quality trait 05', 'study gwas 534', 'gpihbp1 exhibit', 'study reproductive genetics', 'anatomy digestive', 'correction located 16', 'family 480', 'case remarkably small', 'reported associated quantitative', 'remaining discovered late', '14 earlier experiment', 'consisted large', 'using direct dna', 'muscling trait vf2', 'rfi2 value subsequently', 'weaning weight 028', 'odds infection', 'carboxykinase bone morphogenetic', 'detect association marker', 'milk 1222 holstein', 'number type', 'gene mef2b', 'region fat area', 'influenced genetic factor', 'using replicates', 'milk expression', 'bp lowest 16', 'allow implementation', 'chicken gallus', 'basis revealed', 'treatment subtraits', 'qtl identified individual', 'mastitis susceptibility holstein', 'estimate contribution genetic', 'phenotypic measurement se', 'preferentially affecting', 'threshold utilize weighted', 'fat protein', 'epistatic interaction qtl', 'facilitated innovation', 'imf content observed', 'failure thrive syndrome', 'cow strongest', 'ph nitrogen phosphorus', 'su wld su', 'aa genotype significantly', 'identified 21', 'development novel informative', 'qtl region bta6', 'study conducted previously', 'approximately 210', 'red maasai sheep', 'cow 40mg', 'proof principle', 'reduce fat', 'lw skatole', 'afe egg', 'stat5a ccl3', 'candidate gene cloned', 'repeat guanylate', 'derived total population', 'formation basic', 'segregating qtl negative', 'location body', 'objective study identify', 'contain horned individual', 'genotyped total', 'effect meat content', '18 body', 'observed conclusion present', 'aspect genetic', 'ets1 kirrel3 moderate', 'litter size total', 'trait analyzed included', 'availability genome sequence', 'resource population 490c', 'association carcass', 'longevity lifetime', 'harbouring qtl underlying', 'using pedigree', 'heritability genomic region', 'reduce incidence virus', 'respectively significantly associated', 'associated anai4 acvr2a', 'structure associated phenotype', 'extracted genetic evaluation', 'trait variance', 'distance cortisol response', 'litter number stillborn', 'meat lightness', '73 marker spanning', 'contribute final', 'involved macrophage response', 'attained 6723a allele', 'genetic locus', 'hebraeum tick count', 'total 187', 'value snp analysis', 'affecting fcr', 'greater block h1', 'impact bone disorder', 'sampled fixed texel', 'candidate produce', 'qtl developmental', 'knuckle biceps shank', 'function mammary gland', 'derived conformation', 'dgat1 recently', 'disorder previous study', 'including 3990', 'acid bhb', 'unknown association analysis', 'set healthy', 'secondary objective', 'utr respectively snp', 'animal result variant', 'chicken present', '99 cm 21', 'large white 142', 'progressive condition', '29 kb', 'genetic chromosome dissection', 'investigated paternal igf2', 'backcross f2', 'power total', 'review advancement', 'tissue cfu', 'control level', 'energy lipid', 'performance trait investigated', 'relevance additive', 'greatly reduced', '23 17 30', 'population ppargc1a', 'length metacarpal length', 'expected feed', 'average 13', 'locus affected', 'difference bd', 'hypothesize 1111a allele', 'important clue', 'sire litter 12', 'btb infection identified', 'merit predicted', 'cycle oocyte', 'methyl indole', 'herd according', '15 mb ssc7', 'adrb3 interestingly', 'chinese native pig', 'combination significantly', 'mechanism acquired', 'individual snp phenotypic', 'produced brazil nellore', 'gblub achieved single', 'luxi nan', 'efficiency selecting trait', 'showed porcine tcap', 'greater predicted retail', 'evaluate ability', 'locus single nucleotide', '168 cm result', 'fit heritability', '436 759 snp', 'qul capns', 'red subpopulation suggested', 'region associated mean', 'red cattle peak', 'target qtl near', 'comparison reduced null', 'specifically present', 'localization lipid regulation', 'favorably nearly perfectly', 'mapping study', 'estimated ewe', 'gpihbp1 gene', 'data filtering result', 'detection power transcribed', 'change navicular bone', 'largest proportion genetic', 'fdr 10 marker', 'attainment puberty', 'identified combined', 'preparation meta analysis', 'sheep breed suffolk', 'existing meishan pig', 'program population', 'affected fat', 'mineral egg production', 'approach medium density', 'genotyped illumina bovine', 'effect related difference', 'wide 37 chromosome', 'investigated backfat depth', 'number en egg', 'sire family involving', 'effect rdhe2', 'piglet litter western', 'tissue provides promising', 'interval spanning mb', 'prominent putative', 'trait representing dilution', 'used composite', 'trait compare region', 'genotype defined', 'standard frequency test', 'entropion reported mammalian', 'na se dj', 'parorchis fat expression', 'support oligogenic polygenic', 'cross extremely', 'application specific', 'profile total 46', 'increase shoulder weight', 'obtain detailed', 'respectively primarily regulating', '10936g missense mutation', 'study plasma', 'comprised sire family', 'linked marker sw2456', 'response genome', 'tenderness mt', 'chicken fatness', 'detected bta 16', 'gwas carried identify', 'depth located', 'ebv footrot used', 'bta04 strongly', 'qtl imprinting effect', 'behavioural problem farm', 'candidate gene sc', 'gene permit', 'horned male accounting', 'thickness bta marbling', 'locus qtls novel', 'gene statistical', 'nature inheritance', 'gene mb size', 'total qtl mapped', 'haplotype region including', 'snp detected kdm5a', 'panel far conclusive', 'gene likely network', 'trait genome qtl', 'underlying subtraits', 'score highly', 'week age keel', 'design analysed 322', 'data gemma software', 'detection qtl disease', 'magi1 znf770', 'meat quality seasoning', 'quality property crossbred', 'surrounding gene trait', 'occurring asthma', 'longissimus lumborum', '15 21', 'mb snp marker', 'color baroque gene', 'value 10 46', 'disorder affect', 'size favorable dressing', 'method used provided', 'resistance chicken improved', 'determined large number', 'texel oar18 qtl', 'bms833 middle telomeric', 'identifying population', 'quality important', 'involved reproductive process', 'screened substitution', 'laying rate lr', 'animal carrying allele', '028 compared', 'progeny duroc', 'identified detected allele', 'mechanism underlie reproductive', 'multitrait multi qtl', 'content different', 'fibroblast growth factor', 'ssc8 porcine immune', 'significant autosomal', 'work large scale', 'ham important production', 'basis successful qtl', 'actively contributes sustainability', 'training set created', 'association pig', 'ultimate ph sarcomere', 'polymorphism snp passed', 'lp respective', 'including promoter snp', 'nellore finished feedlot', 'ph firmness toughness', 'autosome bta13 bta14', '90 animal quantitative', '385 snp jointly', 'locus 947 kb', 'screening expectation maximization', '01 regression analysis', 'dna extracted', 'cm established previously', 'gene abhd16b', 'intriguingly gene differentially', 'contribute litter size', 'region 34 051', 'equine snp70', 'major infectious disease', 'qtl precision', 'resource population including', '115099068 bos taurus', 'detected exon', 'protein tnps major', 'revealed seven associated', 'later parity haplotype', '25 cm 05', 'analysis showed candidate', 'mastitis addition', 'known red', 'quality mq', 'cbs protein', 'slc19a1 icelandic cdk2', 'health problem increase', 'c16 c16 index', 'body composition accretion', 'genome sequencing', 'sd backfat ebv', 'dna binding transcription', 'qtl effectively result', 'snp wise', 'limited simply', '406 genotyped validation', 'selected common genetic', 'qtl ssc1 ssc7', 'allele chinese native', '25 linkage', 'complex trait broad', 'ct triglyceride', 'work test', 'work large', 'etiologic relationship', 'intron porcine ctsk', 'compared line', '41 weight', 'significant effect c18', 'considered maternal', 'accuracy larger drps', 'genomic architecture', 'phenotype paternal', 'curve located interpreted', 'identified flock', 'mtdfreml initially snp', '22 qtl', 'remained large increased', '129 ayrshire', 'using bovine chromosome', 'family family offspring', 'fcr 05 furthermore', 'role formation white', 'mitf variant involved', 'abdominal fat', 'muscle suggesting differential', 'affecting trait segregating', 'qtls scan', 'dpyd casq2', 'ii use various', 'inducible guanylate', '235 corresponding', 'rea lower adjusted', 'wild type 80', 'determinant complex', 'element binding protein', 'higher raspf7 specific', 'rear leg myh3', 'continuous covariate animal', 'genotype aa', 'individual study high', 'stress cell', 'ntrk2 cdh8 igsf21', 'parasite relationship', 'bon cebú romo', 'commercial snp marker', '002 006 dif', 'fayoumi leghorn population', 'bta6 relatively', '13 feed efficiency', 'breeding day', 'considered suggestive presence', 'autosome chromosome type', '001 σ2p', 'factor quantitative', 'gatk samtools', 'potentially affecting biological', 'dataset ref', 'regulation skeletal', 'calm nervous', 'meat quality showed', 'black belly backcross', 'conductivity ce muscle', 'corrected bw growth', 'tissue following prrsv', 'relative expression', 'important objective dairy', 'performed large white', 'expressed spleen lung', '10 mb shown', 'based phenotypic', 'trait collected sperm', 'luxi crossbred steer', 'breast cancer resistance', 'comparison individual', 'family relationship genotype', 'brd2 gene required', 'porcine chromosome affecting', 'backyard local', 'corrected principal component', 'furnishing trait selected', 'allele frequency statistical', 'based diagnostic', 'measurement individual protein', '604 individual', 'residue tarnish', 'subcutaneous fat short', 'tanzanian ecotypes', 'conformation score chromosome', 'covering thirds chicken', 'thickness residual', 'detecting causative snp', 'sox6 sex determining', 'association triplet', '49 day bw49', 'snp autosomal', 'ssc2 rs80891106 ssc7', 'component model genome', 'day intestinal length', '05 studied polymorphic', 'level chromosome lfec1', 'study carried chicken', 'possibly affecting', 'pathogen factor', 'estimate variance', 'holstein friesian 927', 'signal transduction immune', 'qtl variance 18', 'cm number chromosomewide', 'bias based', 'domain crumb cell', 'microsatellites giving', 'backcross ewe', 'antigen result lay', 'score cbfa2t1 019', 'nucleotide bovine', 'significantly affect loin', 'muc4 gene dq848681', 'bp highest', 'chicken study employed', 'cast hpaii cast', '1182 nellore female', 'transport key regulator', '105 marker', 'mean residual variation', 'fasn ankh', 'lcorl identified genetic', 'later parity piglet', 'play distinct role', 'blood group', 'trait large', 'breeding direction select', 'weekly shank', '15 phenotypic variation', 'rs42670352 associated', 'differentiation developmental pathway', 'producer breeder select', 'culturing gut', 'linear mixed model', 'qtl underlying', 'decline linkage disequilibrium', 'swr1637 ul', 'chicken enhance understanding', 'threshold cut value', 'frequency accuracy rib', 'positive effect growth', 'alanine amino acid', 'analysis performed entire', 'approach varied', 'qtl region growth', 'rs55618716 st', 'qtl affecting metabolic', 'duroc piétrain resource', '031 bull', 'septicemia catfish esc', 'carcass fat content', 'age 60 90', 'non clinical case', 'sla region influencing', 'activated escs', 'content composition', 'effect cw detected', 'genotype bull conclusion', 'pif1 01 haplotype', 'correlated affect reproductive', 'semen volume ssc15', 'phkg1 dgkz', 'snp nearby gene', 'dominance value', '28 influencing', 'btb conclusion genomic', 'parameter revealed', 'time point genomic', 'instance trait specific', 'ph marbling phenotypic', 'trait pig', 'cell allelic frequency', 'reproductive trait different', 'use molecular genetic', 'associated trait achieve', 'landrace pig sample', 'method 541 individual', 'tested sole causative', 'highly correlated rfi', 'origin dependent', 'ubiquitin specific', 'included 964', 'heterozygosity polymorphic', 'shank length', 'pivotal producer', 'micrornas allele frequency', 'confirmed genotyping', 'trait study dependent', 'qtl gene finally', 'association porcine tgfbr1', 'genetic determinant oc', '10 ovine', 'experiment explained', 'subcutaneous adipose tissue', 'developmental trait genetically', 'broad avenue exploring', 'rao 05 additional', 'function lncrna cloned', 'management genomic', 'detected family location', 'cm3 sc', '40 haplotype mapped', 'diversity load', '85 additional microsatellites', 'higher loin meat', '212 bull kept', 'localize suggesting', 'differentiate factor gdf5', 'previous study qtl', 'genotype retinoic acid', 'potential multi', 'trait including body', 'significance pp', 'heritability 30', '35k polymorphic marker', 'salmonella potential genetic', '167h ebv pat', 'nucleotide polymorphism gys1', 'assigned snp effect', 'farm evaluated ovulation', 'sparerib weight ssc18', 'dairy cattle various', 'breed related', 'mouse evidence', 'muscle area ema', 'shown result cd46', 'gga3 information originating', 'tnf function protects', '611 sliding window', 'current study significantly', 'day commercial', 'population completion', 'frequency tharparkar', 'complex phenotype result', 'deterministic ibd approach', 'genetic basis meat', 'underlying selection', 'vrtn mutant allele', 'involved regulation skeletal', 'nesfatin product', 'according epl score', 'ghrl uncoupling protein', 'present design furthermore', 'including growth carcass', 'especially qtl test', 'represent functional', 'breed western', 'lr cross association', 'rfi study', 'secretion exoc4 gene', 'reported date pig', 'proximal region', '0815 2283', 'tcap highly expressed', 'iberian landrace pig', 'position achieved linkage', 'casp3_rs319658214g shear', 'allele dominant qtl', 'genotype circulating', 'value gene', 'gwas analysis conducted', '88 97', 'categorical trait maternal', 'cm1 cm2', '288 white duroc', 'ptpn1 insig1 hexim1', 'steer initially', 'total 41 snp', 'genotype select', 'level 01 qtl', 'locus putatively', 'fec 1st 2nd', 'case reduce milk', 'genotyped 35k', 'important foetal', 'quality dry cured', 'new data', 'h1h1 agag h1h3', 'unexpected obviously population', 'associated average daily', 'computer image analysis', 'kidney fat weight', 'occurrence caudal', 'horse breeding activity', 'cpg site', 'growth using', 'c14 subcutaneous', '100 specialized', 'factor pit1', 'haploview estimated', 'highly associated log10p', 'comparative sequencing intron', 'trait better elucidated', 'work close', 'conversion position 159', 'breeding program selecting', 'frequency difference', 'intron 17 kit', 'remained significant adg', 'area lean', 'uncovered 285 lead', 'cell different size', 'economic importance', 'host resistance susceptibility', 'pce related', 'effort work coughing', 'available discovering', 'effect result suggest', 'vivo related', '1606 candidate gene', 'bovine chromosome 20', 'endometrial epithelial bend', 'linkage mapping placed', 'tick resistance qtl', 'substitution amino', 'factor evident final', 'population respectively', 'chain lh', 'conclude current', 'shetland pony welsh', 'cfb complement factor', 'dna extracted 292', 'dna status', 'iteration genome', 'reproduction study indicates', 'performed linkage association', 'qtl chromosomal', 'approach beneficial', 'bone male', 'putative bovine', 'snp associated sc', 'compared dj heritability', 'marker data analyzed', 'analysis jersey', 'snp different', 'ipnv 768', 'using subgroup revealed', 'body conformation key', 'cm affect', 'breed require', 'control systematic', '1166 correlated', 'fungal toxin sporidesmin', 'fabp4snp2774c fabp4_μsat3237 marker', 'ap 05 mum', 'level shared ibd', 'passing quality control', 'animal genotyped 39', 'addition position', '1417 holstein cow', 'le white marking', 'penncnv cnvruler software', 'composition complement', 'viral pathogen haplotype', 'implementation ma objective', 'including exon gamma', 'pgf gene seventeen', 'qtl segregate position', 'gene region bovine', 'large sample animal', 'association study search', 'lld mapping complementary', 'oncogenic alphaherpesvirus cause', 'mm 29 mm', 'egg weight quality', 'gene associated immune', 'ability pta birth', 'contained data', 'ucp1 play important', 'transfection assay', '06 qtl previously', '29 new', 'conducted previously identified', 'major source human', 'increased index ovulation', 'marker panel', 'organ white', 'perform interval mapping', 'interdigital skin multifactorial', '001 residual feed', '528 scrapie resistant', 'horn luh measured', 'spontaneous disease', '13 radiation hybrid', 'snp 353c 233t', 'boar analysed', 'region number known', 'located prkag2 locus', 'qtl conclusion combining', 'cm 28 24', 'specifically regulating cn', 'used obtain', 'total 85', 'affect body measurement', 'loss lm addition', 'breed monomorphic promoter', 'gene drd1', 'industry commonly', 'ca cg', 'growth characteristic', 'unlikely contain', 'model allowed confirmation', 'influence incidence', 'based genetic association', 'chromosome ssc8', '1b pde1b', 'associated meat color', 'region qtl trait', 'quality trait hanwoo', 'load report', '38 heritability susceptibility', 'jordan affected', 'conservative mutation called', 'previously detected new', 'qtl accounting phenotypic', 'relevant study help', 'favorably nearly', 'gly69arg 1138 216t', 'enhanced post slaughter', 'extensively highest abundance', 'lipid metabolic process', 'nematode infection currently', 'composition trait enriched', 'step methodology', 'gland aim', 'seven different chromosome', 'pedigree relationship known', 'qtl wild population', 'dominantly inherited', 'mdv recombinant clone', 'taihu sow', 'using 994 552', 'breed 125 875', 'gene genotype litter', 'described despite', 'effect dairy genome', 'gland function include', 'population unveil performed', 'signal chromosome 11', 'wide relationship', 'reduced representation sequencing', 'body frame', 'affect different grade', 'c16 c18 nineteen', 'enzyme function', 'accuracy increased', 'range 21 236', 'gga15 gga23 parent', 'gwas provide', 'activity assay liver', 'outweigh potential risk', 'bta27 dmi', 'original sire qtl', 'associated developmental anomaly', 'rs41748405 bta15 associated', 'cattle information highly', 'chromosome 11 jaw', 'ssc7 ssc10', 'associated adg 025', 'ti trait revealed', 'attracted researcher delineate', 'background membrane', 'merino backcross family', 'previously identified association', 'trait qtls genome', 'rank snp pooled', 'low ebv litter', 'region snp located', 'marker significant', 'stallion impaired', 'leukocyte function mitogen', 'dna array', 'identify gene subsequent', 'genetic variability direct', 'eared erhualian', '10 vf2 growth', 'justify use marker', 'marbling score cbfa2t1', 'response variable total', 'colostrum intake', '23 qtl production', 'dimension 05', 'facilitate positional candidate', 'previous literature', 'mapping corresponding', 'test feasibility using', 'gene number', 'high fat', 'ssc5 affect different', 'dominance relationship', 'qtl identified including', 'software used model', 'dkk2 kit', 'effect scd', '1301g pleiotropic role', 'mrna expression tnp1', 'cattle bos taurus', 'function genomic region', 'serum starvation', 'ruminant worldwide considerable', 'marker examined ssc4', 'mapping complementary tool', 'contrast association', 'disequilibrium independently', 'level se vaccine', 'lower false', 'detected bcdo2 9367', 'forelimb lameness warmblood', 'coincidence indicate', 'generate sampling', 'lung tissue following', 'putative fine', 'cross phenotyped 18', 'herd age effect', 'quality analyzed', 'apart fine map', 'identify mutation accounting', 'evidence chromosomal region', 'qtl detection phenotype', '445 amino acid', 'carcass quality attribute', 'play major role', 'diabetes exercise induced', 'size stature', 'explained variance observed', 'involving founder', 'population 320', 'approximately 17', 'analysis evolutional constraint', 'necessary order identify', 'herc3 dicer1', 'rs424642424 total', 'trait expensive', 'harbour qtl significant', 'breed cross pig', 'effect allele direction', 'breed displayed', 'feather pecking line', 'corresponded previously reported', 'snp effect efficient', 'seven window', 'recorded trait', 'snp biec2', 'carcass trait comparable', 'controlling somatic growth', 'genetic diversity parameter', 'implementing real datasets', 'included 548 artificial', 'stage representing acute', '511 significant single', 'f1 bird involved', 'strong genetic component', 'polyceraty horn', 'correlated premium cut', 'group group', 'igf1 enrichment', 'marker texan2', 'chromosome determined', 'italian dairy', 'lesion examined', 'lnba similar', 'induced fshb expression', 'crossing partially inbred', 'severe problem piglet', 'bmw thigh muscle', 'accounted breed age', 'region influencing serum', 'architecture understood conducted', 'involved muscle organ', 'originating qtl assist', 'qtl detected multibreed', 'nrac ntng1', 'design 2000', 'leakage water', 'model 20 time', 'tmem68 transmembrane', '72472 locus', 'non synonymous snp', 'increased marker density', 'snp gga', 'trait bmts', 'qtl searching minor', 'containing 48', 'challenge analysis interpretation', 'dna sequence variant', 'considered locus', 'ssc8 small', 'titre detected ssc1', '38 10', 'following finding', 'trait 10th', 'significantly deeper', 'breed rs339939442 polymorphism', 'cm 17 cm', '2421t intron5', 'culled cow', 'earlier immune', 'variation characterized using', 'weak steroid', 'conclude jolliffe criterion', 'group fixed', 'known gene revealed', 'pig 05 ssc8', 'repeat locus', 'revealed qtl large', 'trait respectively total', 'duroc synthetic sire', 'association study applied', 'sccs bos taurus', 'explained 34', 'trait combination significant', 'behaviour related trait', 'phenotypic genotypic cow', 'breed composition', 'region gene recognized', 'approach using genome', 'parasite muscle infection', 'known difference', '8630 1370', 'demonstrated gm', 'effect time method', 'fmo3 fmo1 mapped', 'studied maml3', 'linked cause aim', 'indigenous breed vrindavani', 'ssc3 influencing bone', 'line weight', 'modified version method', 'located ssc13q41', 'influenced disease', 'ssc17 fourteen', 'breed composition heterosis', 'starting point identifying', 'padmscs investigate', 'equilibrium hwe 000001', 'pic research snp', 'ph value total', 'example vasotocin receptor', 'difference subcutaneous', 'completely linked', 'inbred dam', 'finding useful guide', 'reproductive trait nucleotide', 'verify feasibility', 'dual specificity', 'ovine lentivirus', 'mutation transversion identified', 'inra 401 breed', 'joint single trait', '35 kg allele', 'presence highly conserved', 'khorasan chicken data', 'affect protein fat', 'fat trait applying', 'pathway analysis snp', 'current breeding programme', 'total saturated fatty', '16 slc11a1', 'real time', 'carrier major', 'protein percentage family', 'primary genome scan', 'sliding window 50', 'study performed using', 'tg low', 'thought important candidate', 'fayoumi heat', '620 snp remained', 'rm137 cm', 'bull method genotype', 'removal sex', 'genomic heritability calculated', 'percentage ratio', 'composition group increasing', 'identified prl gene', 'catfish esc caused', 'month sow age', 'qtl genome sequence', 'sequencing genome', 'higher body weight', 'haplotype inherited maternally', 'baseline erythroid', 'bovine hnf', 'blue shelled white', 'carried wild boar', 'selected using backward', 'uw daughter design', 'animal pedigree combination', '05 combined haplotype', 'qinchuan cattle year', 'bw abdominal', 'schleswig draft horse', 'located known predicted', 'gga1 regression method', 'fertility reported suggestive', 'mapped use 39', 'human cmya1 gene', '320 186 progeny', 'identify gene gene', 'increase meat production', 'depend aim study', 'white marking 05', 'behavior called', 'behavior energy', '60k beadchip containing', 'length mineralisatinon', 'bta2 bta9 bta24', 'component meat tenderness', 'provides new insight', 'regulation 45 gene', 'total 50', 'regression model using', 'basis qtl', 'age gene mapped', 'throughput amplified', 'best population stratification', 'population structure independent', 'compression qtl region', 'used gwa analysis', 'different time', 'qtl effect key', 'mixed procedure', 'mapping provided evidence', 'morphology thermoresistance', 'region 12 contained', '48 respectively', 'microorganism directly cooperation', 'locus associated bovine', 'morphology additionally', 'qtl position identify', 'investigate region', 'method commercial', 'acid share high', 'confirm refine', 'composition milk milk', 'greater muscle', 'effect including', 'knowledge reproductive physiology', 'modulation angiogenesis vessel', 'phenotypic variance biceps', 'eth10 included', '502 f2 chicken', 'decreasing type iib', 'mineral bovine', 'genome wide marker', 'sc exhibit pathogen', 'cla content located', 'probability linkage', 'susceptibility mycobacterial', 'affect carcass quality', '88 autosomal marker', 'ability sow investigate', 'breeding value estimation', 'likelihood animal model', 'inhibitor bone morphogenetic', 'polymorphism frequency', 'conducted 328 progeny', 'identified study investigated', 'trait sheep explored', 'model small value', 'subclass influenced', 'disease cd', 'fasn 301', 'qtl white blood', 'leu differential leucocyte', 'uc used high', '077 control animal', 'subgroup analysis testis', 'cftr ovgp1', 'gwas mon', 'deeper measured', 'population 602', '2000 f2', 'tolerance breeding practice', 'lameness leg', 'derived using', 'high quality meat', '12 18 month', 'resequencing panel different', 'significant proportion', 'selection signature experiment', 'composition trait including', 'response test', 'qtl exerted antagonistic', 'weight fat pad', 'limb bone', 'located bta7', 'fat deposition detected', 'cow positive pool', 'trait effort improve', 'crucial role', 'prevalence btb', 'infection considered invaluable', 'cluster include plausible', 'insemination pig', 'suggestive carcass breast', '201 significant snp', '71 17', 'identified previously backfat', 'genetic model soon', 'pathogenic disease offspring', 'map cause economic', 'age 198', 'confirmation putative qtl', 'amplicons range 199', 'bovine chromosome 18', 'zoonotic tuberculosis', 'lm bw', 'genome wide panel', 'coping strategy', 'phenotype cow', 'mlm better', 'excluded causal mutation', 'acidity ph', 'revealed multiple snp', 'program marker assisted', '059 219 947', 'association study genotype', 'exon intron intron', 'analysis breed located', 'animal body type', 'based regression analysis', 'female xinghua chick', '25 mb qtl', 'effect used detect', 'qtl located 11', 'haplotype explained 10', 'young sheep', 'meishan intercross', 'polymorphism apoh detected', 'parameter weekly live', 'cloned classified', '44 gene', 'decrease 20 water', 'snp population analysed', 'integrated host', 'major haplotype 59', 'brahman alpha', 'rs410336647 rs424642424', 'shared increasing', 'implantation placentation', '156 junmu', 'result consistent single', 'kb interval bta6', '06 bonferroni correction', 'environmental factor relevant', 'study cloned', 'adrb1 506a adrb3', 'uw cddr resource', 'effect addition', 'ab genotype 05', 'intercross showed single', 'conception interval', 'genotype offspring article', '05 association snp', 'italian duroc', 'acid deposition', 'biomechanical analysis bone', 'analysis identify specific', 'eggshell quality important', 'alternative genotype marker', 'used estimate contribution', 'energy homeostasis glucose', '1x10 identified including', 'composition myosin changed', 'large white chinese', '23 25 showed', 'measurement tenderness', 'improve using', 'modest underlying biological', 'amino acid cd46', 'texel romanov breed', 'gene underlying studied', 'layer line known', '10 detected', 'percentage family genotype', '90t located non', 'specie date entropion', 'dpi pig genotyped', 'genome selected scan', 'decline decline consequence', 'identification gene control', 'backcross holstein jersey', 'snp 98', 'combining fixation', 'result tailed', 'corpus lutea ssc', 'described earlier linkage', '05 rs13997811 significant', 'gallus autosome gga', 'examined dsn', 'search candidate gene', 'white synthetic breed', 'laying hen 762', 'genetic evaluation', 'implemented loki', 'variant development', 'minor livestock', 'association 05 observed', 'weight bw snp', 'homologous kb', 'blv japanese black', '35k polymorphic', 'holstein overshadowed larger', '270t 190g 156a', 'case snp', 'ewe ability lamb', '17 21 evaluated', 'cattle evaluated larger', 'hsp90aa1 genotype', 'occur ranging', '412 993', 'realize genome scan', 'pig negative', 'literature known', 'subsequent gene', 'stress response crowding', 'week age indicate', 'steer 406 genotyped', 'indigenous chicken', 'major quantitative trait', 'using locus', 'drd3 hpa axis', 'jiaxian red qinchuan', 'candidate gene previously', 'p2 negatively regulates', '25 trait', 'locus qtl ssc', 'continuous phenotype gaussian', 'mechanism involved', 'associated hct hgb', 'bone trait', 'comparison locus previously', 'qtl reach significance', 'number magnitude', 'revealed total', '435 447a', 'analysis conducted exploiting', 'organoleptic characteristic assessed', '181 926 678', 'variation production', 'trait korean cattle', 'association adfi', 'classified cis acting', 'wide suggestive qtl', 'collected bw', 'significance genome', '622c 793g 919g', 'plasma result revealed', 'trait comparing multi', 'cognition neurotism', 'qtl associated 10', 'validate effect putatively', 'snp association mainly', 'reductase rdhe2', 'caused hypersensitivity', 'bta linkage disequilibrium', 'depends numerous genetic', '342 snp placed', 'intestinal epithelium', 'sc support hypothesis', 'udder score possible', 'backcross iberian', 'linkage minimum', 'consist 446', '373 nelore steer', 'foetus birth mum', 'developed using', 'result agree obtained', 'exon intron border', 'refined genomic region', 'revealed pig', 'trypanosomosis genotyped 64', 'cm 100', 'host susceptibility btb', 'study qtl number', 'selection dairy cattle', 'network involving', 'rib significant map', 'effect myofiber density', 'parameter 821', 'snp set comparison', '91508173c polymorphism significantly', 'number marker fourfold', 'sow ab', 'tasting healthier', 'insight phenotypic', 'locus arm porcine', 'chicken f2 resource', 'beadchips illumina', 'horse subsequently', 'qtl faecal', 'reactivity followed', 'effect location', 'target gene expression', '17 fatty', 'duroc homozygous pig', 'observation 5643 283', 'longitudinal live weight', 'marker selection improve', 'animal result using', 'dam based following', 'association study snp', 'transduction pathway controlling', 'dam pig breeding', 'architecture ultrasound', 'probesets expression', 'reproduction differ breed', 'response especially', 'second parity qtl', 'deficiency haplotype', 'qinchuan cattle mutation', '34168 32463 32302', 'oocyte follicle remaining', '1799 e10 107', 'genotyped 60', 'hyopneumoniae aujeszky', 'knowledge study represents', 'gene existence', 'danish jersey', 'swine genome', 'family german', 'radius bone using', 'irs4 gene proximal', 'receptor interaction', 'cattle current', 'gwas augmented', 'artificial selection trophy', 'mstn myogenic factor', 'pool comprised', 'extraction method', 'rest genome result', 'rate abnormal', 'tdo igfbp7 adamts3', 'bovine interleukin 10', 'accounted approximately 50', 'combined pedigree', 'secondary structure associated', 'kg 11 live', 'protein fabps bind', 'thickness pig', 'cow breed representative', 'breed covering', 'showed mirnas involved', 'response main', 'trait investigated data', 'lipid oxidation anaerobic', 'intercross showed', 'mapped linkage analysis', 'mutation charolais', 'cell apoptosis process', 'body weight change', 'holstein 31 danish', 'homozygote ubl5 retn', 'human family', 'serpine1 gene encodes', 'technological trait milk', 'wide gene', 'affected mastitis addition', '11 048', 'trait linearly', 'expected increase', 'tree identifying', 'data lactation', 'comprises 14', 'number gene immunological', 'haplotype sequence', 'threshold value set', 'locus tumor', 'phenylalanine leucine', 'rs344435545 scd rs80912566', '289 unaffected animal', 'pig breed used', 'heterozygous type snp', 'small size region', 'genetically distinct', 'age additive genetic', 'estimate multiple snp', 'score tenth', 'accounted 16', '22 mb', 'linkage analysis data', 'pork producer', 'promoter region gene', 'trout linkage', 'causative polymorphic', 'closely connected', 'difference trait', 'relevant pig breed', 'production reveal', 'g1 phase c2c12', 'detected snvs', 'pig breeding objective', 'charolais limousin blonde', 'selection promising tool', 'fabp giving', 'weaning yearling gene', 'abcg2 spp1 casein', 'basis limb', 'polymorphism c5697t intron', 'selection availability', 'analysis showed lascs', 'routinely performed', '11 longer sheep', 'sow consequence differential', 'common pathway', 'entire exon 3000', 'trait time', 'variance scrotal', 'trait unambiguously reveal', 'weight canchim ma', 'meat selection', 'heritabilities ranged', 'qtl identified accounted', 'weight spw', 'qtls ssc4 ssc9', 'bft marbling', 'direct effect lm', 'trait include', 'general qtl detected', 'wide snp array', 'segregation major', 'influence genetic', 'study highlight underlying', 'variant fasn ppargc1a', 'result indicate melim', 'suggest gnas', 'allele anxa10', 'dna 92', 'package step', 'bp ggaz', 'content total sfa', 'effect bcwd', 'variant activity', 'metabolic health event', 'stage tumor develop', 'protein yield chromosome', 'allowed refine qtl', 'likely position', 'filly colt respectively', 'qtl controlling somatic', 'qtl harbored chromosomal', 'msc tt genotype', 'detected chromosome 93', 'associated py genome', 'nineteen snp nominally', 'protein cpeb4 gli', 'resulting amino acid', 'sex maturity', 'used italy', 'quantitative dependent', 'duroc boar analyzed', 'piece independent', 'gwas result biological', 'implicate novel host', 'explored genetic', 'reflecting conservative approach', 'qtls highly significant', 'tearing ulceration', 'increased milk', 'close indicated allele', '69 snp gene', 'expression 05', 'mirnas involved', 'design refined', 'larger number qtl', 'locus affect parasite', 'specie used qtl', 'simultaneously affecting behaviour', 'dominant parent', 'period week', 'means protein percentage', '01 positive', 'binding lp lta', 'rate occurred earlier', 'value ebv ebvp', 'previous comparative', 'eicosapentaenoic acid', 'cagaca used genetic', '48 10 common', '62k snp beadchips', 'acid synthase fasn', 'ibd allele corresponds', 'fat trait population', 'pig industry consumer', 'ranging 41', 'published able identify', 'assisted selection achieve', 'genetic regulation somatic', 'height xkr4 xk', 'cry2 npas2', 'breed mutation functional', 'study focusing trait', 'porcinesnp60k beadchip quality', 'contribute growth onset', 'source structural', '200c functionally', 'compared 90 bovine', 'conducted candidate region', 'strand conformation polymorphism', 'total genetic variability', '6th intron', 'observed difference incubation', 'kb size', 'ugdh significantly decrease', 'close linkage disequilibrium', 'response specific', 'routine milk', 'functional candidate gene', 'dependent differential', 'hydroxybutyrate concentration north', 'loss concern', 'position highly homologous', 'pcr inverse', 'new zealand cattle', 'result demonstrate important', 'contributing stallion', 'classical fat', 'correction environmental factor', 'significant qtl c18', 'population size 70', 'protein included', 'lw androstenone', 'distance kb considering', 'harboring candidate', '60 strong pair', 'associated suis worm', 'particular production carry', 'provides attractive mean', 'regarded important candidate', 'measured expression level', 'fertility mapped french', 'distribution snp large', 'intracellular transport known', 'including minimization false', 'pig locus age', 'tenderness reported bovine', 'disease dairy production', 'addition epistatic qtl', 'left line number', 'weight resource', 'mb new qtl', 'improve odds infection', 'analyzed square regression', 'qtl quantitative trait', '32302 identified', '57 considering', 'gene improve milk', 'region utr bovine', 'crossbred lamb non', 'sub group according', 'difficulty perinatal mortality', 'conserved structural', '4950c identified card15', 'order run', 'study paratuberculosis', 'useful model studying', 'substitution 42895', 'china high', 'define phenotype f1', 'energy metabolism suggesting', 'heterozygosity relative', 'similar genetic effect', 'associated allele marker', 'additional quantitative trait', 'facial wrinkle high', 'larger comb', 'region impact growth', 'scrofa region associated', 'speculated difference meat', 'signal bta25 finding', 'subcutaneous fat depth', 'whc coq9', 'marker representing', 'sf mfi', '24h eye muscle', 'multiple economic trait', 'taken candidate', 'qtl association genetic', 'skatole level 175', 'potential genomic region', 'year ago earless', 'detected second', 'revealed snp chromosome', 'genotyped animal study', '001 marker', '72 cm 24', 'pathway 05 identified', 'region reported qtl', 'kingdom fec', 'clue deciphering molecular', 'dataset val new', 'gene involved dna', 'finding genetic', 'allele systematically associated', 'animal losing statistical', 'ld 26', 'total 9919 snp', 'bta4 10 allele', 'variation glycolytic', 'muscle cell differentiation', 'postnatal psychiatric', 'associated difference', 'resistance woman', 'contortus infestation merino', 'basis 1064 lamb', 'difference age', 'showed considerable variation', '0389 novel diplotypes', 'seasoning aptitude', 'approach fit', 'novel pathogenicity mechanism', 'lda common', 'jak2 mapped', 'snp calpain hugo', 'twice homozygous genotype', 'curve allowed combination', 'german cattle farmer', 'allowed qtl', 'fat yield snp', 'alternative splicing mechanism', 'loss ep300', '15cm trait', 'mon hol', 'gene silv', 'pooling using', 'cross work', 'carlo analysis complex', 'proportion heifer', 'snp detected confirmed', 'snp detected genome', '862t tnfsf11', 'protein coding', 'categorical trait enzootic', 'length width carcass', 'association test significant', 'large region containing', 'reflectance value location', 'ndrg1 apc', '31 qtl showed', 'trim29 ehmt2 rbm42', 'increased susceptibility', 'mapping mbl', 'value 26 95', 'detection fine', 'registered cow germany', 'genomic prediction best', 'using 1187 progeny', '53 snp', 'maximum growth rate', 'slc9a3r1 nos2 mapped', 'animal genotyped marker', 'egwas performed', 'conducted using genotyping', 'equine autosome chromosome', 'glm 15', 'included analysis total', 'breed population genome', 'ion soluble', 'fed concentrate', 'content drip', 'subjected behavioral test', 'common expression pattern', 'spp1 osteopontin', 'induced significantly higher', 'mir 185 ssc', 'expression mtpap analyzing', 'correction peak height', 'pseudophenotypes gwas 20', 'line known differ', 'holstein characterize', 'scd haplotype fatty', 'studied genotype effect', 'frequency low association', 'efficiency growth 10', 'sheep unknown awassi', 'snp 25 snp', 'influencing growth carcass', 'moiety type', 'step targeted', 'weight previous study', 'reduced cm', 'resistance identification', 'mass fat deposition', 'significant effect milk', 'mean standard', 'infection status basis', 'potential genetic control', 'weight lgals9', 'generation correlation', 'chemokine gene ccl2', 'c14 content', '12 autosome', 'performed separately design', 'asn570lys association analysis', 'considered study single', 'ketosis identification genomic', 'fmo5 esr1', 'ranged 09 15', 'pleurisy processing', 'consistent single', 'red qinchuan novel', '109 cnvrs cnvrs', 'revealed enriched biological', 'trend ew measured', 'increasing importance pig', 'carcass trait snp', 'experiment substantially', 'swine according function', 'experiment consistent published', 'qtl affecting parasite', 'finding provide novel', 'human milk', 'included gene slc37a1', '30 55 70', 'duroc pig large', 'observed frequency varied', 'rate 01', 'contribute mapping', 'study showed method', 'cbs higher poor', 'qtl associated test', 'appendage mutation hoxd', 'dependent origin', 'associated ph lightness', 'beadchip genotype', 'infected cohort using', 'cm sex', 'different measure rfi', '16 homozygous', 'chr 14', 'relationship evaluated interacting', 'underlying trait related', 'finally qtl strong', 'gene mb', '45079507a 45080228c 45080335c', 'snp regressors', 'semimembranosus muscle sm', 'sheep studied', 'low androstenone concentration', '12 additional genomic', 'genetic basis difference', 'association porcine', 'basis deposition composition', 'offer limited', 'overlapping genomic region', 'result total bta', 'generation produced ncccwa', 'method high throughput', 'gga5 gga23 detected', 'analysis seen', 'control study suggested', 'pig chromosome mapped', 'second fourth', '12 sire obtained', 'hormone fsh target', 'longissimus dorsi 114', 'cattle breed 660', 'composition goldengate', 'study report', 'increased shoulder', 'qtl analyzed specific', 'sib maximum', '1143g adrb1', 'juiciness marbling', 'substitution akr1c2 associated', 'level qtl affect', 'analysis low coverage', '78 heritabilities', 'ng 1206 895', 'interval mapping vca', 'ph development', 'provide unprecedented opportunity', 'vaccine response straightforward', '34 30', 'correlation gamete', 'difference phenotypic mean', 'bta14 23 26', 'low proportion genetic', 'meat productivity wild', 'backcross f1', 'circumference brahman', 'animal body weight', 'clone sample sequencing', 'rate heterozygote significantly', 'assisted selection pig', 'reference fundamental information', 'simulation study conducted', 'gave evidence distinguish', 'based recent', 'erhualian pig population', 'algorithm developed simultaneously', 'model analysis initially', 'type homozygote', 'clearly position', 'associated ketosis jersey', 'discover novel breed', 'allele potential', 'pig conclusion', 'hypobetalipoproteinemia postmortem examination', 'bos mutus', 'weight chest breadth', 'prominent level', 'respectively especially', 'allow number founder', 'drd4 significantly decreased', 'pattern slick breed', 'marker swr1343', 'breeding production present', 'acvr2a transcription turn', 'ability ewe lamb', 'mb consensus region', 'position odc gene', 'major determining factor', 'fe additionally combined', 'heterozygous homozygous', 'diplotype 21 days', 'kw carcass length', 'echs1 exon flanking', 'qtl dpr', '483 snp available', 'study involved', 'tnf gene', 'efficiency livestock knowledge', 'development diarrhoea genetic', 'postmortem genetic architecture', 'pure yorshire', 'proximal glutathione', 'cm determined', 'reduced distance', 'polygene belgian texel', 'verify scd', 'respectively 17', 'effect animal german', 'colour beta carotene', 'development fat', 'affecting detection', 'marb montana', 'colour pattern scored', 'joint separate analysis', 'long 313 bp', 'effect daily feed', 'effect dcd mcd', 'unveil mechanism underlie', 'qtl influence growth', 'belclare cambridge sheep', '17507a 17575a 17607t', 'phenotype explained snp', 'taurus chromosome', 'gene underlying colour', 'teat left line', 'region biological', '1878 wnt10b', '05 finding suggest', 'dna sequencing polymerase', 'wild boar', 'dam line f1', 'demonstrated additional genetic', 'identify variant', 'absence anotia genetic', 'cohort use', 'analysis gdf9', 'global food production', 'controlled body weight', 'expressed tissue high', 'growth mechanism', 'meat texture', 'marker reached highest', 'resource generated', 'milk loss', 'sequencing detect', 'screen suggested', 'c18 rs320439526', 'fst value calculated', 'indel utr silico', 'regulation lipolysis', 'allowed detection new', 'summary result shown', 'et al', 'background unknown', 'fetal growth il2', 'significantly advanced quantitative', 'cross commercially', 'marbling bta 18', 'addition 33 marker', 'estrogen receptor', 'collecting phenotypic indicator', 'region previously refined', 'observation 5643', 'visualization genotype phenotype', 'gr candidate functional', 'reported 156', 'chromosome bta11', 'background behaviour', 'significance population', 'acid based', 'future research', 'used detect', '11 kb region', 'linkage significant', 'present robust evidence', 'gilt genotyped snp', 'fa profile', 'similar trait compare', 'model functional gwas', 'sheep chromosome 18', 'association molecular marker', 'linkage true', 'population comprised 489', 'disorder human result', 'fatty acid mufa', 'seven qtls', 'leu phe predicted', 'ag 528', 'calf underdeveloped', 'arm chromosome controlling', 'snp s26449 closest', 'suggestive effect identified', 'animal human', 'displayed greater scd', 'genotype trait analyzed', 'chromosome sex', 'scan identified 27', 'case analyzed quantitative', 'sheep nematodirus fec', 'presence allele tended', 'using qtl', 'result gwas subjected', 'hbt high boar', 'identified experimentally', 'region significant additional', 'incidence 60', 'kb haplotype f2', 'sheep tm', 'carcass slaughter confers', 'correction approach', 'flanking sequence novel', 'cluster significantly differentially', 'factor myf', 'shear force steer', 'locus qtl sought', 'growth period week', 'population objective present', 'ewe heterozygous v371m', 'gwas tenderness', 'undoubtedly involved', 'previously detected duroc', 'approximately 105', 'leg action candidate', 'genotyped 167 dna', 'occurrence progression clinical', 'bft population', 'snp calpain', 'count appeared low', 'ambilateral circumocular pigmentation', 'association 51 single', 'segregate cattle', 'study investigated copy', 'variance conclusion result', 'suggested fatness', '50 bull', 'china high mobility', 'detected ssc9 provide', 'estimate reach statistical', 'estimated subcutaneous fat', 'reproductive prrs', 'studied seven large', 'widely conserved kit', 'trp80stop referred', 'cnv burgeoning kind', 'laser desorption ionization', 'sib family linkage', 'consistent fasn gene', 'genomics initiative aim', 'local shandong chicken', 'linkage disequilibrium observed', 'trait plausible', 'oar6 associated bone', 'nvd average feeding', 'residual variance method', 'fa composition confirmed', 'segregating iberian', 'analysis conclude gene', 'effect gene expression', 'phase genotyped', 'involved increasing backfat', 'total 417 female', 'region muscle', 'significantly higher adg', 'gwas body dimension', 'gene located identified', 'bta 13 calving', '37 590 single', 'percentage eye', 'basis published sequence', 'developing time', 'genetics ultimately physiology', 'respectively mutation', 'eggshell trait', 'weight gain 42', 'linkage gene expression', '05 indicating mutation', 'insemination bull', 'inositol phosphatase skip', 'non typical flavour', 'location candidate', 'ne 30 32', 'heritable trait use', 'hairy phenotype sourced', 'utero placental blood', 'associated average', 'divergent fcr sequence', 'effective desired', 'major disease dairy', 'trait gushi', 'animal coincidence', 'general mixed', 'linked exhibited genotype', 'located casein gene', 'industry map', 'composition japanese black', 'expression heart', 'qtl information', 'helpful identification', 'different developmental', 'leucocyte trait', 'drip loss available', '1641t 547aa', '298 f2', 'polymorphism ascertained', 'snp1 9815g snp2', 'sweep analysis revealed', 'rdhe2 variant', '18 adjusted', 'related growth rate', 'effect close', 'area 06', 'sheep important source', 'fa composition significant', 'strong population specific', 'ldla method', 'mammal major', 'gnas domain consists', 'population bull total', 'putative milk peak', 'ntn1 finally', 'level correlated mrna', 'chromosome covering', 'dimensional genome scan', 'representing dilution phaeomelanin', 'included encoding diacylglycerol', 'mutation lie conserved', 'region number', 'reported incidence 60', 'qtl mapping binary', 'content region chromosome', 'region acvr2a', 'linkage mapping tef1', 'association known qtl', 'dressing percent', 'leping spotted', 'located conserved', 'marker genetic improvement', 'trait meat type', 'cycle seven day', 'yield percentage', 'sheep possible influence', 'specific association outcome', 'trait enhances understanding', 'broiler pure huiyang', 'carried experimental iberian', 'texel breed polygene', 'porcine chromosome close', 'result genetic influence', 'higher design', 'gwas window', 'kidney postnatal muscle', 'furthermore got', 'expressed 14 tissue', 'containing gene ontology', 'litter size association', 'content previous', 'drd4 distal play', 'lepr 1987c', 'generation offspring', '15 000', 'intercross progeny', 'lesion gm quantitative', 'fat yield selection', '35 le predicted', 'breed example genomic', 'genetical variance usually', 'response artificial selection', 'contains 777 000', 'toolbox livestock', 'able use', 'percent ssc12', 'detected genotype', 'dd cause lameness', 'ncccwa growth selection', 'parental pig fixed', 'value deregressed', 'weight 028 compared', 'interacting serine threonine', 'problem pig goal', 'mnb66 family qtl', 'finnish yorkshire ai', 'laiwu black chicken', 'response study', 'rflp used', 'friesian cow experimental', 'analysis removed qtl', 'marker selected chromosome', 'trait experimental intercrosses', 'content reduce level', 'entropion 998', 'protein yield fat', 'holstein cow accurate', '16 mscc 15', 'shank head 649', 'avenue exploring', 'romosinuano romo cebú', 'qtl located far', 'lp study provided', 'fourteen suggestive', 'porcine fto genotyped', 'itih mrna polymorphism', 'snp sufficient', 'conclusion marker', 'genome significant suggestive', 'charolais gelbvieh hereford', 'parity breed', 'coding gene mapped', 'approach allowed identify', 'spleen addition seven', 'baseline value trait', 'sq1 developmental', 'effect underlying gene', 'explains variation', 'involved regulation', 'oar analyzed using', 'revealed enriched reactome', 'affecting bone trait', 'generation f3 backcross', 'photo visual', '26 autosome solar', 'genotyped 497 bird', 'ci post', 'fixed effect variables', 'residing qtlr', 'mapping population based', 'practical significance breeding', 'skin facial wrinkle', 'litter size animal', 'dominance heritability', 'male unusual gene', 'cell testis', 'release muscle', 'selected juvenile body', 'population mapped', 'cattle japan endothelial', 'patterning numerous cell', 'age gga4', 'ssc2 ssc8 qtl', 'slc37a1 phosphorous', 'entire growth', 'suggestive locus identified', 'validated 54', 'report mapping', 'genetic architecture gwas', 'multiple locus', '100 kg live', 'genetic effect rs14934924', 'myomax accounted nesting', 'animal robust', 'position detected locus', 'mapped gga1 significant', 'highlight variant ppargc1a', 'genomic organization mapped', 'ssc2q indicates orthologous', 'association complex', 'sscx achieved', 'day lamb slaughtered', 'encode long noncoding', 'remained restricted rearing', 'differential expression ppard', 'genotyped matrix', 'imputed sequence level', 'evidence showed', 'load report detect', 'melanoma peak position', 'observed chromosome 12', 'difference protein percentage', 'revealed microsatellite marker', 'result highly', 'value day open', 'position proximity mapped', '14 snp', 'investigate pathogen specificity', '48 cm eca10', '12 13 14', 'animal chemical percentage', 'genotype tt tc', 'revealed coding exon', 'modulation cascade gene', 'sequence used independent', 'favorable greater reproductive', 'nins day calving', 'covering wide geographical', 'snp 2192c val', 'cab liver', 'ibk crossbred steer', 'association 88', 'level bmp15 gene', 'identified 01', 'reproduction little success', 'genotyped 192 artificial', 'hampshire population', 'rich facial', 'determined individual gene', 'lin7c cxadr', 'marker pig breeding', '23 overlapping', 'explore role', 'additional outbred', 'effect 18', 'large white wild', 'associated high fat', 'tested trait daily', 'fecx gr 50', 'especially identify', 'overall lactation', 'thoroughbreds training', 'pufa respectively peak', 'trait crucial', 'development adult', 'qtl trait indicating', 'glucose glu', '8656c transition exon', 'taurus bos', 'contain interesting candidate', 'ewe sire', 'custom praying', 'sequenced identify', 'association detected close', 'mastitis late lactation', '17 19 main', 'qtl milk yield', 'regulation tissue', 'genetic marker breeding', 'problem piglet welfare', 'subregions locus', 'ci post partum', 'transcript significantly', 'vessel remodelling vascular', 'ai boars genotyped', 'genotype longissimus', 'region common procedure', 'cumulative trait', 'py lactating cow', 'cell count rbc', 'average relatedness horse', 'factor known', 'threshold model heritability', '29 putative', 'daily fat', 'riboflavin little', '600k snp beadchip', 'deletion spot14alpha', 'agent enzootic', 'pair significant qtl', 'examination f2', 'limousin f2', 'locus association', 'receptor iia', 'marker ssc4 ssc11', 'il 12 significant', 'calculated snp high', 'correlated earlobe', 'separately using', 'location qtl mapped', 'core gene biological', '169 individual', 'sw607 chromosome', 'resource population constructed', 'fitting individually', 'revealing genetic architecture', 'mutation increasing', '987 individual seven', 'prkag2 locus', 'sample 360', '20 polygenic data', 'bos indicus feedlot', 'relative mrna', 'fat ssc14', 'elite commercial laying', '243 pronounced', 'af allowed', 'cytokine situation explain', 'localized mapped', 'mt workability trait', '50 enables identification', 'mainly additive result', 'synthesis glycogen', 'crest cell reproductive', 'pneumonia recorded herd', 'multibreed gwas expected', 'use meishan', 'bta26 conclusion', 'acid metabolism acetyl', 'formed cluster', 'gene associated fat', 'population 518', 'determine qtl', 'different genotype individual', 'vasoactive intestinal polypeptide', '19 20 21', 'live weight total', 'specific rbc difference', 'udder genome', 'population 518 spanish', 'significant variability genetic', 'exerted skeletal growth', 'later replicated', 'fertility phenotype derived', 'dhps catalyzes', '0001 snp association', 'identify fine map', 'test trait reached', 'suggest deviant', 'significant snp performed', 'method single nucleotide', 'breed polymorphism breed', 'egg chromosome', 'duroc sired', 'linkage identified', 'effect asp298asn', 'closely linked dgat1', 'multidimensional scaling', 'analysis maternally inherited', 'factor tef', 'relatively low', '12 19 million', 'warmblood horse 14', 'yield identified close', 'explained 13 64', 'locus near beginning', 'sequence information obtained', 'transmitted dam', 'important role body', 'affected fat colour', 'egg spawn', 'level lipid biosynthetic', 'pointing conserved', 'identified snp sexual', '200 f2 sow', 'study using 36000', 'qtl egg production', 'difference prevalence', 'dipeptidyl peptidase clec3b', 'utilize weighted hypothesis', 'welfare productivity', 'oxidation fatty', 'gene sets majority', 'alpl mgst1 sel1l3', 'ibsp spp1', 'γ3 subunit adenosine', 'birds fp', 'affecting ultimate', 'response multiple', 'set marker', 'analysis variance component', 'ssc 15', 'qtl trait analyzed', '05 mum 10', 'informative study', 'breed breed analyzed', 'gwas based high', 'ld linkage', 'explored laiwu black', 'varied depending growing', 'mc4r igf2', 'homologous sequence western', 'htr2a oxytocin', '05 locus', 'motility abomasum mln', 'surrounding likely', 'using heifer genotype', 'mtpap promoter', 'deposition fatty', 'fec iga trait', 'higher fat', 'modulator scrapie', '80 cm chromosome', 'analysis suggest snp', 'feature reflects existence', 'new qtl pig', 'genetic architecture understood', 'chip multilocus analysis', 'disease resistance breeding', 'gene equidistant location', 'increase total', 'practical benefit', 'content polyunsaturated', 'combining linkage', 'indicated marker tested', 'breakpoint analysis defined', 'response high', 'established role skin', 'mapped previously', 'fos qtl', 'welfare consequence', 'assessment frequency trait', 'chromosome region localized', 'adg kr', 'enhancer factor mef', 'region eca', 'length bone mineral', 'architecture sexual maturity', 'mammary gland action', '01 plw meat', 'npl analysis revealed', 'probably covered', 'data set genotyped', 'large difference 12', 'diameter snp', 'contributes little', 'level jointly', 'scurred male', 'thickness different location', 'specificity phosphatase', 'diet high', 'application selective', 'improved breed', 'variation like single', 'repeat explain loss', 'harness racing success', 'essential characterization health', 'withers height ratio', 'peak centred close', '1599 f2 female', 'gca 01', 'trait nucleotide', 'pig slaughtered', 'trait canchim cattle', 'caspase iap', 'leg myh3 rear', 'main goal', 'provides continued progress', 'mum gestation length', 'expression adiponectin mrna', 'ige level phenotype', 'determined linear mixed', 'phosphogluconate dehydrogenase', 'effect case anticipate', 'layer hen conducted', 'beadchip snp tested', 'potential association single', 'tested larger', 'colonizing pig', 'erhualian pmsg', 'taken total', 'susceptibility paratuberculosis infection', 'gene high', '919g 05', 'characteristic environmental', 'trait locus', 'gene associated post', 'type ancestor', 'chip using rna', 'estimate qtl position', 'differentiation sphingolipid protein', 'involved macrophage', '30 single nucleotide', '44 significant', 'hap21 ta', 'ash content chicken', 'puberty allow', 'significant additive', 'used simulation', 'ugdh suggested', 'phosphorus ratio', 'whc young', 'width measured ct', 'dairy cow healthier', 'mapped relative chromosomal', 'bta18 second', 'anterior number', 'effect variance estimated', 'mb interval 21', 'disequilibrium showed', 'ld estimated pure', 'purebred hanoverian', 'different genotype sirna', 'psmc1 identified', 'myh3 myh13', 'specific gene affect', '1457 aj571671', 'using gemma emmax', 'higher residue backfat', 'population realistic cross', 'reference similar', 'analysis identify', 'determine trait', 'genomic region specific', 'bacteriological data mastitis', 'chromosome 13 interval', 'confirm association marker', 'interbull center trait', 'breed generation backcross', 'control qtl detected', 'revealed cytokine', 'indigenous genetic', 'individual fabp', 'previous qtl mapping', 'ai boars association', 'organ analysis', 'wbsf qtl', 'population determined 0018', 'taint animal welfare', 'novel linkage', 'sweden uasms2 polymorphism', 'bwt wg', 'cell hemoglobin red', 'test program meishan', 'examined strain', '4q ssc4q', 'grandsire family genotyped', 'scan milk production', 'snp association identified', 'data indicated sorcs2', 'qtl1 qtl2', 'accretion independently bft', 'born alive parity', 'underlies qtl', 'animal point', 'perimeter volume number', 'region chromosome 26', '03 10 classical', 'arg682his kit', 'infection control', 'interval s0001 s0217', 'difference genetic determinism', 'iowa h5n2', 'applied single snp', 'time response', 'epistatic pair', 'breaking strength alternative', 'incidence population', 'result gwas based', '60 snp genotype', 'md qtl identified', '78 79 mb', '05 genotype 05', 'response end number', 'information relationship cnvs', 'disequilibrium information analysis', 'rs81109601 gh1 rs109136815', 'fcr likely', 'displayed narrow', 'pig different susceptibility', 'prevalent malignant', 'position nt 778', 'revealed human', 'selection production trait', 'genotype 62', 'association polymorphism mtnr1a', 'based association test', 'kirrel3 moderate', 'proliferation 05 whilst', 'gwas identified unlinked', 'observed brain', 'study estimate variance', 'carboxylase alpha acaca', 'density identified', 'affecting risk', 'bb ab 05', 'showed perfect concordance', 'identification region', 'environment suggestive linkage', '20 respectively single', 'collected ensembl gene', 'gene total', 'influence exon region', 'important swine', '10 mixed model', '75 mb', 'shoulder ham', 'study mapping', 'difference observed phu', 'qtl caused', 'uw haplotype', 'ww daily weight', 'genomic region large', 'measured etec f41', 'design correction multiple', 'snp illinois population', 'sck2 snp bta6', 'detected qtls leaf', 'deviation selective', 'scan performed detect', 'testicular tissue compared', 'aim major', 'snp rs109663724 rs132699547', '18 lost influence', 'bone quality foot', 'half sib duroc', 'previously analyzed', 'puberty gilt associated', 'dairy industry somatic', 'novel interacting qtl', 'derived family parent', 'breast color redness', 'homology insulin', 'lamb half sib', 'breeder flock', 'miga2 gene associated', 'mapped acsl4 sw2456', 'breed western meat', 'diameter sd9 week', 'hcr validated independent', 'expression sample', '47 48 mb', 'maternal meiosis', 'uniquely identified chinese', 'performed cow', 'mechanism underlying complex', 'c18 detected', 'compared 47', 'dfi adj', 'related reproductive', 'observed size', 'cbg coding region', 'equinesnp50 beadchip', 'lung lowest abundance', 'backfat total 74', 'confirmed previously reported', 'cow animal', 'yellow green bluish', 'disequilibrium analysis method', 'imputation large validation', 'rao composite', 'gene allele associated', 'approach use', 'result confirmed previously', 'demonstrated white red', 'used common', 'lamb lung 572', 'ssc2 harboring', 'investigated trait better', 'present study shed', 'number ovulation rate', 'gene genotype interaction', 'study develop', 'specific age extended', 'number luster quality', 'trait investigated pig', 'including promoter 1043a', 'body weight analyzed', 'understanding biology feed', 'transduction insulin', '60 snp', 'bulge20 sire', 'haemocyanin response distal', 'stress clinical sign', 'scs qtl sample', '61 cm', 'mediating metabolic effect', 'multi trait repeatability', 'population finland sweden', 'dataset identified', 'age muscle associated', 'activity vitro', 'fatty acid fat', 'peak association', 'causative mutation responsible', 'pwh silesian', 'binding protein epidermal', 'revealing strong association', 'indicated polymorphism significant', 'abcg2 known', 'background disorder calf', 'average allele substitution', 'enhanced estimated', 'phenotype comprised regressed', 'fabp4 significant', 'selection boar', 'dermal pigmentation', 'region contributing season', 'behavior clear', 'substantial financial', '918 303', 'data 4376', 'bayesian approach using', 'method detecting qtls', 'phosphatase alp', '927 progeny weight', 'given intensive selection', 'allele body composition', 'bhb identify', 'blv genome', 'myristic acid', 'isu berkshire duroc', 'transcript level fat', 'culture family selected', 'pig included', 'gilt 759', 'qtl sex antagonistic', 'phenotypic variance vf2', 'animal length carcass', 'sow mapped use', 'strain strongest', 'previously bta5 north', 'interval test statistic', 'palpation heifer', 'hematocrit hct hemoglobin', 'level porcine', 'genetic resistance controlled', 'known intermediate', 'individual confidence interval', 'mga quantitative', 'mapped previously reported', 'trait daily', 'detailed study', 'cell cell', 'study reveals area', 'divided group group', 'effect presence multiple', 'study used f2', 'centromeric region bovine', 'sexual signalling', 'strongly associated', 'reprogen qtl_map', 'trait increasing meat', 'bta6 bta14 bta15', 'line chicken divergently', 'different breed non', 'corresponding development', 'report wide', 'genotyped 497', 'like serotonin oxytocin', 'provide mean enhance', 'utr edg1 referred', 'resistant serovars', 'significant effect meat', 'using similar', 'weight using 160', 'qtl 31 cm', 'represent genome', 'skatole methyl', '29 119', 'carcass shank', 'snp flanking region', 'validate previously', 'incidence pathogenic', 'region effectively', '243 individual depending', 'composite cross strain', 'developed cross', 'explained 72 57', 'possibly coincide', 'density snp panel', 'nematode trichostrongylus colubriformis', 'interval mapping ovine', 'puberty phenotype', 'incorporated selection program', 'evolution male', 'v6a v33a mutation', 'element strongly', 'gene involved qtl', 'meg3 pig', 'including cluster qtl', 'afw percentage cw', 'association mch mcv', 'detected chromosome 62', 'intron 2834c', 'resequencing entire coding', 'body development considered', 'area ratio carcass', 'genotyped 24', 'expression tenderness marker', 'antibody response disease', 'comprehensive analysis', '61 common', 'wide association approach', 'hatching head', 'shown feasibility using', 'link function', 'structure analysed', 'maternal calf size', 'ranged 02', 'significant 0001 snp', 'successfully identified segregating', 'multibreed analysis eth10', 'polymorphism causal factor', '490 purebred landrace', 'population level genome', 'estimated 55 60', 'using pig population', 'natural population', 'gene snp acsl4', 'analysis strict', 'associated rfi 002', 'total 724 bird', 'rate confidence interval', 'macrophage tropic', 'observed expected', '20 ancestor used', 'respectively significant difference', 'diplotype egg 57', 'fifth generation', 'commercial pork producer', 'differentially associated milk', 'component used', '35 mb 64', 'difficulty calf', 'eqtl participated', 'included association marker', 'kb duplication identified', 'regulated eqtl', 'group result', 'infanticide identified white', 'enssscg00000018823 located region', 'gene milk fat', 'depth commercial population', 'mapped bos taurus', 'ssc 25503 s1_at', 'disorder occur ranging', 'strongly affected genetic', 'ile leu', 'observed dgat1', 'difference detected population', 'probability female used', 'test carried', '41 148 snp', 'pronounced association', 'selection performance carcass', 'enlarged dataset', 'expressed mg', 'pp suggest', 'reconstruction based', 'ctsz cstf1', 'possibly correlated trait', 'norwegian slaughter pig', 'size record', 'mapping quantitative trait', 'especially complex trait', 'term animal welfare', '22 measurement related', 'cd2 cd14', '18 28', '248 animal', 'modulation physiologic function', 'specific enzyme', 'utr transcript', 'placentation suggest influence', 'study milk fat', 'characterized previous', 'evidence genome', 'member 10b wnt10b', 'trait genome scan', 'shank girth 489', 'collected duroc', 'included encoding', 'obtained ranged 16', 'line 170', 'ph despite', 'generated growth', 'klh measured individual', 'mrna rt', '17 bone', 'sequence showed mutation', 'subsequently analyzed', 'experiment approximate', 'overcome experimental limitation', 'present work', 'qtl live weight', 'genetic effect cpm', 'defined highly significant', 'relationship example', 'male female respectively', 'herd natural grazing', 'fearfulness seen studied', 'avfec pcv avpcv', 'bovine fshr', 'bcdo2 9367 pmga', 'pic research', 'genetic association 05', 'genetic contribution variation', 'issued generation', 'positioning qtl', 'source human', 'higher eating', '500 measurement', 'snp high', 'tenderness improve mar', 'reported associated', 'maternally inherited mstn', 'coa synthetase acsl1', 'region identified contain', 'problem growing', 'explained common snp', 'identify quantitative trait', '58e tg alb', 'wide oar3', 'chromosome wide level', 'tested disease', 'analysis earlier', 'igat significant', '25 snp largest', 'neurotism second ssc15', 'cm 84', 'contrast copy', 'genomic location marker', 'polymorphism cfb complement', 'involved blood vessel', 'used designed flock', '15 porcine chromosome', 'daily gain bb', 'lifetime milk yield', 'needed harness racing', 'control population', 'interaction network using', 'm1 line', 'ra type', 'rib 24', 'ryanodine receptor protein', 'upstream gnas gene', 'microsatellites detected', 'horse 379 gray', 'selection ssc4 region', 'addition region significantly', 'performed using resource', 'characterized strongest', 'consumption measure', 'stillbirth located bta7', 'variant association analysis', 'bovine bos', 'expressed analyzed', 'epistatic interaction difficult', 'central molecule complement', 'c2c12 result', 'trait including arid1a', 'association genome', 'saline single nucleotide', 'random mate', 'selection purpose snp', 'harbor known', 'yield high', 'require confirmation', 'including lean', 'coding region regulatory', 'involved regulation onset', '03 corrected', 'qtl region metabolic', 'estimation method', 'segregate position widely', 'fimbria type', 'underlying scd gene', 'estimated phenotypic genetic', 'method possible', 'direct indirect qtl', 'region bos', 'mutation larger effect', 'vitamin elderly people', 'testosterone concentration time', 'puberty candidate gene', 'total korean', 'dpi heritabilities wg42', 'joint analysis significant', 'carcass classification', 'cow demonstrated low', 'affected 10 454', 'sp score', 'revealed significant marker', 'order verify result', 'setd7 positional', 'bft aa genotype', 'mapping growth', 'progeny 522', '01 significant', 'associated foreshank', 'significance innate', 'study litter', 'improve mar', '235 multiple independent', '97 cm', 'line construct', 'locus affecting eggshell', 'sectional dimension fat', 'phenotype bovine', 'non affected pig', 'efficiency 35 41', 'sw1953 ssc8 chromosomewise', '05 result open', 'rambouillet single nucleotide', 'completed using representative', 'response variable largest', 'number pig furthermore', 'happened prrsv free', 'brahman hereford family', 'activity deletion', 'shear force wb', 'insemination 78 half', 'bta15 associated pt', 'including eqtl', 'gene rxra', 'concentration wk measured', 'genotyped biec2 808543', 'r2 low', '9657c led gain', 'gwas use prior', 'suggest potentially', 'analysis snp showed', 'present study connected', 'lamb dissected genotyping', 'respectively using luciferase', '13 14 13', 'bovine chromosome study', 'seven overlap previously', 'behaviour large animal', 'repeatedly field tested', 'overdominance located position', 'resource family 245', 'candidate gene total', 'qtl detected trait', 'french porcine', 'trait nanyang', 'association seasonal', 'liver mainly enriched', 'igg production ripk2', 'firstly identified', 'snp completely', 'analysis epistatic', '683 kb', 'qtl transition probability', 'sire family 1026', 'beefbooster m3 line', 'variation finding', 'confirm qtl old', 'commercial breed characteristic', 'size number lifetime', 'calving difficulty difficulty', 'pax3 erbb3 kitlg', 'teat number including', 'growth selection', 'effect assumption single', 'clarify complex', 'ssc2 s0143 ssc12', 'vertebral number economically', 'mapping identifying gene', 'augmented values marker', 'bw gain wg', 'incorporated awassi', 'measured milk', 'vaccine pathogen challenge', 'polymorphism segregating', 'chromosome associated py', 'metabolism stearoyl', 'initially analyzed using', 'literature 161', 'ndv challenge', 'region reported', 'region chromosome revealed', 'trait addition identified', '80 snp', 'gene mechanism involved', 'disturbed development', 'planned milk', 'weight quality', '10 thirteen', 'cattle breeding program', 'thought account majority', 'trait previous study', 'anaemia control ranged', 'nucleotide qtn fat', 'isoforms pig pde4b', 'infection growth rate', 'difficult measure trait', 'enteritidis se', 'sequenced porcine', 'substantially increased', 'phenotype result used', 'second analyzed', '110 case 170', '25 kg', 'difficulty qtl', 'snp associated suis', 'locus missed approach', 'performed fa', 'boar 513 duroc', 'significance lower', '280 cow dairy', 'compared ct', 'gwas explore', 'qtl resolution possible', 'pcr test time', '01 bmy population', 'performed statistical', 'gwas model total', 'use approach identify', '04 respectively', 'weighting qtl genomic', 'region genome close', 'underlying mixed linear', '92 mb', '10 ebv', 'fish directly', 'genomic region explain', 'effect significant fat', 'including restoring depressed', 'gpe 539', 'area 05 conclusion', 'nonsense mediated', 'cis cis 11', 'rich facial wrinkle', 'population stratification significantly', 'receptor transcription factor', 'embryo anxa10 female', 'different autosome bta13', 'snp health production', 'cm sc female', 'f4ab f4ac', 'conclusion study complement', 'represented resistant', 'wfe body weight', 'related trait list', 'ca mg', 'tested nordic', 'identified gene cyb5a', 'force wbsf measure', 'lactation leading', 'polymorphism region hsp90aa1', 'day hatch', '07 23 dbwavg', 'chicken aim study', 'pedigree imputation', 'true association', '1st 2nd', 'detected chromosome 27', 'holstein male', 'chromosome milking', 'luciferase assay result', 'trait complex economically', 'finnsheep objective', 'model accounted imprinting', 'generation experimental cross', 'snp attained', '423 number fully', 'chain reaction single', 'known acute', 'bci component', 'skeletal deformation', 'sc confirm importance', 'derived cross large', 'line selected', 'binding calcium ion', '0204 0001 conclusion', 'cw present study', 'model near', 'regulating pathway hypothalamus', 'signal region addition', 'higher imf', 'adg contribute better', 'thoroughbred standardbred french', 'potential association gene', 'number new', 'respectively result provide', 'complement factor', 'analyzed subsequently', 'week analysis gtf2a1', 'increase knowledge', 'difficulty red', 'type trait', 'siva1 gene', 'target sequence', 'percentage total protein', 'expression comb', 'autosome 19', 'locus ho', 'higher ph', 'low 107 reflect', 'phenotyped fcr', 'largely depends', 'candidate variant located', 'animal breed difference', 'associated fat percentage', 'individual heterozygous homozygous', 'sample conclusion taken', 'based human study', '46 qtl', 'offspring heterozygous', 'w80x association', 'surrounding snp', 'dna pool probability', 'value 0000175', 'loin depth backfat', 'analysis performed divergently', 'fp pp dmy', 'horse derived', 'change conducted', 'likelihood estimation variance', 'human health', 'ssc8 siw', 'size chromosome dairy', 'set indicating prlr', 'including anti ndv', 'affecting trait positional', 'detection carried fatness', 'including shh', 'human murine', 'muscle trait', '0056 0016 respectively', 'yw qtl met', 'skeletal trait', '377 performed using', 'cattle resource population', 'snp effect milk', 'sympathetic nervous important', '24 addition', '44 cow', 'detected intron', 'positional information candidate', 'hypothesized imprinted gene', 'moisture percent ssc12', 'conclude presence', 'integration largescale', 'approach allowed', 'associated level', 'breed untapped resource', '15 cytokine', 'low moderate effect', 'study gwas population', 'spacing 20', 'addition seven single', 'utr sheep', 'complex phenotype candidate', '01 ssc7', 'size lcorl associated', 'gene investigation', 'polymorphism intron mutation', 'region showed', 'sequenced data', 'targeted eqtl', 'recombination occurred dik8042', 'gene responsible equine', 'qtl linked sensory', '119 cow genome', 'yearling yearling height', 'haplotype frequency', 'function melanogenesis indicating', 'low indexing pig', 'microsatellite marker performed', 'production complex trait', 'marker complex', '001 high', 'rfi haplotype block', 'progesterone receptor membrane', 'heifer dna', 'containing fmo1', 'analysis cnv overlapping', 'gene underlying snp', 'acid bhb used', 'known immunity related', 'family genotyped 128', 'confirmed carcass composition', 'shadow correction peak', '54 gene', 'identified 35 candidate', 'ovlv macrophage tropic', '56 identified 22', 'association previously detected', '257 ewe', 'illinois population 298', 'pathway analysis', 'weight embryo', 'gene normal ahr', 'negative correlation 96', 'piglet included', 'phe⁷ melanocyte stimulating', 'association ssr thermal', 'selection reached', 'association analysis 47', 'population limiting', 'explained polygenic', 'resistance carrier state', 'detect chromosomal', 'underlying trait dairy', 'additive variance estimate', 'grade hanwoo', 'chromosome region wide', '746 bp length', 'myod1 gene used', 'followed detailed', 'e5 1st intron', '05 equine chromosome', 'background disorder', 'chromosome oar19q24dist', 'cow positive', 'health addition genetic', 'i199v locus associated', 'consistent mammal known', 'trait association significant', 'located downstream transcription', 'using pooled', 'type ewe analysis', 'evenly spaced', 'c14 content intermuscular', 'association runx2', 'pcr association analysis', 'effective reduction tainted', 'similarly result presented', 'globulin glo recorded', 'examined segregation 10', 'gene crucial effect', 'selection pig', '305 291 polymorphism', 'analysed selective sweep', 'reciprocal backcrosses born', 'functional domain prl', 'poultry breeding work', 'effect employed', 'occidental population', 'egg production developed', 'ii e1 cyp2e1', 'different cy', 'known porcine ldha', 'na create crucial', 'including thoroughbred', 'mapped porcine fatty', 'mutation female fertility', 'distinct indigenous', 'potentially influenced selection', 'ubiquitin protein', 'qtl pleiotropic', 'using genotype information', 'sample chi', 'implemented number', 'positional comparative candidate', 'glucose dependent insulinotropic', 'microarray gene expression', '10 11 behave', 'receptor play', 'density genotyping array', 'marker use pig', 'line origin', 'analysis order verify', 'largest effect sl9', 'total 2589', 'increase post mortem', 'pick type lysosomal', 'interval 78', 'region sscx qtl', 'vital role myogenesis', 'bovine gene hem1', 'combined mitochondrial', 'increasing importance', '40 variation', 'improve litter', 'scan genotyped additional', 'ct genotype bull', 'regression model plink', 'bta6 15 microsatellite', 'acid ratio longissimus', 'respectively peak qtl', 'abdominal fat different', 'mll lm', 'linkage protein yield', 'carcass classified choice', 'range qtl', 'linkage group location', 'model boar', 'process experienced', 'trait economically important', 'udder trait chromosome', 'study identification causal', 'ewe mrna', 'f2 experimental', 'comprising total 27', 'autosomal chromosome utilised', 'myh3_rs81437544t casp3_rs319658214g ctsl_rs332171512a', 'composition aim', 'snp rs109663724 significantly', 'cross step cm', 'data blood sample', 'variant association genetic', 'design consisting german', 'lysine demethylase', 'microsatellite marker population', 'background infectious disease', 'snp regression seventy', 'parameter herd year', 'mutation capn1', 'warranted article review', 'evaluation population 46', '56 18 tibia', 'performed identify', 'pleiotropic effect distinct', 'establishment animal', 'quality trait information', 'remains explored', 'percentage fatpc leanpc', 'affect serum', 'locus involved rao', 'chicken infinium', 'lhx4 map3k5', 'present chromosome', 'exterior traits', 'individual qtl', 'near telomere homologous', 'trait previously reported', 'including genomic region', 'altering transcription', 'total 62 genome', 'lung thirty', 'percent qtl', 'highlight underlying', 'selection increase level', 'snp identified genome', 'ph1 carcass', 'genome significant', 'muc13 enteric bacteria', 'respectively uncovered additional', 'pigmentation significant qtl', 'pathway validated gene', 'norwegian red cattle', 'probability corrected diallelic', 'peak cm', 'proliferation promoted', 'chromosome qtl analysis', 'sire linkage', 'nematode infection population', 'copy vrtn mutant', 'including gonadotrophin releasing', 'joint design', 'reveal genetic pathway', 'dmi phase', '252 white leghorn', 'added increase', 'detected snp 619', 'development dna test', 'card15 gene', 'qtl affecting stillbirth', 'level haplotype', '462 snp marker', 'binding affinity cortisol', 'concentration prolactin mixed', 'porcine qtl', 'representative snp', 'willebrand domain itih', '16 70 cm', 'trait 214', 'trait cow far', 'knowledge multibreed', 'different mode', 'cattle individual', 'rainbow trout ass', 'determining recombination breakpoints', 'lactation lp1', 'information growth', 'site tested', 'gene characterized porcine', 'different mechanism underlying', 'phenotypic distribution extended', 'variation innate', 'bmp5 interaction', 'used trail', 'bull low fertility', 'strong environmental effect', 'total 187 marker', 'association replicated sample', 'weekly basis', 'parorchis fat', 'productivity dairy', 'implying snp causal', 'influencing scrapie incubation', 'model included categorical', 'synthesis enhances', 'including newly', 'separate model joint', 'illumina beadchip genome', 'efficient layer', 'im linkage analysis', 'include interferon induced', 'nba snp itih', 'tep1 study', 'genomic profiler beadchip', 'cow national herd', 'human chimpanzee chicken', 'bola nc1 loc512672', 'beef industry', 'med4 cab39l', '90 sscx epididymal', 'population epistatic', 'gene significantly', 'diameter mrna', 'line beginning 1995', 'significantly associated ascites', 'scavenging production generally', 'sw2456 qtl fat', 'gain block h1', 'cnvrs divided category', 'associated parasite', 'immunoblot analysis', 'egg count fec', 'gene established role', 'according epl', 'architecture quantitative', 'algorithm improved', 'sequencing experiment showed', 'data genome 11', 'altering expression', 'scan family regression', 'affecting abdominal', 'sexually precocious', 'studied trait strongest', 'mass egg', 'particular fatty', 'basis osteochondrosis', 'selection important', 'lr study', 'stage breed characteristic', 'mechanism underlies', 'protein content cell', 'moderate range 42', 'autosome identified strong', 'prediction equation estimate', 'ankyrins positional functional', 'horse livestock specie', 'conclusion hmga2 closest', 'trait affected environmental', 'calpains inhibited', 'luxi crossbred', 'pirm syndrome cattle', 'mean maf', 'assist identification', 'trait stature body', 'high heritabilities', 'cattle detect association', 'controlling pathogen commercial', 'heterozygote 29', 'lp region 106', 'gene dependent', 'wild boar intercross', 'rfi indicated', 'trait conditional selected', 'showed low moderate', 'gain adg identify', 'effect polymorphism acsm5', 'polymorphism bioinformatics analysis', 'yield peak', 'new insight gdf9', 'selection identification genetic', 'economically important factor', 'pig offer opportunity', 'erythrocyte meat', 'meat intact', 'bp 251', 'commercial way', 'qtl identified arm', 'bw detected ssc6', 'mcse3f14 umnp1218 unlikely', 'variation marker', 'teat absence', 'model cutaneous melanoma', 'data pig industry', 'improvement meat', 'interval 21 mb', 'occurrence supernumerary', 'physiological trait current', 'included lcorl', 'cattle routinely', 'underexplored study', 'continues threaten swine', 'point association analysis', 'gga9 static', 'esr1 gene', 'impacted meat', '01 observation differential', 'genotyping additional microsatellite', 'passing qc identified', 'diameter density total', 'selectively bred improved', 'genetic background innate', 'qtl statistically', 'presence false', 'wide level 35', 'transport process', 'high association', 'connected f2', 'similar effect difference', 'breeding selection program', 'chromosome varied', 'nematodirus strongyle', 'qtl ssc5 spanned', 'hmga2 similar', 'genome scan based', 'partly remained experiment', 'declare significance heritability', 'service period heifer', 'different size', 'qtl affect', '15 il', 'pair high linkage', 'experimental population based', '77 40 59', 'family respectively', 'protein delta', 'susceptible osteoporosis', 'lower number', 'cattle population austria', 'tests genotyping', 'analysed 799', 'histochemical muscle', 'expression microarray', 'test conducted', 'lameness genetic', 'association snp 270t', 'allele family pa', '17 conformation functional', 'population study enables', 'gene associated milk', 'generation nucleus', 'detect static developmental', 'snp analyzed haplotype', 'different chromosome accounted', 'divergent line romney', 'family rainbow', 'parameter individual protein', 'qtl region appeared', 'chromosome 81 mb', 'marker cm used', 'using reverse phase', 'rate correction', 'age slaughtered', 'analysis 38 fatty', 'common form', 'involved protective immunity', 'population pig', 'cast gene refinement', 'eqtl associated', 'showed genotype', 'catfish large resource', 'plasminogen activator play', 'gene 0005634 value', 'categorical phenotype defined', 'technique used utilized', 'implemented genabel using', 'disease day 42', 'structure performed using', 'ability detect sequence', 'implemented genabel', 'deviation unit general', 'background variation', 'wssgwas used estimate', 'chicken using', '88 mbp', '680k total', 'muscle depth 001', 'tlr2 canadian', 'cm bta2', 'mir transcript ultimately', '001 proportion', 'different broad fat1', 'egg homozygous genotype', 'fit test model', 'interval close', 'linear model faecal', '2323 2325 snp', 'fshr expressed', 'multiple variant', 'selection locus associated', 'iterative process estimate', 'characterized retention 48', 'explain loss reproduction', 'autosomal marker', 'reaction strong', 'incidence mastitis production', '16 udder', 'objective advanced phase', 'shaping individual', 'individual different cattle', 'brahman angus 176', 'density required advantage', 'seen charolais', 'conserved small', 'ketosis 083', 'oc expected', 'int11 snp ex11', 'qtl mapping using', 'qtl mapping population', 'locus qtls considering', 'increase facial wrinkle', 'integrity immune', 'difference greater', 'fetal death', 'specific antibody production', 'model hatch', 'exceeding suggestive', 'sire scored illumina', 'cbg coding', 'cell count scc', 'fat carcass length', 'animal 5453 estimate', 'genomic blup genome', 'index dfi', 'composite div2', 'cattle dsn', 'impact functional trait', 'measurement female', 'bwg fi', 'sib family 903', 'dermatitis dd cause', 'anka f2', 'position 2834c', 'parameter difficult measure', 'commercial way cross', 'detected various chromosome', '1311t adrb2', 'line population', 'accounted 75', 'associated phenotypic estimate', '62 71', 'genetic mechanism high', 'granddaughter design bull', 'technology used', 'gwas summer', '51 2n', 'limitation developed', 'normative approach gwas', 'cross phenotypic data', '720 informative snp', 'thirty qtl lbw', 'animal information', '10 lod', 'bta25 region', 'ph 24 postmortem', 'exploring dominance variance', 'oncogene meq comparison', 'used designed', 'revealed qtl single', 'genetic variation opn', 'herd tested bvd', 'qtl ph 24h', 'infection 05', 'cow parturition associated', 'increased protein', 'cwt ema', 'holstein cow 90', 'truncation point 10', 'locus bayesian approach', 'uc number fully', 'group ranged', 'multiple locus method', 'especially holstein breed', '26 milk', 'columnaris infection population', 'public snp 47', 'affecting carcass', 'confirm common evidence', 'contaminated egg', 'days 96 day', 'localized marker dik1054', 'qtl effect nested', 'anova stage', 'fat related', 'progeny wagyu', 'segregation ssc4 qtl', 'ripk2 associated tick', 'greater susceptibility btb', 'ryr ecf18r', 'acid c14 0064', 'holstein square', 'threshold value 28', 'adapted tropical environment', 'evidence bta14', 'knowledge level', 'allergen specific', 'gene related intelligence', 'genotyped population 503', 'protein cpeb4', 'div 140', 'juiciness roast sample', 'genetic variance gene', 'comprised total 239', 'study trait', 'study variation distribution', 'analysis ovine chromosome', 'heritable cis vaccenic', 'component related genome', 'ability cheese production', 'beadchip performed cow', 'diet induced', 'gga1 explained', 'ab bb result', 'earlier susceptible', 'milk chl rxfp1', 'promoter region variant', 'fertility linkage disequilibrium', 'ampk associated adfi', 'conserved human mouse', 'partial efficiency', 'differentiation developmental', 'reproductive performance major', 'selection sire direct', 'born litter', 'study variant fasn', '112 mb gga2', '0001 ltnp', '16 landrace', 'circumference 12 month', 'effect detected chicken', 'methodology yielded', 'dgat1 linkage', 'acid composition pig', 'locus qtl gp', 'mean identifying snp', 'statistical analysis demonstrated', 'genotyped 106 informative', 'mutation hmga2 gene', 'gene mmp2 associated', 'trait trait', 'significant qtl effect', 'different american yorkshire', 'certain size', '64 9mb bos', 'analyzed sa proc', 'bovis bovis', 'analysis failed identify', 'detected region chromosome', 'logp 57', 'complex associated cattle', 'fst genome wide', 'meat quality vitro', 'implantation placentation suggest', 'analysis bone strength', 'baat phlpp1 highlighted', 'means protein', 'genomic mapping region', 'partially explained existence', '18 suggestive', '52 10 rfi1', 'intake given certain', 'second comprised 38', 'qtl region different', 'dairy cow increased', 'fitting growth curve', 'metabolism deserves', 'particular identified region', 'qtl affecting eggshell', 'study various human', 'ttll7 result', 'used deregressed', 'respectively marker significantly', 'downstream s26859', 'weight egg ewfe', 'involved energy', 'industry tenderness', 'suggest development related', 'emmax imputed', 'confirm present', 'study conducted gwas', 'identification 01', 'responsible gene result', 'week respectively', 'acid content heritabilities', 'result total 201', 'bovine chromosomal segment', 'severe economic loss', 'hen genotype', 'ntng1 pign znf75a', 'gene cdkn2a', 'thickness bft evaluate', 'using volodkevitch test', 'occurred frequency', 'candidate gene valuable', '039204 rs109579682', 'udder medium', 'altamurana gentile', '13 feed', 'muscle ph', 'animal subset 336', 'divided f8', 'xirp2 frzb col5a2', 'grandsire family used', 'gallinarum cause', 'respectively sl9', 'ssc4 ph', 'housing season age', '1710c predicted', 'feather bird', 'pedigree reverse transcriptase', 'tenderness zebu composite', 'sequencing allele frequency', 'significant different screening', 'animal detected northern', 'cause subfertility', 'region distributed 15', 'f10 f12', 'female need', 'variance c6', 'using rank', 'undetected using population', 'qtl affecting bw', 'marker chromosome 18', 'generation backcross eu', 'bone comparing transcriptome', 'multiple meat', 'trait conclusion demonstrate', 'test station', 'breeding improved', 'genuinely affecting carcass', 'feed intake measured', 'intercross slow', 'power accuracy', 'putative qtl haplotype', 'curve identify important', 'rambouillet sheep', 'thrsp small', 'phenotypic data 60', 'rump angle chromosome', 'location compared', 'gene porcine growth', 'using denser', 'resistant susceptible chicken', 'delta desaturase', 'gene promoter region', 'study performed mean', 'accounted f2', 'dominant genotype', 'expressed regulated development', 'showed high', 'follicle remaining', 'content 62 average', 'mbp highly', 'mortem phase', 'present study cloned', 'pwg cumulative trait', 'c2c12 result suggest', 'genotype available 44', 'detected ssc12 conclusion', 'bta6 recfat genomic', 'population significant qtls', 'cooperation phagocytic', 'episode psychotic', 'trait 10', 'background present', 'trait method', 'genotype accounted', 'qtl detected independent', 'used map locus', 'genome wide significantly', 'finding blood biochemical', 'correlation polymorphism', 'dj suggested', 'trait model population', '17 qtls affecting', 'phosphodiesterase 1b', 'day ai using', 'cm s0102', 'coli etec f4ac', 'measure impact genetic', 'phosphorylation apoptosis protein', 'reduce bone fracture', 'variation exists genome', 'line line', 'mycobacterium avium spp', 'warmblood horse subsequently', 'young bull', 'genotype sirna interfering', 'breeding strategy nematode', 'potent form', '16 12', 'controlling tick resistance', 'history breed', 'growth fat', 'novel snp seven', 'resistance trait chinese', 'trait content', 'gwa analysis performed', 'soft tissue', 'wl allele wl', '149 85', 'cluster identified potential', 'pig considerable', 'identified expression', 'animal genotyped 124', 'significant height', 'chromosome scd gene', 'f18 k99', 'gene csnk1g3 prkcq', 'associated tick burden', 'growth carcass trait', 'trait maximum heritability', 'exists affecting', 'locus near', 'mapped area qtl', '418 f2 86', 'cyb5a known indirect', 'result demonstrated porcine', 'heterozygous state', 'hrh4 aldh7a1 apoa2', 'synonymous mutation 200', 'qtl 74 segregating', 'nesfatin regulates appetite', 'cell subpopulation', 'expression puberty', 'bringing behavioral change', 'meat quality trait', 'correlation marker', 'cdk5 nf2 fasn', 'disease world causing', 'associated hu', 'line 990', 'parent bird genotyped', 'gblup object', 'altering biogenesis mirnas', 'trait iowa', 'hem 05 level', '50 total 155', 'acid conclusion gwas', 'le certain result', 'lower hg', 'tc associated', 'population independent discovery', 'snp haplotype cluster', 'trait conclusion various', 'bovine interleukin', 'highlighted significant', 'significant snp mb', 'scrapie largely controlled', 'cumulatively accounted', 'polymorphism non smc', 'qtl affect number', 'region containing', 'taurus indicus despite', 'lamb selectively genotyped', 'size experimental', 'experimental verification', 'numerous cell type', 'study demonstrates genetic', 'displayed high', 'polymorphism association study', '10841g 10936g', 'statistical analysis fastphase', 'threshold seventy', 'enhance gin', 'grade dmi bw', 'twh collected', 'dimorphic qtl suggest', 'body mass index', 'basis longitudinal', 'age 04', 'gestation meishan fetus', 'difficulty milk yield', 'achieved statistical significance', 'immune disease', 'global sheep population', 'number vertebra associated', 'teat number causative', 'useful resource identifying', 'related energy', 'receptor tlr4', '10 south german', 'potentially genetically', 'relatedness horse', 'total ige level', '2015 99', 'marker average markers', 'cattle peak association', 'synthetic breed 547', '56 association', 'infection nematode resistance', 'qtl allele allele', 'tissue type urokinase', 'variety 18 variety', 'gene involved mitochondrial', 'liver tissue fmo5', 'comprehensive study variability', 'dimension average muscle', 'backfat muscle', '11 14 total', 'qtl trait different', 'netrin ntn1 consistent', 'ldl 82', 'trait 246 canadian', 'comparison bvd', 'proximal muc13', 'adg dry', 'study indicating large', 'wide association study', 'includes candidate gene', 'molecular mechanism responsible', 'kirrel3 moderate high', 'allele positive impact', 'c896t influenced', 'phenotype genotype used', '2780 identified significant', 'haem pigment', 'sc ft genome', 'near suggestive qtl', 'showed prediction accuracy', 'costly disease dairy', 'program boar taint', '53 copy', 'contributed sire', 'test disease genome', 'susceptible lamb', '14 using model', 'differing level performance', 'measured 630', 'significance set', 'score lei0071', 'animal consist 446', 'etiology thoroughbred tb', 'acid thirty genomic', 'c16 c18 located', 'favorable role late', 'suggesting potential', 'identified 35', 'infection position', 'located 29 34', 'lw phenotypic', 'medius muscle analysis', 'environment interaction exist', 'lda log10p values', 'influence colour', 'lrp12 1101a 0006', 'genotyped chromosome', 'location body weight', 'refining location', 'breed performed genome', 'porcine chromosome association', 'avpr1a exploited selection', 'locus detected basis', '139 marker identified', 'snp calculated allelic', '19 24 harbour', 'characteristic micronutrient utilization', '60 total production', '26 48 cm', 'associated 10 dcd', 'considerable phenotypic variance', 'sire pertained', 'qtl mapped gallus', 'signaling play essential', 'improve genetic', 'thoroughbred low', 'study 230 pig', 'nature trait', 'mapping qtl analysis', 'differed modern pig', 'efficiency phenotype', 'f2 female birth', 'interaction meishan cross', 'study power detect', 'ch snp associated', 'data suffolk', 'palatability fatty acid', '23 total', 'panel including', 'candidate gene need', 'balance organism', 'male litter', 'phenotype sequenced way', 'horse second stage', 'displaying extreme phenotype', 'individual cc', 'charolais population respectively', 'using 430 animal', 'significant qtl 90', 'evident gene genetic', '68 rna 50', '032 increased milk', 'contributing ascites advance', 'consider haplotype', 'expression candidate gene', 'following trait analysed', '14 29', 'cc gc genotype', 'meat deposition italian', 'play key', 'near gene encoding', '124 128 cm', '660 individual chinese', 'fat thickness 22', 'female sib', 'reporter assay result', 'country identification locus', 'acid significantly', 'study revealed', 'exploit dissect genome', 'aggressive behaviour chicken', 'pig objective present', 'qtl gene small', 'dependence quantitative', 'region discovered contributes', 'female f₂ population', 'gene p2x3r', 'animal recorded', 'introduction variance component', '0001 0053 haplotype', 'dataset finally studied', 'composition trait significant', 'snp located sal1', 'specie teladorsagia circumcincta', 'studied 54 red', 'litter size study', 'longissimus lumborum muscle', 'major allele imputation', 'described causal', 'dna breed sire', 'carcass measure trait', 'demonstrating importance region', 'gr 004 proportion', 'heritable expressed late', 'performance animal', 'acid taurine', 'meat yield thigh', 'roan horse 379', 'ligand vitamin', 'norwegian standardbred', 'strain brother approximately', 'count recorded genomic', 'located ppp3ca', 'mstn gene', 'causing wider ci', 'susceptibility multiple', 'tissue fmo5', 'related novo lipogenesis', 'chromosome 31', 'lm sm ssc', 'rate analysis identified', 'sscp analysis concluded', 'located chromosome mcw0168', 'represent true effect', 'breed selective', 'group housed pig', 'region single trait', 'potential region study', 'ewe polymerase', 'italian dairy cattle', 'originally genotyped 60', 'ltl ph', 'behaviour predisposition cause', 'mouse gene involved', 'sow gene', 'region variant', 'loin yield 028', 'analysed daily', '68 evaluated', 'candidate gene molecular', 'fasn cc genotype', 'muscle finding', 'bw42 tibia', 'stature skeletal muscle', 'using experimental', 'report direct measurement', 'contributes variation milk', 'ulceration ssc12', 'yielding genotype tt', 'poor 2009', 'analysis data single', 'akr1c genotype', 'cow conception rate', 'improve reproductive', 'size biological function', 'cytoskeleton pathway bta04810', 'body measured', 'meat despite', 'uniparous sheep', 'breed trait', 'producing precursor', 'record used', 'relating 42', 'new significant snp', 'infection bvd', 'trait 45 snp', 'underlie trait linkage', 'day model', 'preservation beef', 'respectively breed', 'snp rxfp2 support', 'haplotype estimate effect', 'component polygenic', 'controlled number locus', 'pig 326', 'yield dominance', 'effect caused difference', 'higher seasonal', 'dxa lod', 'region regulating gene', 'year old synonymous', 'coding region gon4l', 'close marker bms2508', 'novel unique', 'sw1943 created used', '313 chicken', 'developing footrot identified', '100 dam', 'pecking aggressive pecking', 'delta desaturase gene', 'growth trait nanyang', 'marker narrowed region', 'maturity rate', '23 26 study', 'vip vip receptor', '200 300', 'defined sow attacking', 'expressed parorchis', 'shear force heterozygous', 'body slanting length', 'ew separate univariate', 'heme content', 'difference transcript', 'determination qtl 119', 'population genotyped 654', 'trait minolta ultimate', '0058 chicken h3h3', 'model respectively repeatability', 'module used assign', 'ra oncogene family', '15118664g 15118683c', 'hen age', 'suggestive qtl shell', 'total 221', 'covering 110 cm', 'concentration 300 ssc7', 'group cg used', 'association mapping approach', 'microsatellites 15', 'genetic control developmental', 'affecting economically important', 'dlk2 modulates', '27 chromosome', 'region bta14 significant', 'bta5 microsatellite marker', 'protein variant haplotype', 'fcr dmi', 'ewe dorset', 'interval sscs 10', 'spectrin associated protein', 'effect trait', 'trait measured 960', 'acid exchange glu13asp', 'challenged wild type', 'potentially favorable', 'gwas assumption', 'chromosomal segment revealed', 'progressive debilitation', 'cattle reared grass', 'respiratory syncytial', 'demonstrate effect', 'contribution trait', '50 43', 'trait statistical model', 'estimate different', 'line generation design', 'spp1 abcg2', 'unravelling gene cause', 'qtls affecting milk', 'muscle development finding', 'key trait sheep', 'region ssc5', 'derived map', 'animal pig population', 'analytical model', 'characteristic derived milk', 'direct sequencing', 'population data set', 'expected 24 true', 'holstein cow raised', 'accelerate genetic', 'enriched variant', 'gene implicated polydactly', 'utilization potential candidate', 'varied 03', 'eca15 genome', 'significantly affect level', 'gene associated obesity', 'ssc14 region', '18 growth', 'locus associated trait', 'examination rib eye', 'family structure', 'finding require', 'snp identified contribute', 'gwas noriker horse', 'a65188c t65444c affected', 'backfat depth recorded', 'sensory organoleptic physical', 'significance 24', 'genomic context region', 'different architecture utr', 'parity objective', 'score respectively significant', '18th generation relaxed', 'haplotype kg', 'omy9 identified large', 'domestic wild advanced', 'number position quantitative', 'snp greater', 'containing 57 636', '370 number mummified', 'taking place live', 'g489a mutation', 'gene evaluate', 'casein kappa dgat1', 'human cytomegalovirus', 'ii plus', 'significantly changed', 'significantly associated region', '73 effect allele', 'progeny accounting', 'orthologous gene searched', 'bac containing bovine', 'coincidence qtl previously', 'c12 c14 c14', 'mb 10 sheep', 'population applying selective', 'lead loss reproductive', 'mb region bta14', 'animal 240 day', 'africa display polyceraty', 'group ssc', 'egg industry breeding', 'variant 02', 'detected independent', 'c6 caprylic', 'segregation sscx', '2108c 2228t 2281a', 'respectively wgebv', 'mechanism quantitative', 'ssc4 ssc13', 'tyrosine present', 'ph pig', 'snp 01', 'allele fto', 'adapted local environment', 'suggested potential positional', 'detect gene', 'detected qtl inaccurately', 'chromosome explaining', 'pattern region ssc5', '35 968 snp', 'linkage group lge22', 'location similar trait', 'region apovldl', 'snp position 49223', 'intake efficiency 37', 'human overlapping', 'cattle particular important', 'trait localized', 'qtl chromosome use', 'pelibuey sheep', 'ass level consistency', 'arq vrq animal', 'valuable information enhance', 'identify novel quantitative', 'xpter xp2', 'trait ewe', 'steer breed cross', 'computationally faster', 'covariate animal common', '380 snp suggestive', 'etec type', 'generation 71', 'ca 24 cu', 'carry risk', 'close 10', 'gg ag', 'autosome used scan', 'panel consisting', 'breed zn', 'active open', 'rate litter size', '42 51 total', 'confirmed importance', 'gwas result studied', 'variance polyunsaturated fatty', '73 microsatellites maximum', 'criterion minor allele', '11 behave', 'xinghua chick compared', 'autozygosity mapping', 'explained improved', 'height identified locus', 'progeny candidate gene', 'breaking strength subsequent', 'crucial evidence relationship', 'using prnp gene', 'cattle breed polymorphism', 'myog snp potential', 's0312 s0113', 'weight dissected', 'confirmed emmax significant', 'muscularity le involved', 'goal number', 'holstein 31', 'spp1c 430g spp1c', 'trait tibial dyschondroplasia', 'drai genotype', '02 ema', 'subtraits uterine infection', 'focused region', 'identified time specifically', 'holstein bull dna', 'novel pig', '54k snp genotype', 'significantly linked maternal', 'bovine chromosome 27', 'procedure sa software', 'meta analysis fatness', 'lfec significant', 'snp cyp21', 'model clarify genetic', 'gene gnas', 'vl moderate', 'non slick individual', 'located sscx peak', 'common expensive disease', 'genotyped 362 marker', 'developmental growth', 'foundation understanding', 'ante post', 'date genome', 'egg production chicken', 'horse previously genotyped', 'bos taurus result', 'population built detect', 'fp fertility', 'qtl explaining', '13 58 cm', 'seq dataset', 'spaced 31 autosome', 'trait low governed', 'weight seminiferous tubular', '37 association detected', 'allele piedmontese', 'sscp sequence', 'frequency removed quality', 'locus statistically', 'cattle led', 'suppresses expression', 'linkage mapping study', 'rao cohort', 'composition meta', 'using taurine', 'csn3 cm', 'published study aimed', 'contributed red maasai', 'rea observed', 'marker similar magnitude', 'genotype produced', 'polymorphism trait detected', 'tested difference sheep', 'serine asparagine', '54 58', 'pathway intracellular bacteria', '777k illumina', 'apart arpp21 gene', 'variability muscularity', 'caused linked locus', 'transcription factor pit', 'effect seen qtls', 'porcine fatty', '26 28 revealed', 'eca7 genome scan', 'gene se', 'study proposed', 'conferring nematode', 'underpowered different', '462 snp', 'alpha ppargc1a atp', 'daughter stillbirth btax', 'genome result', 'candidate gene worthy', 'consisting subsequent batch', 'evaluated trait bw', 'region trib1', 'significantly associated slope', 'phi greater 35', '599g variant located', '830 924 regional', 'qtl ssc16 hdl', 'similar effect population', 'yield milk protein', 'problem world association', 'snp associated predicted', 'gain prediction accuracy', 'lactation curve wood', 'f2 erhualian', 'identified bradyzoite', 'qtl analyse effect', 'multiple trait single', '444 additional', 'association mean egg', 'locus influencing', 'american holstein', 'bovine chromosome 14', '39 46 cm', 'marbling association', 'mutation creating', 'pig significantly', 'breed basis fixed', 'evolutionarily economically unsurprisingly', 'detected notable region', 'promoter 1043a 402a', 'homeostasis glucose insulin', 'involved protective', 'kasp genotyping', 'abcg2 investigated', 'gga_rs16098446 ggaluga348518', 'candidate c10 c12', 'integrative analysis expression', 'ldla identified qtl', 'performed white duroc', 'spotted 875', 'family qtl detected', 'using snp consistent', 'individual 100 cm', 'mbl gene highly', 'indicating target recent', 'guanine nucleotide', 'accuracy prediction improves', 'variant discordant sib', 'cnvrs compared meishan', 'genotype desirable', 'hsa region', '204 expression downregulated', 'heave naturally occurring', '26 autosome 1560', 'harmful recessive haplotype', 'sequence novel snp', 'acid profile promote', 'using subtypes approach', 'flock segregating allele', 'deal best population', 'significant result monoamine', 'adaptability natural selection', 'extent white', 'uncover region genome', 'dna polymorphism effect', 'cmp composition', 'chromosome 70', 'meat carcass quality', 'significant area', 'tropical climate condition', 'measure milk dna', 'snp3 13281c', 'using 96 sgc', 'need castration', 'estimated heritabilities genetic', 'footrot affected', 'kb downstream genotyped', 'located haplotype block', '157 key ancestor', 'fertility measure investigated', 'consistent previous report', 'compare performance', 'trait subset population', 'mediates regulation catenin', '55 mb chicken', 'thickness measure calcium', 'thickness skin', 'iga trait', 'chromosome region affect', 'population raised different', 'novel potential candidate', 'variance trait', 'improve traditional breeding', 'lipid metabolism highlighted', 'finnsheep objective study', '60 locus', 'therapeutic target', 'fragment snp', 'breeding day length', 'level 650', 'pig exposed', 'functionally plausible', 'wide significance non', 'study validate gene', 'survival genotype', 'additional 119', 'association confirmed', 'cow using daughter', 'multiple generation animal', 'bp untranslated region', 'qtl interval decreased', 'mutation akt3 significantly', 'finding economical', 'whipworm suis', 'accurate selection faster', 'maml3 setd7 liver', 'polymorphism liver major', 'depth mll', 'pig breeding company', '10 49', 'odds control ovlv', 'pcr investigated association', 'contortus tertiary haematological', '17 23 25', 'ewe 01', 'residual phenotype', 'wdr24 arl8a phlda3', 'trait related performance', 'qtl interval ii', 'using owner based', 'af breast muscle', 'negative logarithm', 'population highly', 'study identified 74', '110 cm', 'permeability increasing', 'considerably past 20', 'vertebra 44 69', '083 standard', 'snp illumina bovinesnp50', 'involved multiple process', 'qtl boar reproductive', 'data genotyped', 'detected ssc', '479 521', 'screened presence', 'nelore breed tropical', 'study develop genetic', 'used additionally repeated', 'f41 isolated', 'horse absent', 'contour feather total', 'csf vaccine', 'marginal area informative', 'selection signature', 'observed fast growing', 'susceptibility particular', 'trait targeted genetical', 'oar6 cm', 'significant validation', 'increase power identify', '10 snp crossed', '2552 animal', 'cattle information', 'family necessarily location', 'opposite 05', 'santa cruz website', 'analysis 0007', 'data identified snp', 'controlling single', 'component regulation', 'studies involving ssc2', 'uncorrected adjusted multiple', 'associated mt genome', 'targeted resequencing followed', 'compared heifer pregnant', 'locus map', 'gene tested association', 'including tirap', 'cw simultaneously', 'function differential expression', '12 vf2', 'examine genetic contribution', 'specifically male', 'coding rna mainly', 'mbp gene ontology', 'ham cut', 'information genomic selection', 'snp3 snp43', 'high ovulation rate', 'carcass gradefat', 'total number haplotype', 'mapped 16', '27 28 mb', 'secondary potentially', 'bta6 casein', 'high depth', 'cell modulation', 'lcorl associated', 'analysis gemma software', '23 25 qtl', '38 gene zbtb38', 'individual genotyped 488', 'played bmp15 protein', 'current prrs', '253 259', '135 f2', 'genotype animal pig', 'significance association', 'stimulating brown fat', 'vca model testing', 'day 100 kg', 'region salmonid', 'respectively identified', 'genetic factor process', 'trait chicken insulin', 'ability estimated', 'polymorphism porcine adiponectin', 'plink additive allelic', 'throughput snp genotyping', 'transported commercial packing', 'number individual applied', 'analysis resulted identification', 'glo recorded association', 'index enriched', 'analysed seven pig', 'flanking promoter', 'qtl identified study', 'multiple independent', 'region regulation haematocrit', 'receptor drd2', 'functional mechanism', 'obtained single', 'antral stage', 'identified wssgwas', 'program developed', 'gene pde4b', 'nup88 fkbp10', 'spanning region chicken', 'colour score detected', 'stillbirth significant cause', 'heritability 49 042', 'present study suggests', 'explained small proportion', 'recommendation use', 'respectively remained', 'f2 individuals intercross', 'encompassing snp harbour', 'susceptibility addition tb', 'addition relevant abnormal', 'composition resource', 'gene vtn', 'linkage analysis commercial', 'total 18 mutation', 'population showed', 'polymorphism level', 'paulo goiás', 'compared single population', 'fat weight', 'capacity negatively correlated', 'high density linkage', 'dairy population analyzed', 'population consisted 139', 'sheep valle del', 'using 791 animal', 'functional gene region', 'analysis trait meat', 'fec 113 worm', 'mutation paternally', 'placental blood', 'allele reached 14', 'slaughter age covariate', 'gwa study conclusion', 'mdv including', 'particular trait population', 'qtl static', 'site used', 'based 45 animal', 'height wh rump', 'assigned casein protein', 'produced line', 'dpr 20', 'trait bearing genotype', 'udder health somatic', 'acth hormone', 'tenderness qtl ssc2q', 'pleiotropic favorable marker', 'production high', 'response end', 'disequilibrium sire', 'foetal bovine', 'snp exhibited irregular', 'showed strength analysing', 'specific mating', 'igf2 in3 g3072a', 'ag genotype 05', 'level gluc', 'candidate use', 'body weight parental', 'cgi 58 member', 'feed intake gwas', 'resistance ketosis', 'highly polymorphic microsatellites', 'gamete method', 'effect 01 snp', 'suggest gene responsible', 'qtl close', 'chest croup width', 'selection produce', 'linkage analysis carried', '140 kg daily', 'rate oestrus', 'variation population', 'count fec coccidia', '63 solely', 'map result map', 'identified association moderate', 'identified homologous human', '76 snp', '000 genotyped', 'imprinted qtl sss17', 'h5n2 outbreak', 'breed sheep', 'behaviour large', 'gene accounted fitting', 'pattern additive dominant', 'provides insight', 'mtdna maternal', '96 phenotypic variance', 'atresia relatively common', 'refine map position', 'polymorphism bmp15', 'receptor insr am950289', 'sample crop daughter', 'breed 86', 'identified chromosome influenced', 'spleen lung liver', 'white spotting dairy', 'cm intestine length', 'odc polymorphism growth', 'reported calf', 'shown important', 'mapping mapped', '427 informative', 'seventy snp significantly', 'effective approach genetic', 'bovine mapping', 'beadchip population stratification', 'fcr phase association', 'lalba mrna', 'model simulation study', 'result suggest variation', 'danish holstein 237', 'region addition expression', 'subunit prkag3 fatty', 'performed german holstein', 'contractile type', '506 chinese native', '73 14 08', 'tail length width', 'interval qtl positional', 'content 01', 'prrs partially rapid', 'model principal', 'data 1182 nellore', 'marker ebvp', 'metatarsus circumference', 'performed using illumina', 'ssc7 ssc13 ssc1', 'region associated piglet', 'improving imf', 'marker entire', '27 sire genotyped', 'ssc1 ssc6 ssc13', 'colour utilising', 'contain quantitative trait', 'marking forelimb 05', 'cm1 second parity', 'linkage independent', 'population 331 total', 'comb mass qtl', 'sheep meat', 'japanese brown', 'thickness conclusion', 'leading change', 'trait muscle fiber', 'qtl bta7 bta14', 'japanese black wagyu', 'approximately 63 genome', 'qtl highly', 'rfi study identified', 'control line difference', 'region 01', 'better characterize', '20 mb region', 'breeding program present', 'gwas improve', 'haplotype inferred significant', 'cloned cdna genomic', 'chromosome total 2589', 'mb genome wide', 'eqtl mapping using', 'kr0 kr3 kr6', 'marker accuracy qtl', 'representing 98', 'mapping interacting', 'tertiary protein structure', 'commercial sow using', 'previous rna sequencing', 'conducted order', 'sytl3 051 gene', 'gene oc region', 'cattle mutation segregated', 'dorsi 439', 'count fwec', 'berkshire duroc generation', 'protein confirmed', 'crest cell', '49 46', 'location variance', 'offspring allowed', 'complementary approach segregation', 'acid based position', 'heterozygote allele', 'pathway gwa analysis', 'snp g100597a snp1', 'carrier animal', 'holstein gh', 'iberian young boar', 'condition control analysis', 'implementation breeding', 'included model absorb', 'size performed gwas', 'snp associated fcr', 'used estimate relative', 'validate previously detected', 'gene identified result', 'rt101 strain putative', 'insemination fertility', 'scored 18 274', 'puberty ap early', 'different nutrition', 'bp upstream s26859', 'information used data', 'study previously', 'known gene diacylglycerol', 'significant contrast 21', 'contribute understanding biological', 'genotypic data collected', '31 cm 17', 'teat reproductive', 'muscling qtl evidence', 'density feather improve', 'domain gr meat', 'r2 493 753', 'study scottish blackface', 'model using regression', 'ssc1 ssc6', 'production water', 'low lg growth', 'intercross method shown', 'programme chicken', 'snp make available', 'significant economic problem', 'placentomes different', '10 43 asiatic', 'population potential', '94 snp strong', 'acid pufa content', 'gene elovl6', 'type sex', 'using white leghorn', 'nimblegen sequencing', 'nup88 adck4', 'identified 17 qtl', 'improving program identify', 'result egg', 'mcat pc', 'cattle variant affected', 'rate important component', 'crossbred male herd', 'population result suggest', 'word genotype differ', 'chromosome 18 grand', 'difference ltn rtn', 'significant linkage family', 'association xkr4 genotype', 'study deduced', 'lr gwas', 'outbreak blood sample', 'factor 60', 'refines understanding', 'detected reproduction trait', 'ssc 10 ssc', 'provided candidate', 'mapping result demonstrated', 'parent offspring', 'significant qtl exceeding', 'reaction single strand', 'tnb significant association', 'hugo nomenclature calpain', 'spleen addition', 'genotype significantly greater', 'days open', 'ca2 release', 'gwas detected 50', 'seven popular breed', '40 significant', 'linear unbiased predictor', '2189 cattle snp', 'data angus population', 'locus cm region', 'effect syntenic region', 'breed 100', 'selected commercial population', 'potential used genetic', 'production lung', 'suggesting linkage', 'totally 15 gene', '11040379c confers higher', 'reporter assay', 'birth weaning bw', 'information sufficient', '719 holstein', 'cattle improving lp', 'pig homozygous muc13a', 'induced guanylate', 'spliced gene', 'considered rsnps', 'trait help genome', 'selected analyzed', 'highest milk density', 'rs42518459 bta3', 'bta22q24 previously qtl', 'influence value', 'result suggested bta', 'chromosome eca 10', 'locus used gblup', '343 ujumqin', 'significant proportion variation', 'highest snp explaining', 'located protein kinase', 'cm 17 81', 'assembled annotated', 'haplotype involving', 'help elucidate genomic', 'seven qtls reached', 'variation number vertebra', 'homozygous calf', 'interaction nos2 haplotype', 'bta14 bta23 snp', 'horse livestock', 'peak trait located', 'ph showed association', 'used create sequential', 'tested bta2', 'hematin content', 'gene imprinted', 'sire chance', 'designated regulatory', 'bp 17 bp', 'crossing breed', 'ile199val i199v thr30asn', 'suggested limb bone', 'coding region trib1', 'expectation qtl allele', 'production trait french', 'rate data', 'gluteus medius saturated', 'quality seasoning aptitude', '18 data study', '6911 marker', 'common haplotype commercial', 'gene linked social', 'heart weight final', 'mapped f2', 'susceptibility modified horn', 'fst measured', 'pietrain sinclair', '692 bull', 'explaining variation', 'highlight effect divergent', 'level epr qtl', 'breast muscle yield', '417 son', 'complementary control strategy', 'contribute understanding significant', 'processing tm', 'potential relationship studied', 'test advanced', '4321a 4850a', '340 bull estimated', 'equine orthopedics severity', 'selected related', 'effect qtl located', 'embryonic factor', 'qtl effect estimate', 'make identification mutation', 'basis revealed positional', 'heifer conception', 'shadow correction analysis', 'step better understanding', 'used locate quantitative', '2449c 6723a', 'gene spi2 serpina1', '15 chromosome porcine', 'fertility essential increasing', 'largest prediction', 'obtained ssc12', 'nce4 nce7 001', 'qtl affect fertility', 'spatial temporal', 'season 001', 'retain high', 'salmonella resistance identified', 'dpi ndv', 'phenotypic md', 'pig ancestry', 'short tail sperm', 'danish jersey dj', 'right rtn maximum', '12 candidate', 'analysis revealed powerful', 'resulting altered', 'estimated report', 'black limousin', 'carcass trait investigated', 'level commercial sire', 'plausible candidate gene', 'pig rich', 'hoxc8 qtl chromosome', 'boar phenotype different', 'different chromosome different', 'frequency allele maternal', 'change wide range', 'snp explaining 30', 'expressed quantitative trait', 'pedigree analysis', 'highest average', 'tested italian large', 'bw13 respectively window', 'process cft', 'e577d coding variant', 'resistance advantageous', 'cattle moderately heritable', 'role played', 'using asreml', 'population effect haplotype', 'yield trait fleckvieh', 'nucb2 expressed fat', 'value ebv', 'explaining highest additive', 'egg production flock', 'analyzed f2', 'genetics birth trait', 'pcvd used', 'used create panel', 'compared genotype', 'minolta respectively', 'revealed polymorphism region', 'affinity cortisol 25', 'approach targeted gene', 'circumstance maximum difference', 'qtl improve', 'indicating large population', 'associated rbc rdw', 'pig intramuscular', 'allowed reduction', '341 f2 animal', 'sequenced broiler', 'study segregating commercial', 'cattle sequencing association', 'analysis multiple trait', 'horse breed best', 'followed association', 'han sheep better', 'position 3481bp fabp', 'discovered family trait', 'anchored linkage group', 'accuracy bayesian', 'preparation meta', 'white srb', '1st 2nd 3rd', 'cm gga1 hw', 'jointly accounting', 'ornithine decarboxylase', 'marker form', 'pig line paper', '05 quantitative', 'linear score binomial', 'h3h3 diplotype egg', 'diameter 444g', 'early indicator', 'enabled conduct', 'harbour important', 'breakdown deep', 'using bayes option', 'identify locus affecting', 'cdna isolated', 'microphthalmia associated', 'lrt 13 20', 'allele associated higher', 'slick hair coat', 'result genome wide', 'stillbirth maternal calf', 'based binomial theory', 'breed analysis date', 'chromosome contains', 'qtl ti', 'addition refined prediction', 'behavior lower', 'gemma method gwas', 'covariate animal', 'inbred line white', 'demonstrate ph', 'efficient calving performance', 'infected non infected', 'difference heterozygote', 'typhoid 2007', 'purebred crossbred', 'additional drop', 'w80x seven cattle', 'exploit linkage', 'gene present study', 'complex economically', 'cnv identified', 'enhance marker', '43 423 chromosome', 'aa differed ab', 'cas9 crossbreeding', 'moderate high estimate', 'trait showed different', '05 detected associated', 'involved signal transduction', 'plus suggestive qtls', 'taken postulated increased', 'f2 population seven', '30 romane sheep', 'tested departure hardy', 'genomics approach line', 'region included cluster', 'synonymous snvs', 'dienoyl coa reductase', 'le significant', 'qtl evaluated range', 'used confirm 13', 'gene bta17', 'yield trait detected', 'pig multimarker', 'heritabilities gwas', 'considered contrast calculation', 'method porcine f2', 'population thirty', 'positional concordance association', 'plus dominance deviation', 'prioritization common', 'production trait stature', 'h3h7 greatest pew', 'maternal meiosis separately', 'easier selection positional', 'polymorphism putative', 'progeny produced', 'snp piii genbank', 'f41 adhesion phenotype', 'surrounding eye', 'earlier reported qtl', 'generation linkage disequilibrium', 'membrane calcium', 'performed using constrained', 'bayes option', 'trait tendency significant', 'region moderate', 'add number', 'component body', 'nil commercial', 'year using', 'colour based genomic', 'conception snp', 'swiss population including', '10 naturally scrapie', 'native cattle hanwoo', 'carcass growth', 'qtl collectively', 'domain prl', 'variant independently affect', 'animal aa genotype', 'meat percentage individual', 'performed qtl', '355 snp rate', 'bta 14 age', 'intronic snp aj885515', 'using 251', 'wide linkage qtl', 'month post', 'experiment conducted determine', 'cattle combined', 'cie ssc6 15', '25 4mb bta14', 'gwas 10', 'regulated tata independent', 'response heat stress', 'deviation egg weight', 'acop area', 'temperament collected', 'association 012 genome', 'modified animal gene', 'emission cattle considerable', 'higher milk', '210 240', 'control density contour', 'cross significant', 'developed breed', 'oiliness umami', 'aggressive behaviour trait', 'increase power gwas', 'level slope protein', 'moderate diversity 25', 'expression maml3 setd7', 'control lameness record', 'meta analyses larger', 'critical region harbour', 'paper polymorphism', 'beef breed 243', 'test association haplotype', 'molecular mechanism hematological', 'rs41694646 located', 'association test measured', 'allele genotype association', 'significant mean', 'smaller qtl interval', 'measured 333', 'showed fabp4 tightly', 'test whittemore halpern', 'candidate causal variation', 'kph hot carcass', 'parasite resistance', 'pde4b lphn2', 'selection program study', 'prophylaxis aim', 'analysis sscx involves', 'marginal effect', 'harbored highest number', 'background qtl various', 'population molecular', 'carcass drum', 'lipid trait correspond', 'scan study', 'oc palmar', 'improve healthiness dairy', 'based strategy prioritize', 'mll width measured', 'residual polygenic effect', 'approximately 93 kb', 'ewe selected', 'genotype class arr', 'predictor corticosterone level', 'regulates bone reabsorption', 'human study', 'chromosome 10 revealed', 'conductivity 24 ph1', 'pig revealed significant', 'trait result bta04', 'resistance coccidiosis chicken', 'chori 242', 'half sib ewe', '88 single', '1029 sheep half', 'snp achieved statistical', 'different qtl main', 'remains unknown', 'region explains', 'spine length', 'induction btg1 fetal', 'variety medical complaint', 'different inbred chicken', 'gene detected mbp', 'deposition additional backcross', 'single trait meta', 'analysis population danbred', 'androstenone qtl', '28 cb type', 'explored rainbow', 'gene involved thyroid', 'result confirm location', 'cross used identify', 'finnish ayrshire calf', 'pi bta26', 'located flanking', 'breed formed', 'effect plumage color', 'significantly correlated t3', 'transfer total', 'experimental backcrosses', '660 animal', 'broad fat1 region', 'qtl affecting single', 'milk trait order', 'complex disease', 'degree assistance', 'facility selected represent', 'binary trait f2', '751 039', 'revealed bp', 'mapped linkage', 'affecting sc german', 'pig monitored pig', 'variability qtl region', 'non infected cohort', 'neutrophil recruitment activation', 'meishan prolific pig', 'mapped gga1 marker', 'diameter 05', '155c snp', 'trait allele', 'gene detected using', '27 statistically', 'polymorphic gene conferring', 'rely anthelmintic', 'candidate gene affecting', 'square test 05', 'related trait ssc2', 'sweep qtl', 'date qtls', 'transfecting 293 cell', 'snp fst gene', 'included high density', '626t snp associated', '103 significant', 'abcg2 spp1', 'binding region', '34 52 07', 'lean line saturated', 'cattle tick count', 'acaca solute', 'investigated skatole androstenone', 'extensive research', 'genotyped 416', 'lipid accretion 120', 'synthesized fa', '0001 observed qtl', 'candidate mutation determine', 'region obtained ph', 'associated tolerance johne', 'chromosome threshold level', 'population associated bw', 'effect tm', 'nba gene interestingly', '246 canadian', 'ribeye muscle', 'effect influence detection', 'flock challenged separate', 'large proportion snp', 'investigated gene located', 'microarray gene', 'analysis revealed mlnr', 'effort understand', 'lmh lean', 'mutation qtl 93', 'glmm regression chunk', 'data porcine bac', 'account ld exists', 'type prrsv', 'prediction blup ridge', 'gene pgf', 'gga4 genome wide', 'variation observed milk', 'oc fetlock ocd', '250 f2', 'weight affected', 'genotype year', '169 c57r', '30 semen', '694 966', 'sheep wool', 'inheritance frequency', 'cab39l gene considered', 'region m3', 'gene underlying locus', 'sheep aim', '13 18 genome', 'sd significantly', 'fat trait gamete', 'model respectively', 'structural integrity', 'qtl affecting relative', 'inner outer subcutaneous', 'involved major immune', '20 strongest evidence', 'snp causal polymorphism', 'available offspring', 'non pregnant', 'identified serum lipid', 'enssscg00000022338 ssc dscam', 'female parental strain', 'scan total', '342 lamb', 'association lfec significant', 'companion animal specie', 'feather growth largely', 'model spontaneous', 'born parity differed', '14 previously identified', 'cm1 cm2 approximately', 'line average', 'danish dairy cattle', 'prolificacy contrast', 'class disease', 'fat yield breed', 'dj heritability', 'different potential genomic', 'farrowing population', 'bta20 overlap sck1', 'marbling defined', 'microsatellites detected significant', 'novel marker including', 'provide important genetic', 'refined region associated', 'revealed common involvement', 'prosaposin psap selected', 'possible candidate major', 'method total 435', 'rft marbling score', 'mapped site', 'suited development genetic', 'regard birth', 'approach haplotype', 'allele using marker', 'infected scrapie', 'significant contrast', 'ad ac ae', 'bft total particularly', 'replicates extreme group', 'chromosome close osteopontin', '01 significance level', 'pig melim', 'imf longissmus thoracis', 'male offspring', 'feed efficient pig', 'pcr kasp genotyping', 'candidate cnvs', 'indicated pleiotropic', 'dry matter', 'lmm bvs', '426t 1226t', 'experimentally infected population', 'influence lactation period', 'locus chromosome 15', 'production nordic', 'sire dam', 'limb bone fbmd', 'protein percentage cow', 'explained large', 'higher raspf7', 'gene finding', 'based marker assisted', 'position qtl shape', 'meat intact uncastrated', 'insemination horse availability', 'cause significant', 'program beef', 'furthermore pathway analysis', 'line number teat', 'origin 107', 'population 695 individual', 'mhc allele', 'suggesting trait regulated', '10 12 15', 'susceptibility ketosis clinical', 'affecting breast muscle', 'finnsheep known high', 'serpina6 gene encoding', '10 additionally', 'difference line mapped', '14 74', 'locus c3c serum', 'mycotoxicosis sheep', 'development behaviour phenotype', 'aa pig', 'sd controlled', 'composition result gwas', 'developmental stage', 'chromosome targeted snp', 'encoded distinct', 'demonstrated proposed method', 'association smaller', 'ssc6 ssc7', 'member nudix', 'transcript bovine', 'activity number volume', 'cdna zfat pig', '30 compared', 'underwent field', 'challenged ndv', 'association melanoma', 'productivity indigenous chicken', 'half sib design', 'regression method used', 'suffolk 998', 'interval microsatellites bm1227', 'nucleotide position 461', 'acid change asp', 'trait false', '75 cfu intolerant', 'snp rs319678464g', 'trait expression nucb2', 'reported association sperm', 'mapping qtl cluster', 'likely closely linked', 'charolais holstein f2', 'nucleotide substitution', 'muscle component captured', '44 significant association', 'pufa longissimus', 'panel total', 'emmax htr', 'bco2 w80x', 'cow highly significant', 'different effect distinct', 'marker small region', 'containing qtl bone', 'function previously', 'small non', 'snp upstream lcorl', 'growth rate difference', 'validation previous', 'distance kb', '85 149', 'af549499 502 allele', 'function efficient promoter', 'selected ancient sacrificial', 'trappc9 flanking', '278 fish 58', 'analyzed chromosomal', 'cm bta6 sire', 'ewe lamb season', 'genome used', 'genotyping objective', '392g associated sc', 'acid degradation phospholipid', 'wide significant qtls', 'sd ph', 'dissect af', 'hemoglobin mch', '23 25 fatty', 'allele exists', 'asp298asn primarily', 'bone growth mineralization', 'gene considered good', 'pseudo phenotypes', 'pig industry ham', 'trait chicken', 'factor cardiovascular disease', 'snp60 chip', 'candidate locus eca3', 'frequency 03 08', 'data holstein', 'family size varied', 'incorporated genotype', 'reported nucleotide', 'qtl designed', 'rate service 16', 'seven different region', 'correction phenotypic', 'linked antagonistic', '25316t skewed', 'cattle population excluded', '129 70', 'important domain protein', 'disorder identify', '94 zn', 'binding site concordantly', 'individual derived', 'population negative correlation', 'sharing higher degree', 'consistent negative linkage', 'tnf gene 74', 'meat production previously', 'femur white', 'efficient calving', 'thickness measurement novel', 'dna pool include', 'gene fat1 locus', 'different linkage disequilibrium', 'locus porcine', 'salmonella poultry', 'addition identifying new', 'bmp15 mutation', 'offspring genotyping offspring', 'region conducted', 'qtl marbling detected', 'polymorphism association sensory', 'snp associated mrna', 'cp crude fat', 'csn3 association', 'muscle non', 'validation aim study', 'multipoint variance component', 'classical linkage analysis', 'reported association related', 'fras1 reported connection', 'strong gregariousness weak', 'genomic location vicinity', 'large grandsire family', 'associated fy genome', 'percentage gga15 novel', 'result interpreted carefully', 'oar6 associated', 'detection potential marker', 'atp1a1 gene using', 'decr1 me1', 'result support hypothesis', 'qtls economic important', 'period heifer', 'qtl sheep chromosome', 'trait gave evidence', 'detected winter milk', 'endophyte infected', 'gene study largest', 'utilize weighted', 'dam good', 'neuropathy rln bilateral', 'density refined ci', 'conserved antigen determinant', 'infection prophylactic use', 'estimated genetic effect', 'genotyping approach population', 'normande cow using', 'yorkshire pig resource', 'pcv challenge start', 'pepsinogen pga5', 'beef cattle association', 'regulation haematocrit hem', 'chicken induced', '10 snp window', 'terminal repeat', 'correlation phenotype', 'weight partly', '24 chromosome', 'disease asthma human', 'farmer government', 'factor central zinc', 'identified likely closely', 'use meishan chromosome', 'conformation key trait', 'dnajc15 dhrs12 mlnr', '142 included significant', 'generation animal significant', 'snp 137 178', 'genetic test production', 'bcse locus', 'density refine previously', 'feather live', 'lw h2 34', '512 chicken originating', 'likely causal mutation', 'insulin secretion significantly', 'nematode result ram', '61 reason ham', 'transcript variant 2398', 'reveal important interacting', 'breed appearance genotype', 'adg data', 'complex region chromosome', 'finding polymorphism 15', 'accuracy rib counting', 'receptor ahr gene', 'bf 30', 'maternal behavior parturition', 'rho gtpase', 'af bm', 'lameness global sheep', 'performed oar2', 'suffolk sheep immunostaining', 'tt snp3', 'level backfat showed', 'locus exception marker', 'wide level detected', 'p2ry5 fndc3a', 'ph sm', 'fbxo32 deposited', 'fleece weightand staple', 'danish pig production', 'contained 52 individual', 'layer segregating line', 'major effect milk', '01 backfat', 'number additional qtl', '01 yw', 'predictive ability', 'exhibit exceptionally large', 'deleterious factor stallion', 'marker employed identify', 'sscx number type', 'breed reared tropical', 'network pathway analysis', 'wide test', 'age 198 day', 'bone integrity', '150 180 210', '928g indel', 'carrier male 61', 'cm qtl affecting', 'false negative association', 'involvement development mammary', 'btb data comprised', 'included gene gene', 'locus mediating', 'mcv red', 'contains polymorphism', 'total 524 progeny', 'using range', 'marbling considered', 'combining social', 'eighty dairy sarda', 'reference population run6', 'selected informativeness grandsires', 'conferring adequate', 'component qtl', 'high short distance', '67 genome', 'length ratio percentage', 'regarding effect', 'traditional culinary', '001 averaging compared', 'affecting 01', 'iberian landrace ib', 'em loin', 'analysis indicated gene', 'effect identified furthermore', 'f2 sutai population', 'prospect refining estimate', 'harbor genetic', 'size reduction', '120 md 967', '12 gilt showed', 'associated higher adfi', 'induced significantly', 'data individual', 'genetic pool italian', 'peak position sus', 'suggestive linkage gga2', 'conclusion total finding', 'teat absence presence', 'gene ubiquitously', 'marker kd103 oarvh34', 'record 1026', 'associated entropion', '377 performed', 'chicken 252 white', 'associated calving performance', 'lm qtl genetic', 'select snp', 'white red', 'numerous locus study', 'estimation behavioral trait', 'new alternative', 'gene independent', 'powerful using', 'solar ultraviolet radiation', 'associated occurrence osteochondrotic', 'high 18 55', 'association similar scale', 'c231t c34t gdf9', 'landrace pig using', 'search literature', 'breeding line', 'red junglefowl domestic', 'week carcass weight', 'separately f2 male', 'ssc qtl reported', 'genotyped 166 marker', 'ensembl gene 83', 'fine mapping target', 'linked milk production', 'revealed suggestive qtl', 'data 255 brahman', 'simultaneous dimensional', 'animal different genetic', 'breed different meat', 'color egg production', 'conducted applicability genomic', '360 animal', 'set created according', 'significantly associated bursa', 'cradd suppressor cytokine', 'qtl shed', '07 205', 'power breed multibreed', 'studied conclusion supported', 'interesting non random', 'keel radiographic density', 'important regulation bovine', 'polymorphism missense', 'related generation', 'shape growth fatness', 'significantly improving', '47 dam backcross', 'antibody generated ripk2', 'insulin induced phosphatidylinositol', 'causal gene involved', 'identity bovine primate', 'explained 21', 'glycogen meat respectively', '164a 928g indel', 'weinberg equilibrium genomic', 'number identified', 'mass single locus', 'snp rs41919999 rs132865003', 'lactation average somatic', 'performed genome scan', '217 single', 'thickness enrich', 'broiler initiated body', 'ranged 51 35', 'skatole associated snp', 'critical role formation', 'grin1 gabrb2 gabrb3', 'examined 93', 'adjustment false', 'known milk', 'olig2 sod1', 'similar sample', 'salmonella infection', 'qtl large white', 'allele associated longer', 'trait locus carcass', 'livestock identifying', 'tgfbr1 gene polymorphism', 'excluded involvement analysed', 'performance farm', '44 fe', 'chromosome 27 single', 'g38819398a snp', 'trait significant different', 'new mainly backfat', 'confirmed selected', 'present study neaurp', 'site pcr acrs', 'extended f2 population', 'affect mastitis', 'genomic variant', 'polymorphism snp chip', 'teat important', 'genomic program', 'distinguish favorable', 'candidate gene apd', 'role protection various', 'faso phenotype assessed', 'quality phenotypic', 'ci 65', 'qtl baseline', 'bovine breeding provide', 'ebv rear', 'nematode infection', 'cnvrs existing', 'cdna identified', 'pig ancestry result', 'individual egg size', 'reactivity reactivity', 'known pathway', '504 bp length', 'disease remain major', 'analysis failed', 'bull interval', 'jianquhai pig positive', 'quality trait greatly', 'association growth egg', 'considered qtl region', 'sow overall muc4', 'error variance', 'ranged 56 18', 'trait simultaneously', 'c14 cis c18', 'simpler trait', 'minimum false', 'matched non affected', 'individual heterozygous', 'cm 51', 'correspond fat1 locus', 'date pig asp298asn', 'qtl effect cross', 'chromosome particular', 'identified gwa study', 'previously proposed mathematical', 'horse filtering process', 'spot trait', '5453 estimate additive', 'evaluate statistical significance', 'disease chicken induced', 'gene identified region', 'type iia iib', 'affect production efficiency', 'dairy cow', 'mastitis qtl studied', 'multiple method', '203 microsatellite marker', 'region porcine mir206', 'observed different genotype', 'bmp2 loin muscle', 'set comparison standard', 'observed family examined', 'count rbc mean', 'disease myocardial infarction', '0001 conclude', 'bco lower hg', 'bta22 lactation', 'disease extreme', 'carried variant', 'performance intact boar', 'assessed farmer categorical', 'cattle population used', 'qingyu pig finding', 'selection consistent', 'approach combination genomic', 'abcg2 ibsp', 'containing kndc1', 'estimated 89', 'accumulation indicating', 'associated different fat', 'assisted selection cm', 'ld extends', 'purebred erhualian', 'welfare productivity farm', 'variation haplotype mutation', 'different marker', 'effect distinct behavioural', 'ssc7 single', 'combination trait chromosome', 'deviation beneficial', 'high meat', 'daughter 14 paternal', 'distance snp', 'snp stat5b gene', 'association analysis undertaken', 'corresponding standard', 'mm qtl', 'c14 c16 identified', 'testing chromosome', 'widely applied disentangle', 'literature functional analysis', 'using illumina bovine', '885 snp', 'informative snp', 'understanding risk', 'lack extended homozygosity', 'highly correlated clinical', 'data highlight variant', 'research communication investigate', 'using affection statue', 'genome various physiological', 'variant pclo', 'attribute flavor', 'fluctuates population', 'essential snp', 'allele pietrain sow', 'ii perform', 'lolium arundinaceum schreb', 'sheep lead', 'teat assuming alternatively', 'loin ham', 'ssc4 23', 'research gain', 'allele 474 494', 'association allele 64', 'evaluated effect', 'sheep scientific', 'myostatin gene', 'sample transcriptome average', 'ssgwas bootstrap', 'complexity counting random', 'btb holstein', 'partly genetically', 'closely spaced marker', 'effect beef marbling', 'qtl variance', 'haplotype commercial', 'milk region previously', 'inadequacy overcome', 'intron variant', 'backfat thickness fat', 'dominance heterosis', 'high resistance btb', 'population 433', 'analysis fst gene', 'lous npy', 'measured wwt', 'ssc3 genome wise', 'shaped genetic pool', 'suggested angus', 'rate controlled 10', 'search conducted', 'haplotype defined', 'approach detect artificial', 'increased ovulation rate', 'breed pietrain chinese', 'efficiency trait bos', 'acid lta', 'chronic mastitis objective', 'multiple location management', 'qtl emmax larger', 'trait functional relationship', 'using 100 000', 'value mbv according', 'marker affecting nba', 'post infection', 'unlike previous', '13 result suggest', '61 sire', 'age blood', '233a significantly associated', 'quality grade', 'pig breed known', 'analysis mmra', 'spectrin associated', 'detected 19', 'revealing complex trait', 'selecting faster', 'study osteochondrosis oc', 'collected blood sample', 'site paired box', 'examined histologically', 'resolution genetic map', 'shared bearing', 'service breeder', 'vii project', 'mhc polymorphism ascertained', 'attribute fresh meat', 'service calving interval', 'late lactation', 'using seven correlated', 'mutation remaining', 'membrane ion', 'associated enhanced', 'genome f2 animal', 'le exploratory', 'mcp set', 'validated sift polyphen', 'chicken line partially', 'explained 13 51', 'cn gd higher', 'using genetic resistance', 'dgat1 significant effect', 'axis reduced fearfulness', 'inter individual variation', 'conducted 10 837', 'associated intramuscular fat', 'moment calibration', 'tb driven selection', 'performed software allowed', 'using korean holstein', 'chicken genetic map', 'loss day brine', 'issue bovine', 'form using genome', 'analysis total 45', 'furthering understanding', 'level closest gene', 'c18 intramuscular fat', 'c17 intramuscular fat', 'qtl region focused', 'iii use genome', 'rate declining milk', 'exon confirmed', 'detecting qtn', 'little known biology', 'present study aimed', 'qtl detected 05', 'mb 150 174', 'animal known map', 'sib family structure', '13 sw1495 sw520', '14 dark 54', 'comprised 45 marker', 'mb qtl region', '11 527 holstein', '16 autosomal', 'bone trait including', 'sheep fitting vca', 'basis trait fully', 'moderate size effect', 'variation horse significantly', '02 003 01', 'potential secrete', 'mineral status bone', 'novel coding single', 'cattle verify', 'osteochondrosis horse', 'nuclear extract', 'correlated trait adfi', 'sq dq', 'ultrasound examination', 'fat lactose total', '43 damara', 'composition tissue', 'lw phenotypic data', 'a111g c231t c34t', 'addition scs sd', 'polish landrace', 'piglet survival', '128 cm imf', 'trait possible functional', 'aquaculture industry', 'gga14 notable finding', 'cheese breeding use', 'identified enhance', 'ghr oxct1', 'indel increased', 'qtl represent', 'expression data previous', 'trait meat color', 'ssc14 increased ap', 'unlike asian', 'directed search qtl', 'line total 132', 'snp effect significantly', 'birth homozygous calf', 'negative regulation', 'identified best', 'discovery rate 01', 'rate qtl supported', 'based genome wide', 'sire 200 daughter', 'map provides', 'using 20 000', 'protein percentage pp', 'meishan lw', 'migration inhibitory', 'chromosome activity specific', 'significant qtl located', 'qtl population conclusion', 'bootstrap option gensel', 'genotype lumbar', 'heifer bred ai', 'area lea confidence', 'highly demanded', 'male genetically unrelated', 'approximated single', 'chromosome dominant parent', 'lamb 371 genotyping', 'identified bta13', 'second cm2', 'gb data identify', 'holstein reported', 'propensity em', 'landrace fact', '26 sheep', 'content identified chromosome', 'ssc3 baseline trait', 'sscp technique polymorphism', 'spectrometry maldi', '52 08', '01 chromosome wide', 'second qtl associated', 'using illumina 60k', 'associated multiple chromosomal', 'associated fatty acid', 'trait directional selection', 'genetic variance muscle', 'mass single', 'potentially genetically simpler', 'exon bp', 'gene elovl6 elovl7', '668 copy number', 'network associated milk', 'severity treating', 'measured daily', 'breed landrace', 'gene detected 716', 'basis growth fatness', 'including sperm', 'generation f3', 'genetic variant bovine', 'suggesting multiple analysis', 'associated white facial', 'value revealed single', 'haplotype appeared associated', 'selection region harbored', 'jb2 excluded', 'response keyhole lymphet', 'analysis underpowered different', 'build total 45', 'porcine chromosome', 'study 16 snp', 'refined qtl cm', '0001 observed', 'gene 750 investigated', 'investigated potential', 'analysis allowed detect', '80 chicken genome', 'thbs1 r2', 'non precocious heifer', 'phenotyped genome', 'trait genetic additive', 'defect selection', 'egg number age', 'regulatory mechanism', 'marker evenly spaced', 'rich repeat guanylate', 'cattle using genomic', 'response scrapie', 'kw carcass', 'addition percentage', 'ssc4 region based', 'ether pc indicating', 'qtl strongly', 'challenge resistant', 'using paternal half', 'score associated infection', 'status total serum', 'technique polymorphism coding', 'carcass trait statistically', 'snp autosomal chromosome', 'component c3', 'dissection population', 'chromosome causal mutation', 'production trait production', '12 week result', 'colouration chicken treating', 'limited study', 'pig human obesity', 's0003 16', 'muscle meat tenderness', '1447 fish', 'ld linked qtl', 'size unusually originated', 'steer bull precisely', 'term related immune', 'mutation large effect', 'meishan bamei', 'holstein population seventy', 'cattle criollo descent', 'snp cnvs', 'study effect swine', 'interval litter w2cl', 'percentage correlation milk', 'complete linkage', 'procedure result showed', 'gene using dna', 'targeted molecular characterization', 'physical map utilized', 'mapping result', 'gwas particularly indicated', 'autosome single qtl', 'image analysis fat', 'cla 9c11t', 'effect bw70 fcr', 'received alternate', 'type ram', 'qtl lie', 'selected 10', 'compared corresponding', 'beadchip data editing', 'efficiency blup', 'cattle complex quantitative', 'product including sheep', 'mb size flanking', '50 associated locus', 'body composition meat', 'marker density following', 'trait time igg1', 'effect mutated allele', 'expression bmp5', 'lactating cow ability', 'bcs bta7 bta13', 'huiyang bearded', 'resistance avian coccidiosis', 'capacity significantly 05', 'specific stage', '483 cow female', 'selection using gdf8', 'site protein conclusion', 'polymorphism related', 'gene offer valuable', 'day heifer bovine', 'identified gga1 351', 'family effect', 'hip width', 'pro ala val', 'met substitution position', 'artificial insemination station', 'leg toughness sex', 'sc linked', 'low risk gene', 'kg day lean', 'family protein', 'long terminal', 'probably play', 'frequently reported metabolic', 'chi2 190 058', 'analysed following', 'associated insulin thyroid', 'identified 22', 'slc44a5 pde4b lphn2', 'comparisonwise threshold', 'tissue combination single', 'represents significant global', 'cm ros0005 mcw0225', 'kinase phk', 'assembly single nucleotide', 'locus including novel', 'selected high growth', 'ssc15 54 cm', 'responsive gene later', 'including yearling mean', 'conclude result consistent', '1e 05 shared', 'genomic analysis respectively', 'oviposition bwf', 'area surrounding', 'comb dataset', 'common qtl breed', 'cebú tested', 'lymphoproliferative disease', 'ratio study qtl', 'study gwas implemented', 'established method', '83 cm', 'behaviour vca result', 'sheep chromosome', 'odds score 70', 'npc1 gene', 'cnv burgeoning', 'beneficial influence', 'cattle multiple', '14 convalescence day', 'carrying mutant allele', 'worldwide enhance ability', 'significant marginal effect', 'skin color', 'host genetic susceptibility', 'consistent qtl parameter', 'haplotype combined', 'rate estimated', 'determination stimulating', 'discovery rate confidence', 'activity hek', 'life interval calving', 'maximum difference cm', 'pcr case control', 'sequencing quality control', 'standard deviation parenthesis', '10 association', 'design analyze 16', 'regulator ppara', 'role myogenesis', 'rdhe2 v33a', 'bta2 bta29', 'model jph1', 'relationship matrix gemma', 'willebrand domain', 'type member', 'demonstrated complete association', 'prolactin concentration typically', 'strongyle specie teladorsagia', 'animal immunoglobulin igg', '000 permutation total', 'rs81399474 ssc8 tnb', 'snp italian', 'juiciness oiliness', 'locus qtl tenth', 'breed low growth', 'female noncortical lod', 'meta analysis identified', 'bird gg genotype', 'genotype allelic frequency', 'genotype 002 6723a', 'wide significance better', 'polyceraty studied damara', 'october immunoglobulin', 'interaction analysis', 'oh shamo indigenous', 'filtering drip loss', '495 cm female', 'index sfa ufa', 'finding snp 21', 'r2 autosome 18', 'quality control qc', 'stimulus undoubtedly', 'specific qtl growth', 'stage abnormal oocyte', 'gwas modeling bayesian', 's0073 s0813', 'case high risk', 'located 33', 'seven snp duroc', 'mrna stability', 'head width hw', 'polymorphism identified genotyping', 'sample predicted', 'fell mb region', 'second cross week', 'chicken obtained crossing', 'steer generated', 'fat content located', 'disease relies identification', 'resistance limit negative', 'resource family dna', 'susceptibility nicl', 'provide large', 'conclusion newly identified', 'meaningful interpretation snp', 'contamination poultry', 'displacement abomasum lda', '23 43', 'map length 2630', 'rfi 002 dmi', 'contains ucr2 amino', 'microsatellites linkage', 'genomic sequence porcine', 'rate ercr', 'technology used genotype', 'weight size related', 'phenotyped 18', 'lactation incidence record', 'line susceptible leghorn', 'activity th2 cell', 'snp group overlap', 'wound healing adipose', 'study locus segregated', 'pig gene encoding', 'class beginning small', 'npffr2 based', 'qtl segregate', 'index swine qtl', 'conclusion screening', 'subclass significant effect', 'available level', 'origin comparative data', 'permutation tree based', 'synonymous decr1', 'rate 88', 'fatness growth', 'yield protein yield', 'complex low', 'animal genotyped gwas', 'experimental population consisted', 'ncapg 1326t', 'gene gene expressed', 'heavy chain cluster', 'independent quantitative phenotype', 'mon 9400', 'study conducted order', 'production bone allocation', 'removal anestrus', '06 2009 12', 'mineral maturity cortical', 'eca15 showed genome', 'pathway ngf', 'result bonferroni', 'status cow objective', 'chromosome sw252 sw581', 'haplotype linkage', 'intestine weight', '315 animal available', 'performed map based', 'test previously published', 'multiple reason disagreement', 'maternal behavior defined', 'multiple snp identified', 'gwas 704 inbred', 'showed molecular', 'width month', '500 kbp window', 'population molecular phenotype', 'white aldehyde', 'increase muscle growth', 'term associated qtl', 'kit pax3', '269 amino', 'variation chinese indigenous', 'eqtls significantly', 'different score', 'required breeding castrated', 'used study microsatellite', 'redness yellowness', 'conclude plin1 gene', 'effect differed cross', 'provided distribution marker', 'study indicated leptin', 'association genetic diversity', 'mapping method', 'reliability genomic estimate', 'border 36', 'used genetic information', 'length metatarsus claw', 'bta4 bcs bta7', 'reaction common', 'steroid hormone', 'finding study', 'cwt compared', 'myct1 related skeletal', 'significant snp bonferroni', '02 kg 01', 'sporulated oocysts', 'difference cd', 'explained certain', 'combined genotype revealed', 'multiple line evidence', 'resource including', '28 recfat', 'composition conditional fat', 'identify new detected', 'measure approximately trait', 'chromosome including', 'centred close ho', 'line ham phu', 'accurate linkage mapping', 'texel polygenic', 'increased mortality young', 'influential grand daughter', 'agpat3 chuk osbpl8', 'metabolism mammal study', 'marker presented', '5240a 5305c mix', 'remaining 13 snp', 'associated ph', 'wing identified', 'qtl maternal stillbirth', 'pony breed related', 'using general linear', 'upstream region bovine', 'sutai pig confirmed', 'associated ssc2 ssc8', 'pig breeding farm', 'use single strand', 'improving lactation', '18 grand', 'conversion muscle meat', 'detected breed commercialized', 'fat considered undesirable', 'sequence gene rs592076818', 'cow daughter', 'ssc16 ssc17 number', 'gwas identified novel', 'qtl independent mutation', 'hapmap26001 btc', '180 female', 'compared individual', 'understood mammal', 'explained single', 'gene transcribed snp', 'variability litter', 'point suggesting effect', 'including ppar signaling', 'mutation qtl controlling', 'individual number informative', 'wise error', 'fi 49', 'bonferroni adjusted', 'trait alp', 'density illumina bovine', '15 cow', 'additional marker qtl', 'tyrosine kinase erbb2', 'affecting shape', 'immunocrits 470', 'roan horse quarter', 'detected testicular weight', 'conclusion association confirm', 'result test included', 'genotype frequency breed', 'association imprinted gene', 'boar swedish', 'trait selected based', 'dio3 female', 'heifer genotyped', 'locus linked qtl', 'height mctp1 col4a6', 'summer winter milk', 'spacing 95', 'marker genotyped 33', 'identifying marker marker', 'model sire random', 'uncoupling protein ucp3', 'genotyped 347 pig', 'potential transcription', 'duroc pig appealing', 'fertility trait evaluated', 'effect moisture content', 'albumin alb', 'pig studied', 'required ovarian', 'profile determines dietary', 'analysis total 44', 'local chinese', 'receptor protein', 'ham meat quality', 'family belonging nordic', 'itgb5 firstly identified', 'day age blood', 'present evidence 78', 'caused embryonic', 'kcnb1 93x10 dominance', 'manner mypn eca1', 'gnas domain snp', 'mapped qtl region', '7825 78 856', 'chromosomal region additional', 'equation coefficient determination', 'cattle 99 level', 'qtl associated previously', 'furthermore mixed model', 'studied polymorphism', 'phenotype ranged', 'sampled germany', 'cell score 74', 'trait locus fat', 'bos indicus comparison', 'resolution qtl scan', 'variance identified chromosome', '43 188 single', 'individual measurement family', 'verified qtl', 'uk qtl', 'experimental infection fecal', 'locus chromosomal', 'previously backfat', 'existing breeding scheme', 'range 42 57', 'growth gga1 genome', 'gene oc', 'bw gain yr', 'study proposed gene', 'zebu derived', 'kingdom used', 'additive similar size', 'cured loin estimated', 'region provide useful', 'chromosome oar3', 'virus replication host', 'biosynthesis altered lipid', 'sheep internal', 'addition technical', 'analysis berkshirexyorkshire population', 'snp chromosome related', 'furthermore animal', 'resistant 150 susceptible', 'c10 region', 'lamb drawn phenotypic', 'cross used map', 'bovine semen quality', 'allele tryptophan 80', '05 number born', 'resistance measured survival', 'snp t586c', 'based gwas analytic', 'block centromeric region', 'complementary sequence', 'npy gene containing', 'large outbred rainbow', 'fa composition vrindavani', 'analysed confirm', 'production information', 'spanning intron', 'separate candidate', 'marker identified chromosome', 'used consisting farm', 'fl structural soundness', 'variability immune response', 'homeobox lhfpl tetraspan', 'using muscle', 'detected bull', '05 study interestingly', 'deletion induces intron', 'age attained puberty', 'detected identified', 'difference allelic frequency', 'critical region previously', 'myogenic factor myf', 'objective uncoupling', 'breeding selective dna', 'calculated esr allele', 'trade reproductive', 'lei0029 adl0371 gga3', 'practical significance', 'production virus', 'cd14 fut1', 'chromosome ssc largest', 'lipid transport homeostasis', 'aim identifying chromosomal', 'regulating hematological', 'snp array 02', 'genetically phenotypically', '12 wk', 'cattle population 792', 'bone mainly', 'disease occurs horse', 'infection aim', 'snp gene encoding', 'vertebra probably', 'gilt used', 'ssc17 ssc2 16', 'association chromosome', 'tibiotarsal breaking strength', 'region 38 mb', 'adipocytes gene', 'snpeff sift polyphen', 'position 62 64', 'trait growth trait', '05 loin muscle', 'acid composition sequence', 'muscle adrb3', 'muscle tissue 83', 'fyve domain', 'qtl contain multiple', 'polymorphic nearly equal', 'effect data', 'region revealed marbling', 'significant qtl ssc1', 'addition new marker', 'molecular predictor footrot', 'covering oar3', 'snp 2446', 'mummy mum', 'establish single qtl', 'smaller qtl confidence', 'provide new clue', 'qtl obtained using', 'standard scoring', 'adrb2 adrb3', 'fat colour qtl', 'irs4 considered', 'ssc6 ssc10', 'gga 19 chicken', 'trait general suitable', 'finger gli2', 'affecting trait qtl', 'pig gene', 'preweaning average', 'data joint', 'linear udder trait', '20 quantitative', 'xl luxi', 'csn1s1 genotype linkage', '199 snp 21', 'properdin protein', 'effect ccr2', 'process regulation', 'qtl pleiotropic conformed', 'set false', 'causing neurological effect', '191 microsatellites', 'region search new', 'biology health disorder', 'transcription factor iif', 'activity ratio muscle', 'information multiple snp', 'significant 29', 'trait analyzed number', 'conserved structural domain', 'phenotype primiparous montbéliarde', 'contains ortholog ovine', 'finding brain', 'post infection multiple', 'dominance qtl effect', 'region growth differentiation', '3379 single', 'regulation conclusion complex', 'bcwd cause', 'numerous breed maintained', 'ovine chromosome 12', 'case tumor', 'profiling segregating population', 'qtl suggest', 'family phenotypic data', 'squares regression', 'mcp criticized', 'c20 monounsaturated', 'consistent clinico pathological', 'exposure physical', 'eyelid abnormality associated', 'termination novo', 'reaction total 110', 'igf2 substitution carcass', 'period pre slaughter', 'lavc ldl', '38 mb bta7', 'muscular ph', 'pedigree combination pedigree', 'association saturated', 'estimate test', 'mutation tgfβ', 'qtl affecting abdominal', 'snp fasn ppargc1a', 'subclinical ketosis hydroxybutyrate', 'domain containing 41', 'single design mapped', 'reduced number', '966 f2 animal', 'average daily', 'g32742603a c33379782t', 'lactoglobulin protein', 'primal joint leg', 'population subset 40', 'cfb complement', 'causing cholesterol', 'fetal response', 'compared meta', 'dairy cow sweden', 'hypothesis chromosome location', 'fkbp10 muscling', 'commercial population 1008', 'earlier genome scan', '141 unique', 'ii recombination', 'total 21 different', 'capacity development disease', 'using panel 54', 'mineral homeostasis maintained', 'rs14491030 causing valine', 'cm dik2741 50', 'assisted introgression', 'greasy fleece weight', 'dependent season tick', 'montbéliarde cow', 'transcript revealed', 'analysis bayesian linear', 'bovine ankyrin gene', 'essential global agricultural', 'boscc identify', 'genotyped 834', 'sl9 shank', 'architecture pork ph', 'power precision', 'produced reproductive', 'investigate genomic', 'essential normal protein', 'chromosome xinghua chicken', 'content carcass 05', 'dscaml1 sod1 runx2', 'locus described initially', 'markedly genome wide', 'modified granddaughter', 'clearly illustrate', 'meat content promising', 'ssc7 sscx trait', 'imf used composite', 'coding sequence leptin', 'fec avfec pcv', 'plumage variation research', 'characterization pleiotropy affecting', 'chromosome 16 slc11a1', 'used look single', '39692 77260 rb1', 'mef2b rfxank oar3_84073899', 'pig genotyped illumina', '163 single nucleotide', 'autosome detection quantitative', 'rec measure milk', 'demonstrate rs400827589 used', 'area crucial aspect', 'fat percentage 16', 'segregating high frequency', '720 male', 'region bioinformatic analysis', 'thickness bt rib', 'carried genome', 'approach called genotyping', 'gene candidate observed', 'mcv respectively chromosome', 'unpleasant odour given', 'capacity size', 'implying snp', 'network conducted', 'expressed reproductive tissue', 'aryl hydrocarbon receptor', 'production lung tissue', '1883 animal', '10 bta', 'acid cla polyunsaturated', 'routine german sire', 'studied stress neuroendocrine', 'jointly investigated', '4α hnf', 'fine mapping polymorphism', 'capns calpian capn1', 'experimental pig population', 'holstein enoyl', 'blue green yellow', 'heat tolerance breeding', 'dehydrogenase reductase', 'poorly understood study', 'profiled focusing', 'content mchc', 'insemination 56 nonreturn', 'identify qtl conjugated', 'transcript fatty acid', '20 transversions remaining', 'breast biology', 'snp middle', 'horse recorded', 'providing new functional', '591 kb region', 'allele mc1r', 'physiologic response high', 'pufa content australian', 'synthesis long', 'using ewe', 'h5n2 highly', 'mhc polymorphism', 'intercross performed', 'zero genome', 'based fitting mixed', 'involved gene spi2', '400 progeny 20', 'cattle snp effect', 'weight weight soft', 'behavioral change', 'bl hw 12', 'cattle growth development', 'hcr1 tbrd considered', 'bracket fabp4snp2774c', 'myh3 rear leg', 'score 74 lei0071', 'detected result dna', 'trait investigated qtl', 'proximity bonferroni', 'affecting bmw', 'genomic prediction using', 'horse identified single', 'finding contribute final', 'morphology dam', 'trait respectively comparison', 'sheep currently using', 'animal sacrificial custom', 'beadchip 680k total', 'multiple marker regression', 'architecture small number', 'related fat metabolism', 'approach bovinesnp50 beadchip', 'entire genome snp', 'essrg pcyt1a gene', 'region close bmp15', 'function protects', 'indicating feather pecking', 'study commercial', 'trait franches', 'qtl1 chromosome', 'enzyme identified key', 'affected research reported', 'interaction effect considered', 'phenotype related disease', '05 etec f41', 'binding capability tbg', 'conclusion various snp', 'analyzed 32', 'elusive pig study', 'finger btb', 'limb joint carcass', 'mastitis iii', '104 bp associated', '20 involved development', 'square regression gridqtl', '95 score using', '842 001', 'breed ctsd', 'dmi kg', 'red nanyang', 'trait furthermore regional', 'sc using bayesc', 'yield high quality', 'separate univariate genome', 'flavor score water', '126 876 montbéliarde', 'associated snp targeted', 'information 100', 'trait ignores', 'build haplotype', 'sequence level highest', 'pig growth trait', 'analysis snp associated', 'gene lepr candidate', 'test average', 'girth hip width', 'finding validation', 'gwa study 878', 'maximum statistic position', 'reproductive status sow', 'chicken commercial breed', 'trait crucial commercial', 'routine genomic evaluation', '100 population result', 'difference detected allele', 'abcg2 insulin', '527 holstein', 'locus associated melanoma', 'holstein cattle comparison', 'close proximity candidate', 'gene imf bft', 'mapping qtlmap', 'wide association test', 'identified university', 'pig breed appearance', 'chromosome largest', 'conducted longissimus', 'located position', 'protein percent chromosome', 'objective aim', 'distinguish ff', 'biochemical index', 'role porcine', 'comprising 571 individual', 'designed mapping population', 'trappc11 stox2', 'pinpoint locus', 'prkag3 snp rs319678464g', 'protein casein bovine', 'reported facilitate search', 'cytokine signalling gene', 'penetrances psi', 'overlap population', 'trait bw body', 'underlie complex', 'located cm 18', 'adg respectively', 'snp 56 snp', 'milk protein trait', 'performance economic', 'trait osteochondral disease', 'gene based previous', 'nucleotide polymorphism located', 'potentially amenable improvement', 'article review advancement', 'study investigated diallelic', 'klf family', 'snp3 13281c snp4', 'candidate gene 443', 'association 03 corrected', 'expressional correlation previous', 'analysis teat', 'qtl equine gpt', 'quality present study', 'rate detected ovulation', 'ww lyw respectively', 'lactoglobulin milk detected', 'level rfi bf', 'identify genotypic', 'ai ram population', 'pre mir', 'chromosome respectively believe', 'region annotated', 'association using mixed', 'study based single', 'revealed porcine ibp4', 'analyze association single', 'location approximately', 'scd5 kiaa0999', 'interaction meishan', 'mosaic pattern significant', 'polymorphism cfb', '79 533 282_79', 'bl bos taurus', 'investigation needed', 'strain investigate association', 'qtl reached suggestive', 'encoding promoter', 'rs14011780 igf1r', 'ca performed', 'hampshire duroc', 'using svs', 'identified used haplotype', 'related trait qtl', 'trait included heart', 'rfa lm', '18 15 12', 'haplotype analysis ibs', 'kg significant suggestive', 'marker derived porcine', 'high estimate heritability', 'pgf analysed', 'finally eliminate need', 'encoding phosphodiesterase', 'allele consequently', 'phenotypic variance adding', 'significant marker meat', 'tropical region', 'formed additionally', 'h3ga0056170 detected significant', 'background lma bft', 'identified 85 significant', 'contribute genomic selection', 'internal organ indirectly', 'variation dpr coq9', 'chromosome purpose', 't3 thyroxine t4', 'detected furthermore', '13 717', 'female fertility trait', 'trait covering area', 'dorsi semimembranosus', 'warmblood horse corroborated', 'mastitis cm1', 'ct leg muscle', 'association test qtl', 'toll like receptor', 'paternal origin 105', 'candidate region gene', 'healthy pig day', 'protein bovine milk', 'trait measured visual', 'sperm count', 'used independent data', 'high generation', 'total 1883 animal', '4mb bta14', 'related immune', 'phylogenetic analysis', 'overexpression swine', 'percentage cw afw', 'abnormality associated departure', 'cd46 tv aberrant', 'merit predicted transmitting', 'cooking loss strong', 'located prkag2', 'variability discovered', 'deposition composition', 'aflp marker total', 'level parametric', '503 qinchuan cattle', 'association splice', '22 trait exceeded', 'cm family derived', 'susceptibility bone breakage', 'effect retinal short', 'located immune', 'protein 8b', 'employing porcinesnp60 beadchip', 'density contour', 'point fine mapping', 'disease extreme importance', 'conferring increased resistance', 'response appears', 'set created', 'fabp candidate gene', 'analysis result showed', 'divided category based', 'including tight', 'vrindavani allele 51', 'f2 erhualian population', 'length cervical vertebra', 'trait variance conclusion', 'controlled oligogenic', 'lrfn2 region', 'functional candidate conclusion', 'capn3 1538', 'characterized experimental line', 'life offspring', 'salmonella propagation', 'endocrine fertility trait', 'gwas end', 'examined trait', 'sick cow', 'unaccounted random', 'luciferase activity deletion', 'level 31', 'specific result suggests', 'trait beef cattle', 'higher compared variance', '178 snp', 'analysis gwa test', 'different tissue', 'identified contained multiple', 'model software foundation', 'abdominal fat total', 'meishan sow population', 'lead snp clustered', 'suggested result', 'arian broiler', 'post weaning', 'adrb3 mutation untranslated', 'data hybridized', 'correlated snp', 'program constraining weighting', 'cattle le susceptible', 'muscle sample', '0652 respectively', 'cw level', 'cow testing training', 'agricultural university', 'created broiler heat', 'suggestive molecular biological', 'glucose autophagy', 'angus calf', 'marked loss water', 'including 543bp', 'position complement activity', '2630 cm covering', 'cm cm instron', 'broiler line different', 'influencing c12 content', 'trafd1 gene coding', 'distance population', 'breed genotyped 34', 'reproduction trait total', 'grandparent result', 'interval trait', 'avpr1b catecholamine', 'resistance information', 'measurement given predicted', 'truly multibreed', 'fbmd pig', 'cnv ranging 378', 'useful increase', 'provide important clue', '76 78', 'significant genetic cause', 'located chromosome fine', 'common mechanism controlling', 'family genotyped 186', 'complement recent horse', 'allele id', 'deviation mean', 'baluchi sheep', 'marker 06', 'region containing irx4', '86 versus 25', 'fp ebv', 'resulting joint', 'human pig', 'higher reporter', 'acid position', 'ham important', 'explained polygenic effect', 'extreme double muscling', 'based result previous', 'specific hydroxysteroid dehydrogenases', 'sequence intron bovine', 'shared breed', 'associated region compared', '30 gene', 'sarcoids genome scan', 'close osteopontin', 'protein cd46 ubiquitous', 'genetical genomics approach', 'gain 04', '855 dbwavg', 'associated nba tnb', 'candidate gene general', 'carcass weight jb2', 'level observed brain', 'respectively gene newly', 'extract sge immunisation', 'heritable 67 total', 'rate service fewer', 'disease resistant', 'selection chicken breeding', 'undetected qtls protein', 'chicken growth reproductive', 'granddaughter 19 danish', 'ratio ph1 phu', 'cm distal', 'ocd genome', '96 sgc', 'decompose genetic', '2065 0652 respectively', 'skeletal muscle non', 'higher cd', 'week chromosome', 'level qtl ph', 'genotype allele', 'nelore bos taurus', 'fm horse genotyped', 'pcyt1a gene abc', 'distributed 13 autosome', 'microsatellite marker scan', 'expression mrna nucb2', 'model resulted similar', 'gene conclusion study', 'iberian young', 'fatness ptgis', 'total 855 animal', 'taint accelerate', 'genetical variance', '60 phenotypic', 'high resolution mapping', '365 snp', 'availability sequence data', 'locus studied', 'mutation 91c untranslated', 'trait seventy', 'trait identify genomic', 'circumference pleiomorphic', 'feed intake feed', 'old combined', 'close fatty acid', 'gene data needed', '40 qtl significant', 'stallion fertility conclusion', 'type motif', 'improve selection dam', 'promising candidate fi1', 'gwa haplotype analysis', 'performed nanyang cattle', '15 expression detected', '50 kb variant', 'analysis performed statistical', 'identified various', 'individual northeast agricultural', 'recombination dik0079', 'predominant qtl affecting', 'cattle previously described', 'dioxygenase bco2 considered', 'cow testing set', 'size demonstrated', 'chromosome study 16', 'echs1 gene significant', 'specific trait revealed', 'immunodeficiency virus', 'region additively associated', 'disequilibrium region 23', 'insertion despite high', 'radiological alteration contour', 'various marker including', 'rorc adult', 'ugdh pooled', 'cattle candidate gene', 'important stress responsive', 'improved shell quality', 'breed widens', 'exploited high density', 'software matinspector', 'additive dominance model', 'sample obtained piglet', 'fmo1 fmo5', 'set detect validate', 'danish jersey danish', 'number type ssc1', 'efficiency difficult', 'jx nanyang ny', 'significant 001 chromosome', 'time lower computational', 'selected 30 25', 'incorporated weighted', '10 03', 'pointing snp', 'hand bull maternal', 'absorption metabolic', 'cm1 second cm2', 'tissue remodeling', 'familial disciplinal', 'position 94 protein', 'model fat trait', 'tract characteristic', 'se dj', 'mmra total 105', 'hw intramuscular fat', 'demonstrated expression', 'locus coccidiosis result', 'fry cattle pcr', 'mg 94', 'phenotype data available', 'polymorphism snp linear', 'identify new narrow', 'dd producing', 'potential association slc39a7', 'promoter signal transducer', 'associated skin', 'shown segregate udder', 'higher identity bovine', 'allele opposite effect', 'comprised half', 'production sheep', 'backfat station tested', 'proportion phenotypic difference', '20 26', 'snp reproductive seasonality', 'bta14 rs109146371 rs109234250', 'chromosome suggestive evidence', 'cg ca', 'correspond qtl fertility', 'pat result', 'confirmed analysis nrr', 'wld susceptibility', 'diversely affected trait', 'peak peak', 'future pig', 'performed individual parent', 'analysis mean genomic', 'horse offspring', 'gene based analysis', 'age calving suggesting', 'individual bb', 'milk trait cattle', 'novel marker newly', 'evidence association threshold', 'result aim', 'cpt1b acsl1', 'young animal coincidence', '789 fish available', 'h1h1 agag', 'detected population allele', 'pair 17 21', 'showed total 33', 'breed bovinesnp50 snp', '63 cm', 'contortus challenge eosinophil', 'linked maternal', 'percentage bta26', 'snp4 locus showed', '038813 hapmap31284', 'ssc12 respiratory', 'trait mammary gland', 'gene confirmed furthermore', 'wing weight', 'meritorious available genetic', 'fe multigenic trait', 'probably mediated effect', 'retinol binding', 'ppara peroxisome', 'fe improved understanding', 'gwas conducted en', 'model additional qtl', 'ex12 protein yield', 'function integration largescale', 'score effect highly', 'significant mortality economic', 'apta bovinos corte', 'bovine chromosome 13', 'mechanism underlying disease', 'novel information', 'significant snp acaca', 'end fore foot', 'sa hypothalamus', 'phenotypic variation litter', 'aimed detecting kit', 'excluded remained', 'selection ma study', 'genomic variation kyphosis', 'altogether 26 putative', 'immune response ndv', 'cattle breed 338', 'correlated 91', 'exploratory behaviour', 'md defining pathological', 'experimentally infected eimeria', 'composition 28', 'genotyping selective genotyping', 'included hot carcass', 'tissue evaluated genome', 'model second', 'interval finally prominent', 'broiler fayoumi associated', 'respectively family test', 'muscle area 05', 'animal transported', 'gene associated proviral', 'clustered group', 'classical fertility trait', 'association medium', 'identified shoulder width', 'detected associated', 'csf classical swine', '9924c untranslated', 'mthfr ephb2', '151 snp', 'fmo5 494a', 'significant effect rfi', 'weight mmwt residual', 'association heterozygosity', 'nordic breeding value', '644 pig', 'associated 52', 'growth fatness body', 'existing data set', 'identification casual', 'opn highly phosphorylated', 'single intronic gnas', 'qtl detected largest', 'position pair difficult', 'trait enabled', 'qtl peak observed', 'ucp3 ucp2', 'successful result current', 'transmitting ability', 'observe clear sign', 'calving ease gene', 'prrsv vaccination 14', 'tbg polymorphism', 'variant wildtype haplotype', 'castration young', 'different size metabolic', 'factor cattle', 'chromosome concordant qtl', 'production msi result', 'represented separated', 'consistent trait nominal', 'genotype snp f2', 'conservative amino acid', 'inference abcg2 gene', 'control feeding behavior', 'newcastle disease virus', 'miescheriana shown chinese', 'seven 26 combination', 'allele genotype aa', 'eca1 south', 'significant qtl withers', 'corticosterone associated', 'suggesting mechanism genetic', 'variance explained window', 'mastitis production trait', 'mapped porcine', 'furthermore mixed', 'relating 40', 'score compared', 'qtl gw', 'unexpected breed known', '190 day', 'qtl acting', 'assigned gene', 'birth month', 'allele effect analysis', 'area 36 heritability', 'mb region 13', 'assisted selection', 'calcium signalling holistic', 'correlation additive genetic', 'heritability coefficient', 'eqtl analysis conducted', 'economic importance chicken', 'individual verified', 'bead chip single', 'mediates activation', 'explained 12 30', '43 56', 'finished pasture whilst', 'bta18 60 61', 'genetic variation attributable', 'using family csn1s1', 'pecking line', 'design confirmed', 'expression cyp21 esr1', 'genome level using', 'laying afe', 'mechanism cytokine', 'criterion rate 90', 'microsatellites generated single', 'understanding landscape locus', 'related trait variant', 'located 259', 'leading increased rbc', 'obtained approach', 'sib model combined', 'content economically', 'share 99', 'gene possible causal', 'variation beef heifer', 'issued resistant', 'step gwas ssgwas', 'cart melanocortin', '1st intron fifth', 'nonparametric linkage', 'locomotion vigilance flight', 'bta14 23', 'lead identification', 'genotype concluded difference', 'adult hindleg', 'significantly remarkable selection', 'using statistical', 'estimated genetic parameter', 'red junglefowl chicken', '186 esnps located', 'chi2 108 711', 'domestic pig', 'sequence annotation', 'analysis detected 10', 'separate variance minor', 'account multiple testing', 'width sire calving', 'age bw55', 'dpi viral', 'evaluation data', 'little rln risk', 'gain weaning', 'intact boar', 'marker qtl area', 'snp using modified', 'making interpretation', '40 137', 'ap decreased 0001', 'cm family', 'member bmp family', 'diversity 25', 'numerous qtl mapping', 'separately chromosome', 'growth calving fertility', 'source nutrient human', '05 bioinformatics', 'interval strong evidence', 'yield cheese', 'breed rln', 'association 11', 'recently quantitative trait', 'segregating qtl affecting', 'explains 02', 'trait gene expression', 'quality mainly additive', 'qualification qtl lactose', 'analysis investigated evaluation', 'set total 36', 'exhibited significantly lower', 'result linkage analysis', 'milk persistency quantitative', 'development oocyte conclusion', 'charolais dilution phenotype', 'fertility population holstein', 'leverage potential', 'detected prim holstein', 'chr significant avpcv', 'trait eighty', 'disruption variant', 'snp60 beadchip immune', 'multiple piece independent', '493 son', 'fat percentage rt', 'height reg3g', 'ex12 milk yield', 'marker causative', 'genotype nce7 polymorphism', 'depth fat area', 'gallop best', 'sequence data cattle', 'using identical descent', 'vertebra sus', 'plasma membrane fresh', 'genotype dam approximated', 'angus cow enhancing', 'resource population entire', 'measure color', 'acid conjugated linoleic', 'respectively 196', 'kg 100', 'level mature mir206', '22 independent', '258 son dr', 'explaining genetic', 'effect pair', 'chromosome ssc1 ssc6', 'quality qtl carried', 'respectively cab39l gene', 'calving fifth', '279 transcript', 'gene oar6', 'account various', 'thickness study qtl', '23 conclusion despite', 'index qtl myofibrillar', 'background better understand', 'knowledge data', 'information generated illumina', 'repository cddr', 'associated previously', 'plausible mechanism', 'result generally', 'relative conception rate', 'obesity nervous development', 'annexin a10 anxa10', 'bmp15 highest', 'sequences mapped', 'hif1an igf2', 'production cost poultry', '102 snp akr1c4', 'interval significant snp', 'taken account', 'conformation progeny cull', 'chinese holstein ch', 'image analysis serum', 'trait compared use', 'horse second', 'data adjusted', 'exclusively rao', '21 sire', 'genotypic distribution snp', '10 363', 'genetic pathway involved', 'fl utt accounting', 'young male piglet', 'relatedness identified', 'performed plink', '004 286', '24 trait 75', 'revealed genome wise', 'validated targeted', 'age bw42', 'lta determined elisa', 'artificial insemination bull', 'subset inra f₁', 'year harvest', 'healthy cow represented', 'subclinical ketosis showed', 'threshold approximately', 'bull qtl confirmed', 'trait marchigiana', 'fat 62 71', 'snp genetic factor', 'analysis linkage analysis', 'fat content indirectly', 'known contribute litter', 'disease outbreak genome', 'disease horse', 'percentage 43 cn', 'cow living', 'especially highly expressed', 'equinesnp70 bead chip', 'qtl largely different', 'fertility trait bull', 'responsible muscle mass', 'context qtl', 'require investigation selection', 'study identified 17', '001 adg', 'significant region identified', 'loss study reveals', '10 fine', 'psychotic disorder occur', 'effect closely linked', 'mbv decreased', 'benefit combined', 'unknown fetal growth', 'qdg mapping', 'lead identification gene', 'ovine chromosome oar1', 'hsa1q23 harbor approximately', 'contain polymorphism', 'powerful approach detect', 'trait tightly', 'genotyped using high', 'glm procedure selected', 'interaction result', 'ease animal selection', '13 linkage group', 'wide association snp', 'bull population', '825 murciano granadina', 'second set', 'qtl avfec', 'number qtls reported', 'covering coding region', 'disease selectively breed', 'gene assay revealed', 'significant gwas', 'production phenotype', 'assisted selection bovine', 'human disorder', 'effect phenotypic pure', 'vivo response', 'curve located', 'gamma ifng', 'gene recessive', 'lamb divergent', 'explained bw week', 'test result refined', 'indirect selection showed', 'ss86284768 bta1', 'consistent evidence qtl', 'kingdom netherlands', 'implemented perform', '11 indicated', 'btb infection homozygous', 'family spanish', 'scan lc model', 'snp chip containing', 'fertility trait previous', 'wise level lw', '15 21 30', 'trait f2', 'equilibrium ion', 'study different strategy', 'growth hormone receptor', 'seven pig', 'protein lipid content', 'behavior emotional', 'identify snp gene', 'mapk signaling pathway', 'breed high', 'ovary uterus', 'rambouillet polypay crossbred', 'resource population improve', 'genotyped 411', 'associated mch', 'significantly higher', 'measurement carcass', 'routinely measured', 'candidate regulate aldbsscg0000001928', 'developed dissect', 'ebv various', '17 10', 'associated causative mutation', 'routinely measured selected', 'associated elovl6', 'profile nellore bos', 'dgat1 important', '15 displayed', 'distributed chromosome', 'procedure implemented', 'controlling trait linked', '998 sheep', 'carora effecting', 'gwas contrast haplotype', 'mutation rate evolution', 'named mbl1 mbl2', 'suggest allele', 'allele male', 'precursor region gga', 'significant marker spanned', 'ltl trait determined', 'gene swine fat', 'decline linkage', 'qtl importance broiler', 'mammal located', 'sow representing', 'necessary avoid following', 'muscle deposition', 'thickness carcass', 'exhibit large', 'provide reliable', 'quality detected', 'elucidated evaluated', 'genetic analysis result', 'tool revealed', 'unit gene', 'number highlighted vertnin', 'article review', 'microsatellites analysis', 'covering exon intron', 'genetic factor explain', 'chinese cattle breed', 'differing resistance mdv', 'trait particular studied', 'increase muscle', 'bone length 12', 'loss year study', 'segregating berkshire', 'fshb expression', 'estimated ld identified', '22 23 telomeric', 'meat tenderness identified', 'pituitary control', 'marek disease virus', '29 bovine autosome', 'associated obesity', 'discriminated tail', 'white female pig', 'qtls using', 'affected healthy horse', 'study sire detected', 'rfi qtl mapping', '17 mb bta', 'generated anxa10', 'important fraction genetic', 'gnrh gene', '636a present', 'case 98', 'close arl4c', 'position difference effect', 'predisposition calving', 'comparison individual known', 'serum level immunoglobulin', 'cie cie drip', 'determined gas', 'second population', 'data 225', 'evaluate multiple quantitative', 'relatively higher', '165 microsatellite', 'duplicated qtl', '5990 4010 respectively', 'influenced numerous qtl', 'pattern significant', 'characteristic major economic', 'cluster qtl bta', 'large effective', 'gwas oc horse', 'model related', '0001 summary finding', 'erhualian f2 sutai', 'large normal', 'duroc homozygous', 'ucp2 gene', 'based high apparent', 'bm gga5 male', 'associated marker', 'use larger population', 'indicated gene involved', 'autosome chromosome unassigned', 'map program', 'result method moderate', 'better understanding molecular', 'kg le', 'landrace chinese', 'conducted angus data', 'future melanoma research', 'pleiotropy linkage gene', 'snp 16', 'individual legally', 'population 323 bull', 'transcription rate tbg', 'datasets used', 'explained bw', 'tested using statistical', 'detected qtl body', 'period egg laying', 'snp altered transcriptional', 'improving catfish genome', 'length tibia length', 'bonferroni corrected significance', '05 bird cc', 'meta analysis gwass', 'gene encoding ss', 'gga3 novel qtl', 'primal cut average', 'associated mutated ube3b', 'remodelling vascular permeability', 'content genome wide', 'causative linkage', 'ssc4 shared', 'demonstrated context', 'association analysis trait', 'design single', 'potential selective', 'alpha subunit translocated', 'association growth feed', 'cheese region', 'identified including qtl', 'red cattle', 'danbred landrace', 'age candidate adjusted', 'consequently deepen', 'regarding chemical', 'sire used', 'extreme importance help', 'intake detected', 'fkbp10 ssc12 associated', '28 influence', 'backfat weight', 'given heating cooking', 'included 144', 'animal likely provide', 'improved functional annotation', 'observed including', 'resource population comparative', 'study candidate', 'subpopulation result lay', 'based gwas', 'confirmed genome', 'pig cortisol receptor', 'reported chromosome lma', 'immunostaining showed', 'region chromosome 85', 'snp 5678784a', 'coinciding qtl', 'showed ct', 'identified apd apr', 'trait larger', 'infection poultry flock', 'worm burden conclusion', '125 846', 'confirmed major', 'canchim charolais zebu', 'lowest performing daughter', 'scd gene result', 'detecting locus', 'test factor', '000 performance', 'acting locus address', 'age 145', 'array 42', 'cla derived using', 'fit heritability value', 'gain birth month', 'ppp1cc sp3', 'negatively affect machine', 'fat yield regression', 'autosome effect', 'using association complex', 'sequence data 23', 'male 05', 'observed locus affecting', 'abhd5 affect atgl', 'ca semen', 'fitness sex counterintuitive', 'genotype tt tt', 'miescheriana specific', 'point 45', 'complement factor adipsin', 'harbored cluster snp', 'kompetitive allele specific', 'npas2 acer3 itgb4', 'primarily involved lipid', 'subcutaneous intermuscular', 'reanalysis additional seven', 'inferred large white', 'containing fixed population', 'locus single', 'important parameter', 'lod 14 14', 'selective genotyping selective', 'highlighted quantitative trait', 'success identify', 'log transformed bacterial', 'snp identified 11', 'using microsatellite', 'expression atgl', 'chicken snp nc_006091', 'performing daughter ranked', 'respectively meishan allele', 'total 67', 'pig known', 'porcine snp60 genotyping', 'hw 12 week', 'traditional fertility', 'linkage peak gga24', 'tissue fmo5 cyp21', 'behavioural activity', 'involved rfi study', 'udder shape chromosome', 'chromosome region major', 'differential gene expression', 'available 8111', 'effect mutation regulatory', 'miniature pig dumi', 'measured 333 birds', 'identified 17 single', 'experimental wise level', 'chicken breed analysis', 'gene determining', 'telomeric region', 'identification candidate', 'effective genetic factor', 'broad range medical', 'genome sequence imputation', 'bred ram design', 'rs41255713 snp', 'variation effect individual', 'application genetic improvement', 'ccr2 genotyped', 'gh cow', 'rflp dgat1', 'known q204x mutation', 'known natural', 'difference examined f2', 'biosynthesis lipolysis', 'oocyte follicle', 'regulation gene involved', 'fe allele frequency', 'potential body', 'marker poorly developed', 'bird tt genotype', 'region contained gene', 'involvement gene', 'laying finding helpful', 'breed clustering european', 'polymorphism 2323', 'italian pig industry', 'stillborn sb', 'gene expression network', 'gilt comprise significant', 'east friesian', 'correction substructure gwas', 'determined chromosome', 'chip conducted', 'identify eqtls', 'meat mapped pig', '288 revealed qtl', 'method pcr', 'production step', 'mb region gga15', 'marker set included', 'associated region bovine', 'jm strain moderately', 'allelic frequency breed', 'finding duroc pig', 'wide 15', 'region favorably', 'composition quantitative', 'genetic marker localized', 'prominent qtl', 'score bta14', 'difference day post', '103 sahiwal 102', 'correcting fixed', 'polypeptide fshb promoter', 'haplotype inferior fat', 'encompasses 9379', 'methodology principal finding', 'associated tnb', 'chromosome bull constructed', 'representing major', 'gdd wide used', 'genotype disease', 'water content longissimus', 'significance qtl identified', 'value measured real', '12 trait reported', 'association ph24 drip', 'tn result', 'warmblood norwegian trotter', 'mean daily', 'pigment eumelanin black', 'csrp3 diverged', 'polymorphism missense mutation', 'classical linkage', 'production consumption', 'lepr candidate trait', 'fewer proinflammatory cytokine', 'protein le detectable', 'taurus individual', 'result m1 line', 'level male', 'measurement video', 'chicken khorasan studied', 'gene associated le', 'inward rolling', 'thickness finding provide', 'nucleus herd meat', 'record estimated breeding', 'descent spanish colonization', 'local population sire', 'time using growth', 'separate locus', '32 polymorphism', 'haemoglobin hb', 'potent counterpart regulate', 'value ssc6 position', 'ag genotype significantly', 'compared model single', 'minolta duroc', 'fat leg', 'hamper selection', 'rate 40', 'trait characterization', 'brangus cattle', 'snp caspase iap', 'dam line major', 'oar1 clean', '16 18 case', 'explored method study', 'genotyped 81 cm', 'result total 25', 'role specific', 'largest single', 'loss dairy farmer', 'heritability genome chromosome', 'mapping analysis identified', 'ssc1 ssc2', 'effect identified bta6', 'industry aim present', 'snp explored candidate', 'present quantitative trait', 'trait analysis carried', 'body weight conformation', 'concluded difference', 'kilda uk', 'immune response main', 'beta lactoglobulin allele', 'cell prosaposin', 'respectively square', '35 ttn 16', 'control brown fat', 'multi trait linear', 'aa sow', 'modern breeding selection', 'rate abnormal sperm', 'variant fcr contribute', '640 heritability', 'approach fat', 'conclusion hanoverian', 'regenerating islet', 'total included 1077', 'pietrain pi german', 'technique 30', 'ssc13 84 cm', 'susceptibility subsequently investigated', 'obtained partitioning', 'enssscg00000022338 ssc', 'effect founder breed', 'gene metabolic pathway', 'population established crossing', 'rm006 25 cm', 'bta19 candidate gene', 'age puberty significantly', 'gene assessed', 'study identified significant', 'member documented', 'helpful understand pathophysiological', 'pig cg genotype', '51 63 mb', 'power high marker', 'studied using', 'qtl la', '16 69617700', 'trait localize', 'acid content decrease', 'fertility longevity postmortem', 'metabolic body', 'transcription factor shown', 'heat stress conclusion', 'gene cckbr', 'vertebra swine major', 'effect cortical', 'trait strongest association', 'absolute difference anterior', 'improvement reproductive characteristic', 'detected imprinting effect', 'trait type', 'ear size qtl', 'indicated fabp3 rs1110770079', 'dgat1 nibp', 'bivariate trait', 'chromosome harbouring significantly', 'animal using advanced', 'landrace yorkshire dly', 'body hebraeum tick', 'protein mean', 'ss1388116558 reported', 'polymorphism identified osteopontin', 'reproductive physiology gene', 'fat percentage fa', 'improved using molecular', 'chromosome genomewide', 'gene locus impact', 'cnvrs 30 exclusively', 'specific significant', 'lesion chromosome genome', 'member 6a1', 'faecal worm', 'mitogen induced proliferation', 'intake qtl', '14 genome wide', 'stage experiment', 'abdominal fat yield', 'ovlv control post', 'snp snp3 snp43', 'fatty acid desaturase', 'hen red', 'oar chromosome', 'rhm approach', 'pig gilt barrow', 'frequency variant', 'effect additional variant', 'bp objective study', '40 60', '100 mg', 'pneumonic lesion', 'qtl ph ssc3', 'knowledge polygenic', 'used model', 'indicate haplotype scd', 'genetic variance 35', 'indicated significant biological', 'weight conclusion finding', 'moderate information content', '05 intramuscular fat', 'shank girth qtl', 'region mb 46', 'decipher genetic', 'proportion cd4', 'single qtl region', 'divergently selected low', 'set increased accuracy', '96 baluchi', 'selected trait evaluated', 'specific analysis performed', 'weight breast muscle', 'construct gcg', 'high ovulation', '12 89 cm', 'total 660', 'account existence linkage', '197 previously known', 'fayoumi line used', 'locus qtl lymphocyte', 'substitution v150i v315', 'indicated marker', 'resource population transcript', 'animal canchim breed', 'comb weight partly', 'revealing cryptic relationship', 'breed forced pcr', 'snp showed significant', 'study bull 334', 'finding combination', 'focus close', 'region markedly smaller', 'seasonality litter size', 'snp 841', 'production trait form', 'weight 11 respectively', 'transversion identified breed', 'variation contribute change', 'family map region', 'domain sox9', 'control adipose', 'marker subsequent analysis', 'allele respectively', 'weight meat characteristic', 'identified elovl6', 'validate candidate', 'density high', 'genomic region conducted', 'variable ca repeat', 'map high', 'using haley knott', 'impacted propagation survival', 'harboured snp value', 'binding protein gpihbp1', 'containing 16b gene', 'codon bovine beta', 'progeny grandchild', 'breed snp variation', 'detect region', 'mutation called', 'total 1252 hen', 'nonsense variant hydrolase', 'genotype data linkage', 'homeostasis experiment conducted', 'result large majority', '19 phenotypic', 'change located exon', 'region microrna', 'yield kg milk', 'growth investigated new', 'tested association heterozygosity', 'mutation snp2 snp3', 'interval qtl', 'different age', 'estimated training', 'understanding regulatory', 'crossbred steer', 'receives widespread', 'transport process gene', 'magnitude effect study', 'width depth', 'mutation psmc1 body', 'marker located near', 'number mastitis case', 'chromosome showed suggestive', 'utr partial', 'polymorphism examine effect', 'toughness firmness', 'milk yield multiple', 'crude lipid ngef', 'bta9 bta16 bta11', 'commonly regarded', 'partially controlled', '19 million', 'respectively including previously', 'ai using mouse', 'avoid following false', 'position order', 'chromosome contig', 'identified giving', 'response finding', 'fertility calving', 'overlapping region developed', 'white holstein dairy', 'underlying egg', 'observation animal', 'utr respectively', 'marker associated', 'slaughter additionally', 'aries_v4 involved cell', 'haplotype analysis', 'use single', 'lipoteichoic acid lta', 'significantly affected lm', 'indicus breed', 'finding strongly supported', 'favorable haplotype muscle', 'productivity functionality', 'domestic horse aim', 'study necessary evaluate', 'approach genomic region', 'rs81434499 reported', 'microsatellites collected data', 'pig divergently extreme', '1of ugdh', 'presented 80e 19', 'genotypic data used', 'search fitting qtl', 'existence proximal region', 'stallion effect stallion', 'implantation stage e4', 'little predictive ability', 'reductase rdhe2 carotene', 'inflammatory mitosis apoptosis', 'ab 108 111', 'genetic variation bovine', 'hd 70k snp', 'identification gene responsible', '15 identified identified', 'score tenth rib', 'total polyunsaturated fatty', 'factor myf5 gene', 'family segregated', 'new clue', 'mtpap analyzing', 'mechanism lipid metabolism', 'comprising 240', 'analysis included 32', 'bw ww yw', 'enabled dissection', 'evidence chromosome influenced', 'family family sampled', 'qtl approach using', 'locus cross analysed', 'gene ppard stood', 'study population 109', 'carcass chilled', 'morphological trait addition', 'pig knp yorkshire', 'cn frequent', 'using separate population', 'located proximal', 'knockdown sorcs2', 'seven variant 287', 'infected romanov sheep', 'line line diverged', 'acid composition porcine', 'reported past decade', 'texture parameter', 'cattle population consists', 'month weight eye', 'jersey red breed', 'total 28 497', 'factor cattle genetic', 'polymorphism body measurement', 'harvested using', 'narrow region compared', 'genotyping exonic mutation', 'mhc best characterized', 'trait report result', 'gdf10 gene', 'evaluated larger number', 'greater variability meat', 'scd fatty acid', 'line single snp', 'strongly supported permutation', 'approach identifying quantitative', 'gwas result presented', '07 shear force', 'negative locus accounted', 'yw 39 41', 'region cnvrs 197', 'characterized sequence polymorphism', 'interval 13', 'date used', 'cfu intolerant', 'additional animal', 'cm gga27 52', 'behaviour production', 'qtl linked', 'change fat', 'gwas respectively furthermore', 'age weight', 'bta14 birth', 'reveal individual', 'information pedigree containing', 'production desirable', 'qpcr confirmed', '15 paternal half', 'content snp', 'pertaining sire', 'quality growth trait', 'contortus breed', 'genotyping genome sequencing', '12 corresponding', 'protein used', 'effect genome knowledge', 'woman fertility disorder', 'near znf389 showed', 'score different milk', 'lactation leg', 'potential genetic', 'mammal known', 'qtls located different', 'used consisting', 'descended breeding line', 'significantly influenced', '12 20', 'gene excluded', 'animal investigated effect', 'cattle breed showed', 'pointing genomic', 'bl head width', 'bullock evaluated', 'denser marker', 'positive pool matched', 'additionally individual', 'anxa10 cow', 'gene expression corticosterone', '10 10', 'teat ratio', 'female noncortical', 'explain loss', 'effect bmt', 'time sexual maturation', 'ssc13 genetic', 'association similar', 'cow 90 healthy', 'locus qtl ph', 'suggested del2634c', 'analysis mirna function', 'region objective study', 'ednrb ssc11', 'chip f1', 'poultry flock', 'significant chromosomewise', '11 phenotypic', 'previously mapped basis', 'identification causal', 'based standard', 'dr fa', 'pregnancy change', 'maintenance appropriate', '20 surprisingly', 'analysis qtl detection', 'dressed weight thickness', 'acid composition precluded', 'data resource', 'qtl growth trait', 'missense polymorphism', 'region identified putative', '1021 116', 'pig advanced', 'intragenic polymorphism', 'size adult', 'premature termination translation', 'c14 fat ssc14', 'porcine prkag3 associated', 'signature study provides', 'laying bird addition', 'affecting growth pig', 'locus contributing dominance', 'abc10 contribute', 'component gc', 'higher luciferase', 'mendelian parent', 'left sided', 'contrast highly associated', 'haplotype inherited', 'ratio worm population', 'resistance body weight', 'bovine genome associated', 'fto arm pig', 'region surrounding rs43032684', 'genotyped 250', 'ldl qtl identified', 'snp centimorgan', 'requiring fine', '185120896 bta', 'bb 05', 'respectively seven trait', 'shifted approximately', 'analyzed sire genotyped', 'physiological requirement needed', 'secondly confirm snp', 'region high compared', 'decade culling', 'bmp 15 considered', 'disease day', 'suggested rasgrp1 lcorl', 'status sire utilized', 'assessed md', 'cab39l university california', 'controlled af qtl', '2007 identification', 'animal genotyped 96', 'saving algorithm', 'strategy identify', 'immune function wound', 'female normal', 'impact pig industry', '140 landrace', 'gip hoxb3', 'novel finding', 'point opportunity changing', 'approach nineteen', 'area em', 'immune trait swine', 'welsh pony arabian', 'autosome total', 'analysis 20', 'btax bta19', 'porcine fshr', 'overlapping phenotypic qtls', 'model studying genetics', 'dystocia conventional', 'nematode population farm', 'data individual breed', 'muscle mass different', 'markedly 05', 'post mortem phase', 'virus strain strongest', 'appearance genotype', 'variance car detected', 'effect large number', 'understanding genetic control', 'encodes γ3', 'sterility exhibited known', 'role positional', 'present continuous challenge', 'convincingly associated', 'milk considered', 'indirect immunofluorescence assay', 'consisting large white', 'service 16 service', 'monthly 586', 'total 62', 'associated phenotype measured', 'detected chromosome region', 'using illumina porcinesnp60', 'marker chromosome genotyped', 'gli2 gli', 'rfi understanding biology', 'region overlapping', 'analysis maternally', 'previously shown physiological', 'qinchuan jiaxian cattle', 'selected cow allocation', 'investigated genome', 'boar mated crossbred', 'explained marker 06', 'f2 cross result', 'polish direct', 'data respectively general', 'muscle le', 'fixation major gene', 'embryo survival', '10 30', 'bcdo2 locus gga24', 'determined false discovery', 'perfectly correlated', 'romosinuano additional slick', 'map knowledge highest', 'cie drip loss', 'parasite resistance backcross', 'data collected consisted', 'variation imprinted', 'approach novel locus', 'znf615 ctu1 contained', 'chromosome milking speed', 'status basis', 'wide array lipid', 'determining factor', 'iberian meishan intercross', 'originates polish', 'identified innate', 'beneficial genotype cidec', 'property including', 'qtl dq124298 344a', 'effective treatment', 'genotyped qtl mapping', 'software demonstrated rs330779504', '13 chromosome wide', '08 65 14', 'phenotype muscle', 'controlling fatness trait', 'weight mlc conformation', 'btas trait analysed', 'region include', 'included corresponding gain', 'gallus gg chromosome', 'measure calcium', 'erhualian pig total', 'production gene', 'result gilt 759', 'transformation somatic cell', 'dgat1 selected candidate', 'bco higher hg', 'isu uoi joint', 'qtl clinical mastitis', 'sample 136 gh', 'region mineral content', 'additionally marker significant', 'addition identifying', 'adjusted bonferroni', 'revealed distinct qtl', 'resistance disease rainbow', 'carcass body weight', '118 239 001', 'figf tgf β1', 'wide scan fst', 'barrier initial', 'cell death inducing', 'revealed highly significantly', 'ch population', 'susceptibility ovlv recent', 'class small', 'distinguish favorable allele', 'frequency perform qtl', 'hormone proposed positional', 'suggested effect', 'gon4l associated', 'time saving algorithm', 'large majority', 'carotene biochemistry', 'composition usually', 'length pig', 'controlling egg', 'facilitate genetic improvement', 'qtl web based', 'vrtn involved variation', 'genetic evaluation despite', 'pooled separately pool', '314 f2', 'construct haplotype haplotype', 'used select marker', 'confirmed slc9a3r1', 'previous experiment identified', '14 18', 'production composition', 'merino backcross merino', 'phenotypic status', 'average glycolytic potential', 'composition dairy', 'identify alternative transcript', 'qtl near igf2', 'functional validation application', 'remodeling opn involved', 'porcine dlk1 meg3', 'example linked lgb1', '14 agreement previous', 'mrna level ovary', 'associated t3', 'fertility linked', 'gain adg associated', 'increase comb', 'radiation acop', 'snp identified significantly', 'tenderness genotyping 3360', 'ratio dihomo', 'associated high heritabilities', 'birthweight 003', 'castrated boar expression', 'genotyping data depending', 'level testosterone estrogen', 'approximately 95', 'line current', 'agricultural population', 'holstein cow result', 'region discussion', 'prolactin prl play', 'cxxc5 ryr3 bnip3', 'process development study', 'posterior teat number', 'parent f2 offspring', 'trait qtl significantly', 'mutation precursor region', 'significance level 98', 'gain regulation', 'involved various non', 'like human', 'model fitted using', 'age spawning', 'gene influenced', 'bta11 14 18', 'gwas data dairy', 'suggestive significant region', 'industry map qtl', 'state comparing survival', 'delivered apd aggressive', 'lowest fat', 'suggested significant effect', 'causing substitution', 'effect non synonymous', 'ubiquitin like', 'analysis log transformed', 'effect level marker', 'considered alongside', 'identified qtl associated', 'dmi fpcm 266', 'composition trait muscle', 'dominance component combined', 'genetics host tb', 'objective study refine', 'genotype imputed', 'represented individual', 'qtl database objective', 'deterministic approach', 'level compared', 'dpr high', 'sscp different pig', '10 45e 08', 'influence transcriptional activity', '14 08 broiler', 'lean fat percentage', 'suggested polymorphic', 'tt yield', 'detected winter', 'productivity result gilt', 'significant association protein', 'supported vrtn variant', 'logarithm odds 46', 'blood individual', 'disease needed', 'vol related candidate', 'aimed identifying genomic', 'overlapping previously identified', 'architecture trait commercial', 'suggest new', 'suggesting id', 'identified region explained', 'penmates entire population', 'gga5 developmental', 'ile france', 'significant effect cooking', 'university broiler', 'fgf8 005', 'substantial population', 'common breed zn', '125 microsatellite', 'marker distributed chicken', '1q32 xpter', 'affecting fertility opposite', 'trait 35 79', 'test average shear', '42 57 considering', 'phenotyping additional animal', 'size growth carcass', 'evaluation despite', 'mb marker', 'churra sheep paper', 'width number additional', 'general insight', 'bta bta 14', '49 70 age', 'acid residue 49', 'identify qtl explaining', 'appraisal 54 cm', 'qtlmap genome', '27 highly', 'variation affect gene', 'increasing allele transmitted', 'breeder objective', 'card15 evaluate association', 'cc tt genotype', 'large lrt 24', 'lod score 10', 'similar commonly', 'wnt9a chromosome allele', 'female neonatal death', 'limited information', 'functional consequence missense', 'lipid content 60', 'defined result', 'experimental population created', 'coa synthetase', 'yellow green', 'result studied', 'sire 93', 'ovulation rate generation', 'concentration phenotype', 'expression lalba mrna', 'addition finding contribute', 'genome wide report', 'percentage distal', 'resulting fracture', 'small effect population', 'variant gene mterf2', 'role development', 'regression test 054', 'included additional', 'sequence association', 'chl identified', '15 associated reproduction', 'allelic imbalances', 'marker employed', 'extreme phenotype', 'gene unlike microsatellite', '05 association myog', 'association snp quality', 'increase litter size', '38 55', 'cow typical complex', 'exploited improve', 'bmps play', 'neuroendocrine production trait', 'interpolated base', 'respectively fat', 'fshr expressed granulose', 'gene control trait', 'allele identified snp', 'sex specific sex', 'effectively study complex', 'provide evidence overlapping', 'pch polish warmblood', '169 wxp', 'gnmt pla2g7 gene', 'qtl result suggest', 'content snp 25', 'nx6 backcross', 'anxious tractable', '21 phenotypic', 'necessarily adult', 'recurrent airway obstruction', '919 single nucleotide', 'number vertebra phenotypic', 'nba tnb value', 'wool trait', 'lambing identification qtl', 'gdf9 significantly', 'bovine chemerin', 'fertility female', 'genome investigation focusing', 'suggestive effect 10', '300 ssc1 seminiferous', 'high low ovulation', 'stepwise using multiple', 'thickness est', 'snp statistically', 'dlk1 previously detected', 'gene expression genotype', 'result using qtlmap', 'suggested increasing prlr', 'region fat', 'chromosome scan conducted', 'catalogue polymorphic site', 'advance genomic tool', '80 identified genomic', 'including grandparent parent', 'holstein sire pcr', '40 week chromosome', 'contrast fasn', 'polymorphism snp t586c', 'scale mapping gene', '14 candidate gene', 'selection increased ovulation', 'systematic random effect', 'second snp 6723g', 'myocyte enhancer factor', 'efficient accurate diagnostic', '97 kb', 'dr total', 'selection broiler', 'dna factor', 'defined selective breeding', 'content skeletal', 'fraction 81 screened', 'involves evaluation', 'association scan', 'insulin lactate glucose', 'proximity candidate', 'snp clustered group', 'chromosome accounted', 'snp inheritance mode', 'genotype carcass cast', 'composition key', 'presence extra', 'solution leading reduction', 'ovine autosomal', 'variation loin colour', 'identified contribute establishing', 'cdkn2a cdk4', 'confirmed qtl age', 'phenotype available', 'gl parity report', 'region considered', 'affected paternal', 'task report', 'bird challenged', 'sampled 2807', 'production milk composition', 'case qtl allele', 'phe279tyr mutation significantly', 'center trait milk', 'conclusion milk production', 'dwg respectively snp', 'study gwas mir', 'prophylactic use antimicrobial', 'sorf2 coexpressed mdv', 'unique genetic variation', 'bta11 bta15', 'allele fixed', 'genome single nucleotide', 'disequilibrium analysis lald', 'infection intensity measured', 'femur bird', '14 additive genetic', 'additive effect significantly', 'annotation knowledge gene', 'sb using illumina', 'red junglefowl selected', 'inbred line new', 'included 7539 sheep', 'data analysis technique', 'spot meat spot', 'weight primal joint', 'chromosome 18 near', 'equinesnp70 bead', 'genotype validation', 'animal new', 'fst peddrift', 'mrmlm fast multi', '912 bird', 'epistatic sex', 'process transport', 'test fst', '14 near', '49 10 explained', 'validation applied identify', 'work attempted refine', 'underlying intramuscular fat', 'asreml underlying mixed', 'variation estimated breeding', 'genetic background animal', 'genomic information genomic', 'thickness lean fat', 'animal commonly', 'relationship measurement aiming', 'strain qtls', 'susceptibility respectively', 'leading identification candidate', 'trait report', 'l3 abomasal', 'trichostrongyle egg count', 'fat concentration', 'igga iggb igg', '866 712 calving', 'weinberg equilibrium locus', 'important impact outcome', 'cattle seven qtl', 'number locus low', 'layer period', 'phenotypic microarray expression', 'chromosome 10 66', 'ewe bred', 'core included genome', 'total 1021', 'qtl indicating snp', 'triglyceride tgs cholesterol', 'model comprehensive database', 'detected showing beneficial', 'used composite strategy', 'steroidogenic gene', 'involved bone', '3733 concordant candidate', 'cic detected related', 'obtained resource population', 'approach knowledge', 'gwas significant effect', '204 bta', 'disease resistance rainbow', 'result showed greater', 'biogenesis mirnas resulting', 'breeding measured', 'previously localized', 'epigenetically regulated', 'friesian charolais population', 'corpus lutea observed', 'standard 120', 'decrease elovl6 gene', 'contributing observed', 'clear small', 'sw2067 comparison sequence', 'tcf12 201', 'mb region result', 'susceptible mated create', 'beadchip 40833', 'missing genotype including', 'haplotype carrying', 'gga24 investigated', 'hirta st', 'previous research wnt', 'variant calling', 'post weaning gain', 'combined line', 'chl content confirmed', 'gene phkg1 cis', 'study combine genomic', 'outer layer subcutaneous', 'ssc6 qtl backfat', 'trait soay sheep', 'awassi sheep breed', 'tyrosine phosphorylation', 'different resistance', 'causal mutation promising', 'family created', 'claw disorder', 'test aa ag', 'regression closely linked', 'mykiss genome', 'modeled fixed', 'romney perendale', 'proving trait', 'line profiled focusing', 'observed brain spleen', 'successful assigning genome', 'intake 13', 'large intensively', 'fatness trait qtl', 'genomic partitioning analysis', 'drumsticks thighs mapped', 'flanked dik0079 20', 'peptidase clec3b type', 'heritabilities united state', 'pig carcass serum', 'gwas revealed 61', 'basis genome', 'interpolated base pair', 'bp read', 'helpful investigation', 'horse 223 belgian', 'ripk2 gene', 'significance result consistent', 'state 2015 99', 'trait largest effect', 'week genome wide', 'immunological wound', 'form using', 'similar explained', 'localization qtl region', 'combination correction multiple', '01 number piglet', 'complex regulation seasonal', 'background meat bos', 'tolerance rs41748405', 'comparison porcine', 'map distal end', 'jiaxian cattle breed', 'virus persistent', 'level sus', 'gene clinical', 'family ii', 'individual illinois population', 'muscle heart testis', 'haplotype effect maternally', 'region cpm 45079507a', 'using medium density', 'tested variant significant', 'variant detected gene', 'gene underlying immune', 'mixed model correcting', 'region 34', '777 snp data', 'autophagy soga1', 'radiation hybrid silico', 'trait genotyping exonic', 'intermediate genetic diversity', 'cattle carcass trait', 'corresponding bta21 pce', 'yield hind leg', 'suggesting polygenic', 'wide 05 corrected', 'frequency haplotype 39', 'porcine snp60 beadchip', 'rxra explain genetic', '55 78 cm', 'additional 11', 'sheep detect', 'explore contribution functional', 'detected growth trait', 'assisted selection framework', 'animal conclusion significant', 'growth body development', 'growth carcass fat', 'fleckvieh holstein friesian', '24 compared nve', 'ap unl', 'la revealed', 'examined 479', 'marker assisted improvement', 'advance management practice', 'negative expression', 'pattern snts negatively', 'hypothesis causative mutation', 'organ beneficial selection', 'increase rate', 'locus conclusion locus', 'environment random effect', 'piglet litter qtl', 'cbg affinity', 'gm specific', 'objective study characterise', 'study constitutes report', 'significance primary trait', 'phenotypic data bodyweight', 'economic trait gushi', 'functional trait dairy', 'identifying information', 'architecture response white', 'trait number insemination', 'pig teat number', 'plexinc1 plxnc1 addition', 'utilized improving fertility', 'region leptin gene', 'lactoferrin iron', 'energy metabolism skeletal', 'fat1 reduced cm', 'ibd probability', 'beneficial future marker', 'infected status clinical', 'reported suggest allele', 'force cooked', 'identify variant associated', 'influencing gompertz', 'pleiotropic linked', 'qtl 57', 'yorkshire ai', 'phenotype relationship', 'ltl driploss', 'strong population', 'consistent result previous', 'mortality reduced productivity', 'presence hardened caseous', 'compared pedigree based', 'effect simultaneous', 'indicated tt', 'score principal', 'screening qtl association', 'dhps wdr83', 'software main qtl', 'majority breed', 'pig imf qtl', 'cause mortality reduced', 'variation sheep ghr', 'relationship sire', 'box test', 'genomic region single', 'nucleotide variant', 'orthologous region pig', 'risk mastitis caused', 'metabolism pathway', 'regulator muscle growth', 'mef tata', 'breed population 592', 'gene expressed striated', 'prkag2 locus approached', 'collected digital photo', 'indicate improved', 'massive structuring study', 'model joint analysis', 'bp large', 'content likelihood', 'wh rump length', 'locus investigation', 'higher loin', '2011 reaching', 'difficult costly', 'avai cleavage', 'report trait literature', 'analysis revealed putative', 'included overall', 'acid mineral', 'association chi square', 'detected significant qtls', '23 dbwavg dfiadj', 'indicated highly', 'channel catfish family', 'attributed host genetic', 'haplotype scd', 'infection poorly', 'width weight suggesting', 'afp gga5', 'higher withers', 'used growth', 'caused partly', 'trait locus eqtl', 'trait finding study', 'detected ssc2 ssc16', 'wide scan quantitative', 'region gnas domain', 'regulated factor', 'snp nc_007324 16432c', 'coat color baroque', 'hmgcs1 drastically refine', 'line possible', 'mb overlapped region', 'variant gene involved', 'variant reported pig', '55 10', 'rate sheep including', 'genotype conformation', 'pseudogene parental', 'association analysis mean', 'causality scd', '16 case', 'coa ester', 'value derived total', 'genotype total 36', 'dual purpose', 'identified sus', 'single population gwas', 'successful study', 'transition probability', 'ability related', 'background growth carcass', 'simplicity negligible', 'akr gene cluster', 'bw body', 'single qtl afe', 'increased productivity', 'comparison plasma membrane', 'conclusion variance', 'feed intake important', 'qtl ph development', 'search variable', 'tt dominant', 'genotype obtained 1310', 'varied 044', 'horse order', 'analyzing imputed', 'friesian sire conclusion', 'higher frequency infanticidal', 'level metabolic', 'set 148 microsatellite', 'broodstock population', 'carcass chilled overnight', 'haplotype claimed putative', 'nellore cow selected', 'sow aggression defined', 'c33379782t candidate qtl', 'insight predisposing factor', 'total 119 marker', 'observed significant mb', 'mutation polled', '45 min ph', 'pathway analysis network', 'bta 14 19', 'undetermined requires depth', '06 polyphen', 'including fat deposition', 'genotyped 260 sheep', 'summer winter', 'trait population allowing', 'mineralization mineral', 'thermotolerance dairy cattle', 'peak sst_dg156121 362a', '19 detected', 'contributing adfi cattle', 'effect 53 snp', 'moderate variability sample', 'concern general public', 'strongly support', 'evidence effect prp', 'ketosis symptom difficult', 'result 12', 'sc different', 'simple 305 day', 'regulates appetite lh', 'fat1 reduced', 'wildtype domestic chicken', 'correlation previous study', 'du massif central', 'included mutation 91c', 'increase vertebra performed', 'simplem method result', 'study evaluate genome', 'region cattle ccaat', 'improved year round', 'available 1629 animal', 'detected muscular', 'hbt compared', 'sib analysis linkage', 'spanned chromosomal', 'segregating berkshire duroc', 'viral diarrhea', 'total 1425x19179', 'bos indicus nellore', 'economy body weight', 'effective estimation', 'segregating breed gwas', 'line consistently susceptible', 'meat color thawing', 'reproduction performance', 'variant strongly associated', '92 genetic', 'scan selected chromosome', 'tenderness respectively', 'berkshire yorkshire cross', 'major gene bw', 'research improving', 'analysis workshop 18', 'differing mendelian expression', 'horse located eca1', 'explained 22', 'ovary uterus considered', 'trait declared', 'candidate gene applied', 'inheritance pattern', 'using kinship matrix', 'equcab assembly', 'knowledge better understand', 'conformation polymorphism method', 'snp statistical', 'assembly human', 'observed nr2f2 isoforms', 'livestock animal worldwide', 'deposit study', 'control rate', 'associated wb shear', 'molecular mechanism', 'industry set', 'necessary synthesis', 'saturated fatty acid', 'chi squared value', '36 lgb1 lgb2', 'il2 body weight', 'resistance previous study', 'allele exon 17', 'optimize ability distinguish', 'testis greater', '12 bull obtained', 'region biological pathway', 'causal mutation mutation', 'fbxo43 tssk6', 'consistent trait', 'trait located non', 'infection population method', 'oestrous cycle', 'gamma subunit gene', 'rate including average', 'aggression 10905e 07', 'result particular mastitis', 'qtl located paternally', 'aiming explain genetic', 'suggested variant', 'ak3l2 selected', 'growth reduce', 'dna pooling used', 'important physiological', 'heterogeneous stock f6', 'increasing evidence fetal', 'qtl rac identified', 'microsatellite bm1500 useful', 'coding exon flanking', 'ssc2 ssc3 ssc4', 'birth nm noted', 'objective phenotype allow', 'resource population identified', 'fst measured breed', 'dominant effect growth', 'thickness point 05', 'japanese black population', 'proviral load 266', 'le cm away', 'analysis used association', 'size single', 'bmt animal', 'sexual ornament', 'grunniens bos mutus', '68 nuclear family', 'snp2 snp3 locus', 'additive effect marbling', 'redness ssc8 85', 'study great confidence', 'related increased calf', 'using single step', 'trait identified new', 'chicken 321', 'component clearly distinguishing', 'potential berkshire yorkshire', 'powerful tool', 'growth trait pig', 'occurred group strong', 'outbred strain', 'unique cross generated', 'percentage carcass drum', 'rs41919999 rs132865003 rs133498277', 'affecting pheromone', 'analysis individual joint', '57 university wisconsin', 'snp extreme historical', 'amyloid a2 saa2', 'basis analysis identify', 'different complementary', 'eccentrically involved', 'fat daily gain', 'founder breed segregating', 'pig population different', 'preliminary information contribution', 'chromosome created phenotypic', 'function trait offspring', 'present method dissect', 'ability 1206', 'forerib joint', 'paper detect', 'chromatography used obtain', 'melanoma peak', 'property ante post', 'mb galgal6', 'disease addition finding', 'consideration improving processing', 'demonstrated number potential', 'lactation 20 11', 'landrace affect', 'line objective', 'multiple linked', 'nature hypersensitive', 'nearly billion', 'mnb208 identified', 'intronic region gene', 'parent offspring 314', 'performed additive dominant', 'yield present 23', 'report combined', 'haplotype 7637', 'trait livestock', 'avoid tt genotype', 'iteration iii', 'trait suggest snp', 'region backfat identified', 'mixed animal model', 'using pcr', 'chinese holstein seven', 'bw cattle', 'wide qtl confidence', 'bmc fecx allele', 'wild homozygous', 'localized hsp90aa1 gene', 'battery behavioral test', 'landrace dl experimental', 'number locus large', 'difference expected', 'causal polymorphism responsible', 'component trait rfi', 'associated fn', 'line compare', 'model including fixed', 'animal 3794 genotype', 'acyltransferase dgat1 gene', 'compared abhd5', 'estimate genetic parameter', 'age significant effect', 'sheep dna', 'interaction jak', 'gene immune function', 'processing step', '874 result', 'macrophage migration inhibitory', 'melanocyte stimulating', 'originally identified major', 'trait objective study', 'heterochromia iridum eye', 'calculated snp', 'functional modeling', 'polymorphism quality control', '26 analyzed trait', 'ability dissect', '18 milk', 'approach ensembl', 'mechanism underlying reproductive', 'qtl rainbow trout', 'characterized c3 cdna', 'detected linkage group', 'selection particularly interesting', 'region chromosome bta', 'ssc9 respectively', 'qtl 12', '17 boar', 'recessive model using', 'evaluate extent polymorphism', 'moderate evidence association', 'aa sow number', 'crossbred pig', 'xr_027435 snp12', 'gene prolificacy qtl', 'gene responsible', 'variant determine explained', '11 c18 va', 'mm respectively coefficient', 'trait assessed', 'cell score data', '210 effect', 'cosegregated grandsire', 'rate new method', 'trait mon', 'humerus tibia fbmd', 'especially organism lacking', 'gene parental population', 'meat quality objective', 'slc26a2 laminitis', 'status determined', 'snp fk506', 'analysis porcinesnp60 beadchip', 'data presently', 'strategy qtl controlling', 'south german', 'snp variant difference', 'association social', 'approach contrast growth', 'storage energy metabolism', 'ssc sus scrofa', 'background stallion fertility', 'site investigated', 'milk sample brown', 'sheep average 60', 'preventive vaccine cure', 'snp ssc2 derived', 'ssc2 16 cm', 'multiple linear', 'component regulation cell', 'triiodothyronine thyroxine', 'major physiological inhibitor', 'region syntenic bovine', 'pig make', '1557t 1948g', 'step understanding genetic', 'genome data bc', 'confirmed result previous', 'grilled loin roasted', 'measurement 14', 'level s2', 'leptin receptor', 'newly discovered snp', 'included 1260', 'candidate gene affect', 'genetic variance identified', 'observing low', 'mainly gene', 'meishan pig breed', 'family 1216 progeny', 'prevalent skin', 'marker phenotyped 12', 'rm356 oar', '40 week fi1', 'capacity 05', 'mir 532 bta', 'qtl region marker', 'participated wide array', 'addition basal inducible', 'pleiotropic effect underlying', 'genetic architecture potential', 'associated dcd', 'pwl born alive', 'major quantitative gene', 'important metabolic disorder', 'elite egg layer', 'gdf9 gene', 'type snp 1142c', 'ph somatic', 'weight small effect', 'identity state', 'spanned total', 'maternal trait 30', '11 genome', 'identify qtl underlying', 'composition associated meat', 'mastitis detailed', 'gwas network', 'identified parental population', 'pairs formed basis', 'bovine milk', 'finnish yorkshire using', 'ph1 10', '158 crossbred cattle', 'immune response protein', 'myelodysplastic syndrome', 'site close', 'removed qtl', 'investigation intermediate phenotype', 'immunisation experimental', 'explained 42', 'leptin regulation', 'effect hair', 'use knowledge', 'possible accurately', 'growth respectively', 'locus marbling considered', '062 dsn', 'genetic information', 'analysis silico', 'coding tight', 'porcine chromosome total', 'population 842 korean', 'reported striking', '18 microsatellites identified', 'study investigate association', 'ampk contributing adfi', 'sustained marker', 'infection european', '01 associated increased', 'white mlw', 'polymorphism fbxo32 gene', 'cpm milk', 'adg associated', 'locus qtl architecture', 'score day', '510 adult', 'population daughter', '130 animal', 'endocrine trait fine', 'haplotype 11 predominant', 'significant breed variation', '940 descendant original', 'bp indel', 'duroc pig growth', 'support concept', '16 haplotype 13', 'a1060g t1151g bpi', 'male large', '235 362 69', 'animal pertaining', 'panel day δ2', 'relationship involving', 'negative effect 435a', 'atrn gsdmc', 'production environment qtl', 'autochtonous maremmana', 'novel single nucleotide', 'using microsatellite marker', 'endonuclease me1', 'area lumbar', 'tigar sept7', 'differential expression bacterial', 'bovine respiratory disease', 'independent sample', 'region oar2 18', 'treatment included ph', 'reproduction study', 'ssc7 ssc8', 'trajectory possibly', 'gene scube3', 'period sheep', 'complex trait provide', 'development represented identified', 'equine ocd', 'aimed investigate', 'myod1 meaningful dna', 'score locus', 'increase fecundity local', 'involved stress response', 'new finding', 'excessive false positive', 'knowledge data specie', 'ketosis 083 standard', 'stress related gene', 'il 1a interleukin', 'rps6kb1 cltc adjacent', 'combined single', 'fpcm 266 178', 'spleen cerebellum', 'productive 10', 'utilization gene', 'mastitis revealed', 'cd2 cell', 'outbred family', 'muscle weight jejunum', 'inheritance 31 qtl', 'austria switzerland', '114 05', 'metabolism androstenone', 'qtl main effect', 'scan used 203', 'date objective explorative', '03 05 02', 'ltl driploss hap2', 'trait bta', 'trait providing genomic', 'mouse little known', 'trait finding suggest', '25 positive', 'total 330', 'qtl analysis ovine', 'flock 1029', 'mechanism reproductive', 'highest abundance spleen', '282_79 533 285delttct', 'infertility affected boar', 'fat cover conformation', 'rs344435545 scd', 'gpihbp1 interstitial space', 'mapped square', 'breed 22', 'process tightly connected', 'motivated pinpointing novel', 'simultaneous detection multiple', 'sequence porcine ibp4', 'critical region cw', 'snp located gene', 'far information concerning', 'analysis multibreed', 'required increase', '627 aa genotype', 'bta20 estimated', 'large proportion additive', 'shown powerful', 'family arq vrq', 'tgf betar', 'target novel', 'allele direction repository', 'gene coding rac', 'intestinal length 577', 'showed porcine skip', 'data exchanged coded', 'weight total', 'understanding genetic determinant', 'alpha lactalbumin', 'caused pathogen myxobolus', 'variation marker allele', 'missense mutation resulted', 'used identify genomic', 'explanation obvious', 'paternal maternal', 'experimentally infected pig', 'objective identify locus', 'adult height specie', 'chromosome subsequently fine', '1606 altering', 'data serve foundation', 'ectoparasite indicus cattle', 'metabolic trait estimated', 'population encompassing', 'bone disorder skeletal', 'fabp4 polymorphism', 'result reported', 'test considered', 'benefit greatly effective', 'androstenone level nominal', 'spotting cattle particular', 'resource population snp', 'immunoglobulin iga perform', 'detailed clinical radiographic', 'objective advanced', 'snp association accounting', 'association study lda', 'accounted total variance', 'conclusions significance study', 'dlx1 grm8', 'gridqtl software', 'microsatellite marker cssm66', 'founder varied', 'region contains', 'sequence data porcine', 'northern hybridisation', 'short medium', 'bmp family', 'frequency blood', 'resource population 238', 'prediction equation significantly', 'le percentage erhualian', 'autosome solar program', 'snp lepr gene', 'used assist', 'analysis 100 muscle', 'economic important trait', 'gene localization qtl', 'simultaneous improvement antagonistic', 'mixed sample panel', 'bird genotyped using', 'disease controlling height', 'feed conversion', 'receptor coded adrb1', '14 harbored highest', 'domain itih protein', 'carried milk production', 'lacombe research centre', '8111 marker', 'serovars salmonella tested', 'c14 group', 'chromosome gga2 gga3', 'fatness trait mapped', 'proportion variance', '22 linkage', 'model association analysis', 'factor stallion', 'pork producer identify', 'locus appeared', 'milk canadian dairy', 'qtl 93', 'expression rate', 'haplotype revealed linkage', 'essential node', 'interval covering', 'pair used multiple', 'total 330 suhuai', 'trait number non', 'hatching lower', 'organ elucidated evaluated', 'provided opportunity examine', 'result indicate possible', 'dwarfism accompanying', 'behavioral physiological difference', 'indigenous chicken phenotyped', 'gene bta19', 'additional related', 'considered candidate', 'secreted growth factor', 'scan seven', 'varied kg deviation', 'actin binding repeat', 'qtl apparent age', 'excluding carrier mutation', 'low ovulation', 'formed basis analysis', 'mum different', 'pig breeding influence', 'rfi final', 'e5 1st', 'target mutation', 'cidec single nucleotide', 'process lead', 'background mastitis major', 'unrelated population', 'known trypanotolerance limit', 'taint main', 'studied gene stabilizing', 'tenderness sf mfi', 'exon 12 3020a', 'cw cw cw', 'testicular size', 'knowledge highest', 'tef1 regulated tata', 'role pfts finding', 'trait objective ass', 'bta22 btax', 'size ewe study', 'prior breeding pregnancy', 'total length', 'responsible economic trait', 'muscling hspa5 ptprm', 'fibre clean', 'blood cholesterol value', 'indicating mutation', 'conclusion result pig', 'sf5 associated snp', '11 distinct', 'project positioned', 'pig genome', 'indicate single', 'genetic architecture internal', '65 14', 'gene sequence homology', 'qtl region bta14', 'status dlk1 meg3', 'bms764 drd4 fragment', 'frequency estimated close', 'used successfully', 'strength 200 vs', 'suggestive snp sperm', 'subunit ncapg gene', 'haplotype pair', 'imf estimated', 'source genetic', '049 56', 'region gdf8', 'estimated average', 'me1 dra', 'sequence candidate', 'sfa ufa composed', 'greater significance shared', 'sexually dimorphic difference', '002 dmi 05', '38 426 snp', 'cumulative trait 205', 'roche usa', '793g 919g', 'control 613', 'study function chicken', 'examined ssc4', 'medical treatment', 'cmar score proportion', 'gene list obtained', 'locate qtl segregating', '05 synonymous', 'useful future genome', 'cause increase', 'use undetected carrier', 'prkag3 gene snp', 'host additive', 'nba 05 nsb', 'allelic correlation', 'strength bone qtls', 'validated qtl previously', 'variant reported previously', 'known affect fat', 'located bovine chromosome', 'dioxygenase hgd enzyme', 'using ct genotyped', 'ssc6 ssc14 minolta', '1053c missense', 'trhde ripk2', 'trait chromosome wise', 'significant snp fiber', 'detected meat', 'detected 28', 'heterozygous state homozygous', 'qtl higher level', 'associated quantitative trait', 'chicken unclear study', 'fat short', 'data norwegian slaughter', 'data linkage', 'reared finished pasture', 'bird thirty qtlr', 'marker adipose tissue', 'number born ltnb', 'production trait genetically', 'dutch warmblood validation', 'dj nordic red', 'marbling steer', 'linked inhibitor', 'susceptibility holstein', '100 cm longer', 'beard chicken fast', 'skeletal muscle', 'study consistent', 'weight car', 'german black pied', 'muscle depth maximum', 'previous gwas', 'including mould spore', 'trait indicate genetic', 'weight 90 300', 'reproductive status', 'oculocerebrofacial syndrome caused', 'resource population set', '29 located', 'bfgl ngs', 'studied gene', 'experimentally challenged', 'wise threshold chromosome', 'assayed snp observed', 'linkage analysis investigated', 'gland brief', '237 nordic', 'power identify novel', 'blood sample collected', 'qtl unrelated', 'map constructed 23', 'sequencing genetic', 'role regulation', 'catalytic subunit search', 'association analysis bayesian', 'functional gene', 'window omy5 explained', 'family used investigate', 'elucidate role', 'shock transcription factor', 'study identify region', 'conducted 18 sow', 'direction cross addition', 'variance window', 'pig human', 'actual causative', 'qtl2 region', 'wt genotype', 'involving edn3', 'linkage study identification', 'marker number', 'line especially', 'asp224asn mtnr1a', 'primer amplification refractory', 'birth weaning ultrasound', '54 cm', 'transporter playing', 'substitution genome partitioning', 'associated trait hf', 'ultrasound measure averaged', '24 detected', 'qinchuan nanyang', 'seven cattle', 'haplotype association', 'production objective', 'direct indirect effect', 'blonde aquitaine breed', 'weight 10 11', 'wildtype red', 'fpd cluster', 'requires depth validation', 'wgblup bayesr', 'bull trait analyzed', 'perspiration like', '3317 progeny phenotyped', 'diabetes related', 'messenger rna', 'statistically significant 01', 'genotype atp1a1', 'benefit greatly', 'host immune response', '10 12', 'obtained different genome', 'higher bw70', 'regression model software', 'dense marker', 'week serum albumin', 'higher case control', '000 50k', 'important determinant', 'ascites information', 'fold early', 'applying selective dna', 'frequency breed hardy', 'morphometric trait bighorn', 'result female', 'detected chromosome 18', 'dpi wg42', 'min 15', 'composition previously', 'pork conducted genome', 'linkage haplotype analysis', 'revealed region association', 'similarity animal', 'group ssc 13', 'rfi development', 'poultry industry detecting', 'analysis identified gene', 'red cattle jersey', '64 70', 'selected snp 12', 'trait tenderness measured', 'continuous challenge', 'heart girth hip', 'snp 11', 'located 12 15', 'synthesized mammalian', 'site correlation analysis', 'mature protein ampk', 'using modified', 'including vrtn syndig1l', 'improving imf fixing', 'importantly study', 'identified marker association', 'thermal challenge qtl', 'evidence previously finding', 'risk suggesting growth', 'effect pig', 'used result population', 'based genomic technology', '01 line compared', 'overall obtained result', 'genotyped animal used', 'significant correlation body', '127 kg', 'morphological characteristic chinese', '001 frequent', '10 sheep', 'phosphorylase kinase', 'recorded longissimus dorsi', 'slick ancestral', 'global threat domestic', '40 mer peptide', 'genotyped 70k', 'period birth', 'association gastrointestinal', 'transfer backcross', 'possibly enhanced', 'study undertaken', 'franches montagnes fm', 'analyzed increase', 'protein using', '1001t nc_037332 31183170t', 'gene search', 'skatole sp', 'pig data generation', 'hek 293', 'density oar1 using', 'western present', 'maintain racing', 'pair model', '28 window', 'ssc14 140', 'hmga2 previously identified', 'pig reproductive trait', 'syntenic human', 'http www vetsci', 'based rs13687126', 'tc e2 169', 'strain breed objective', 'considered associated qtl', 'detected study qtl', 'finding study recognition', 'appearance variation explored', 'osteopontin gene', 'gene addition biological', 'reached significant', 'node recovered', 'population explain genetic', 'porcinesnp60k beadchip illumina', 'genomic region mb', 'single step methodology', 'quality trait measured', 'maturation em', 'snp iteration genome', 'using decr1', 'hotspot region regulating', 'bovine family sire', 'decade culling rate', 'region elovl6 elovl6', 'percheron revealed', 'length birth', 'bta chromosome', '19 22 wk', '896 respectively snp', 'lamb total', 'shd bmw gluc', 'confidence interval remained', 'growing reproductive', 'mb conclusion genomic', 'result require validation', 'gene cspp1', 'correlate number trait', 'foetal developmental', 'ssc 14 bvs', 'csf vaccine genome', 'egg afe important', 'mutation qtl', 'pregnant insemination linkage', 'acid c12 c14', '02 ema 05', 'lower yield grade', '100 map tissue', 'mb bovine', 'interestingly pleiotropic quantitative', 'test indicated allele', 'numerous cellular', 'effect selected', 'heritabilities step identification', 'fat line', 'slc22a4 slc22a5 il', '19 29 total', 'considered regulator post', 'model specie observed', '156a showed close', 'bacteria interact', 'ssc9 respectively coinciding', 'gene nol1', 'complexity genetic predisposition', 'identified previous gwas', 'omy16 additional', 'piglet colonizing', '11 subsequent', 'highly expressed resistant', '150 ng', 'information theory algorithm', 'beef carcass slaughter', '10 location', 'crossbred cattle study', 'parity qtl gene', 'microsatellites statistical model', 'fst snp uchl1', 'human mouse cattle', 'linkage group detected', 'model qtl interval', 'suggests qtl', 'gene charolais blonde', 'ability understand', 'different architecture', '10 cm genetic', '16 25', 'udp glucose dehydrogenase', 'novel promising candidate', 'bp duplication utr', 'opportunity select resistant', 'composition ruminant', 'hairy locus', 'indel increased anai4', 'rate nonlinear', 'using bayesian', 'milk chl', 'blood plasma', '31 large white', 'intron 2723c exon', 'existence linkage', 'phenotype assessed single', 'normal sperm scrotal', 'study qtl mapped', 'adg 025', 'measured 206', 'genotyped 192', 'present result beneficial', 'genotyped marker covering', 'correction sixteen', 'despite high number', 'domestication taken provide', 'kg 01 435aa', 'genetic evidence genomic', 'economic impact genetic', 'p1 aa', 'source positive', 'character trait candidate', 'nested 46', 'test lifetime daily', 'modeled random', 'using 1000 bull', 'pooled separately', 'polymorphism snp data', 'muscle weight carcass', 'industry effective vaccination', 'complex trait investigated', 'locus validate previous', 'larger qtl segregating', 'university isu berkshire', 'total phenotypic variation', 'scheme using linear', 'en lr afe', 'cannon bone', 'qtl chromosome significantly', 'method total 181', 'dna maker causative', 'lp genome', '23 day feed', '27 10 respectively', 'genomic relationship matrix', 'size birth', 'runx2 gene', 'fabp3 rs1110770079 associated', 'trait information useful', 'gene functional clustering', 'distal ssc7', 'area chromosome mmp2', 'higher conception', 'objective objective', 'association observed gluteus', '344a genotyped', 'ex1 snp', 'instead multiple', 'polymorphism sscp single', 'haplotype total', 'bmc fecx', 'fat content differed', 'depending applied', 'program map', 'meat trait chicken', 'loss poultry production', 'reached significance analyzing', '12 000 performance', 'marker density multiple', 'ld c18 rs320439526', 'haplotype identified subsequent', 'gene encoding phosphodiesterase', 'genome wide permutation', 'chromosome specific resource', 'backcross boar 25', 'muscle development promoter', 'utilized genotype data', 'oar12 16', 'breeding use protein', '18 plag1', 'trait index tibiotarsal', 'gwas approach genomic', 'research suggests', 'snp ssc6', 'detected fy', 'study underlying', 'association study litter', 'test selecting', 'strain differ', 'hypersensitivity ibh', 'level allele substitution', 'locus eca', 'background improving resistance', 'mouse showed mutation', 'rdhe2 v6a v33a', 'snp surpassed', 'detection snp associated', 'nitrogen content chromosome', 'array snp nominally', 'haplotype associated production', 'highest chicken e48', 'using 183', 'bornfeb 13th 1959', '878 calpain gene', '05 271 animal', '18 near callipyge', 'zfat pig different', 'αs2 cn higher', 'locus qtl bovine', 'marker mnb208 identified', 'rate le', 'used gwas analysis', 'melanoma complex trait', 'marker sw1355 sw1823', 'rg boar', 'taint breeding finally', '59 08 65', 'reduction 90', 'grouped different', 'especially swine identification', 'fell region harbor', 'transgressive action obesity', 'cured ham ham', 'ssc14 wild boar', 'rely animal', 'phenotype association italian', 'square method glm', '257 microsatellites chromosome', 'number teat 12', 'acid conclusion overall', 'exclusively pasture trait', 'family comprising', 'population 293 pig', 'way revealing', 'revealed analysis variance', 'breed meat tenderness', '13 52', 'tested according rule', '237 nordic red', 'mid way candidate', 'spleen weight ileum', 'multiple population used', 'study identified genome', 'disequilibrium explained', 'reported gwa', 'linked marker omyfgt19tuf', 'site nucleotide 25587', 'ld adg', 'gene previously unknown', 'domain number', '05 mum 05', 'averaging compared wild', 'layer cross available', 'chromosome region chromosome', 'validating effect', 'igf1 associated milk', 'mdv infected', 'fit hardy weinberg', 'efficiency specie', 'progeny testing', 'gadoleic acid', 'condition family initially', 'using principal', 'region detected association', 'addition observed different', 'nsb2 possible', 'using sperm', 'effective marker improvement', 'genomic partitioning', '119 33', 'cow 94', 'cut ham weight', 'qtl resulting divergent', 'ssc8 ssc11', 'breed identified majority', 'offspring data using', 'separate trait heritabilities', 'snp imf', 'leading lower', 'breed single nucleotide', 'maturity genome', 'tissue rna', 'carcass weight ribeye', 'family different analysis', 'gwaas gemma emmax', 'small 215', 'using 856k', 'moderate heritabilities', 'pleiotropy suggesting allele', 'nipple number 03', 'stimulating hormone fsh', 'merino sheep sheep', 'maximum statistic', 'analyzed current study', 'coat pigmentation genotyped', 'paternal non return', 'combined previously', 'ese motif region', 'cattle evaluated female', 'behave hub harbored', 'ray computed tomography', 'breed respectively statistical', 'bta18 aim identifying', 'calculated genomic', 'seven qtl influencing', 'sw2456 qtl', 'boar using', 'genome sequence snp', 'previous experiment', 'percentage sc', 'significant examined', 'length discus prospect', 'located bta7 15', 'tail wing', 'background ruminant', 'gwas estimated genetic', 'potential molecular marker', 'illumina porcine snp60', 'trait carried using', 'developmental disease', 'producer exporter world', 'gys1 gene expressed', 'son granddaughter design', 'convincing evidence exclude', 'affecting ability', 'assisted association', 'breeding complex', 'individual 44 648', 'laying 60 week', 'phenotypic data objective', 'population stratification separately', 'common mechanism', 'phenotypic difference broiler', 'metabolism greatly', 'hsp90aa1 flanking region', 'fwec secondary', 'portion trait variance', 'regulator switch coat', 'yorkshire boar', 'gwas sire', 'm1 line established', 'study confirm qtl', 'trait like greb1', 'novel information regarding', 'fat 86 versus', 'conversion position', 'impact fat', 'chicken insag insag', 'finishing period birth', 'fine mapped', 'downregulated postnatal', 'maturity suggests body', '35 41 weight', 'larger cohort use', 'disorder significant multiple', 'able candidate', 'temperament related', 'expressed qtl ph24h', 'commonly used sire', 'aim increase', 'energy ray', 'breed 10 snp', 'predicted 31', 'position qtl interval', 'segregating population boost', 'wbsf tenderness', '96 sheep 95', 'production change', 'qtl positive additive', 'addition 11 qtl', 'gga 26', 'using snp marker', 'regression bayesian method', 'determinism meat', 'significantly yearling', 'ebv deregressed', '105 96 aflp', 'sheep breed identification', 'diacylgcerol acyltransferase dgat1', 'gene lepr sequenom', 'intercross white leghorn', 'polyceraty span', 'cluster similar', 'analysis slc39a7 10', 'hen line gene', 'regression method half', 'showing association relative', 'gene selective white', 'avfec avpcv', 'chinese erhualian cross', 'gwas result generally', 'similar characteristic', 'born tnb method', 'screened coding sequence', '21 fwec', 'pig 19 vertebra', 'current industry carcass', 'infected herdmates', 'genotyped 161 microsatellite', 'mapped arm porcine', 'barrow 410', 'wagyu limousin', 'region opn milk', 'higher reproduction', 'snp wur10000125 wur', 'shown affect', 'trait including fertility', 'manifested significantly', 'increased ability detect', 'located hel9 cssm47', 'abdominal fatness', 'pig distinct population', 'bb resulting d7g', 'sequencing pcr', 'similar magnitude direction', 'allele enable production', 'udder trait', '192 hanoverian warmblood', 'composition large f2', 'gr 98e', 'region lalba', 'directly ma functional', 'nba gene', 'regulating activity', 'consisted 139 bull', 'phosphate transporter', 'subcutaneous fat compared', 'hypothalamus adrenal', 'transcription gene involved', '18 2061t 2196t', 'region respectively', 'combined mitochondrial gene', 'ssc16 mainly detected', 'study capitalizing', '21 24', 'fear behavior chicken', 'greatest expression', 'porcine mir206 mir133b', 'frequently affect', 'block contiguous', 'chicken breeding', 'human make', 'cm bta3', 'different size sow', 'product nucleobindin nucb2', 'susceptible lamb responding', 'effect ph24h', 'growing pig', 'harbouring gene', 'thr pro ala', 'cytokine extracellular', 'genotyped fasn', 'population current', 'predisposition calving direct', 'rt pcr', '46 genetic', 'synonymous decr1 polymorphism', 'suggest dominant variant', 'bull h1h1', 'animal week age', 'discordant result', 'computerized tomography pqct', 'tested test', 'background study aimed', 'receptor alpha vitamin', 'criterion minor', 'immune response', 'linked s0008', 'mlk fat 01', 'far study undertaken', 'observation indicate possible', 'marbling defined distribution', 'sow reproduction', 'carcass trait identify', 'original study genotyped', 'haplotype hap2', 'understanding biology underlying', '2007 2011', 'result indicated chromosome', 'understand pathway', 'associated departure normal', 'qtl identified using', 'reduction obtained', 'diego ca analysis', 'single design', 'animal pigment', 'region harboring variation', 'birth vs uniparous', 'femoral bmd significant', 'resistance rainbow', 'parasite good', 'population undergone huge', 'pm antibody', 'contribution additive dominance', 'testing famt define', 'gga24 quantitatively measured', 'improve economic trait', 'detected chromosomal', 'interestingly novel', 'built adding estimated', 'wide significance level', 'composition swine population', 'quantitative molecular genetics', 'regulating metabolism', 'identified arm', 'bovine fabp gene', 'polymorphism snp present', 'diagnose predict characteristic', 'interval 36', 'interval mapping random', 'numerous cell', 'corresponding sd', 'growth difference chicken', 'population 300 horse', 'positively correlated ttn', 'effect sexual precocity', '14 family', 'analyzed lactation', 'recent selection', 'specie using 464', 'containing 41 potassium', 'issue relevant', 'thickness landrace pig', 'separate qtl detected', 'fusion process tightly', 'impact nursing ability', 'fat thickness cohort', 'ax 185120896', '10 0001 observed', 'background analysed animal', 'famous optimum', 'covering total', 'qc chinese holstein', '11 58', 'longissimus muscle low', 'considered alongside direct', 'eqtls enriched', 'result daily gain', 'month month adg3', 'rate snp', 'porcine gys1', 'thyroid hormone insulin', '91508173c locus', 'glu13asp 39a', 'genetic gain important', 'weight lower', 'f2 experimental design', 'testis site', 'large litter', '787 single', 'tested italian', 'promoter genotype fixed', 'ssc18 candidate', 'region ssc1', 'human placenta', '49 mb', 'literature 54 association', '21 624', 'colocolizated pqtl', 'questionnaire set', '61 qtl', 'relative risk', 'approach refine', 'pecker different resource', 'piétrain resource', '22 associated', 'haplotype hap12', '21 days', 'health human', 'individually genotyping cow', 'effect slaughter weight', 'basis ph metabolism', 'limited pig', 'loss instrumental colour', 'mfi rib eye', 'play pivotal role', 'subject heading', 'using catfish', '18 associated', 'location 45 190', 'worldwide based information', 'gene selected', 'tlr genotype fp', 'distinct stage', 'sexual precocity used', 'identified vicinity', 'primarily regulating processing', 'pig duroc pietrain', 'direct effect tm', 'ssc7 identical descent', 'virus fmdv cell', 'intron hmga2 gene', 'revealed beef', '221 marker equally', 'multiple sequence', 'beef cattle industry', 'asga0009814 value', 'favourable allele major', 'analysis thirteen', 'liv iga', 'snp rs418747104 ovine', '77260 rb1 gene', 'regulatory action', 'associated trait functional', 'provide powerful', 'strength represented 34', 'single strong', 'ldla method exhibit', 'result rhm gwas', 'significant fdr 01', 'snp adgtest', 'component condition', 'demonstrate rs400827589', 'region affecting growth', 'kinase kinase map2k6', '12 result', 'aim study compare', 'carcass fatness', 'background clinical', 'association diplotype', 'mutation identified region', 'sample 240', 'fish average', 'association ovulation rate', 'davisdale line furthermore', '21 type trait', 'dfiadj 855', 'level heterosis', 'genetic regulation early', 'challenge ultimately lead', 'variation pig number', 'described haplotype', 'multitude gene', 'serve important', 'functional mutation', 'gli2 neuronal tyrosine', 'jointly using', '48 polymorphism', 'qtl detected previous', '10 estimated subcutaneous', 'conclude polymorphism', 'controlling production', 'parity allele substitution', 'taurine breed low', 'cross similar', 'differentiation cell', 'data analysis family', 'finding described veterinary', 'mc4r 208', 'close fat1 qtl', 'influence percentage', 'ph cooking loss', '20 novel', 'using run6 1000', 'array snps', 'strong ld', 'anxa10 female', 'locus qtl large', 'improved thermo tolerance', 'rgs1 fbln5', 'frequency major haplotype', 'different screening', 'pou domain', 'negative compared', 'affected cattle', 'isolated characterized', 'detected gwas seven', 'evaluate effect', 'trait associated expression', 'density qtl bta6', 'identified majority breed', 'knowledge gene result', 'local crossbred', 'scan performed large', 'microsatellites covering 19', '6321 hol', 'analysis lamb weighed', 'concentration number', 'associated water', 'analysis dgat1 effect', '14 experimental population', 'elongation process early', 'oc lesion data', 'pattern snp', 'relevant trait beef', 'strong association snp', 'gene qtl located', '160 cm', 'regulation tnp1 expression', 'chip hd', 'result pig fto', 'trait gushi anka', 'fat mrna expression', 'cm 00 51', 'g162c igf2', 'locus qtl 25', 'force intramuscular', 'color variation', 'exhibited irregular parent', 'peptide concentration', 'data merino sheep', 'fecge fecgh fecgt', 'family genotyped 20', 'gensel bayes analysis', 'fetus pregnant gilt', 'marker improve', 'recessive duroc', 'indicates high mhc', 'qtl affecting chicken', 'uberis data', '40 cm', 'excessive false', 'according compound covariate', 'center clay center', 'organ later', 'factor imprinted qtl', 'analysis myostatin', 'scan gwa', 'total 306', 'type interferon', 'assisted selection programme', 'pied cattle', 'preliminary association', 'report investigation', 'pecker active', 'serpina1 cnvr', 'animal single', 'determine ovine', 'reason castration', 'interestingly pleiotropic', 'trait standard', 'olig1 olig2 sod1', 'hf population majority', 'grouped represent mcp', 'combination genetic characteristic', 'novel located', 'killer cell', 'linkage disequilibrium implemented', 'consists 212 bull', 'effect qtl effect', 'report result gwas', 'lamb weight validation', 'lymphedema cpl skin', 'marker genotyped 159', 'outbred pedigree', '20 77 gain', '000 animal dna', 'g19 individual', 'pre selected gwas', 'lactation analysed regarding', 'detecting gene general', 'lack linkage disequilibrium', 'map disease 700', 'contained significantly', 'mastitis free', 'positive 05', 'vtn showed', 'susceptibility phenotype variant', 'snp stat5b', 'tnb total number', 'observed 10 28', 'regulating transcription', 'able provide', 'dqsl2 explained', 'performed study population', 'primal cut', '30 total genetic', 'negative effect ssc13', 'region backfat', 'sqsl1 explained 87', 'result map', 'contemporary holstein cow', 'candidate gene carcass', 'carcass muscling myomax', 'alter encoded', 'total 183 microsatellites', 'value total number', 'snp rs14986828', 'weight 009 weaning', 'size genotyped 109', 'growth rate measure', 'candidate explain', 'effect holstein cow', 'study identify quantitative', '2000 iteration', 'hol respectively genomic', 'causal gene ph', 'scan radiological sign', 'family growth', 'snp annotation implemented', 'individual beijing', 'bta14 bta26 specific', 'characterization slc39a7', 'mb region 125', 'specimen mutant allele', 'disease resistance single', 'ibk phenotype categorical', 'paratuberculosis holstein', 'chromosome 20 surprisingly', '106 sire genotyped', 'genetic determinant', 'network size', 'enzyme me1 gene', 'novel evidence', 'detected bms764', 'weight gain iranian', 'cross issued resistant', 'bta26 respectively interval', 'association eggshell', 'identified using software', 'bayesian model', 'produced highly concordant', 'confounded environmental', 'age total 385', 'cm respectively muc4', 'size study needed', 'indication qtl mc', 'contagious disease caused', 'trait fatty', 'different screening experiment', 'size total', 'pressure acting locus', 'number observed', 'assembly nascent lipoprotein', 'significant effect hip', 'tv aberrant splice', 'marker sw1332 sw2130', 'trait combination environmental', 'replicated previously', '003 05 10', 'accumulation fluid abdominal', 'regulation mucosal defence', 'osteochondrosis fetlock', 'weight 10 week', 'sustainability study investigated', 'putative causal gene', 'intramuscular fat particular', 'environment suggestive', 'gene estimated average', 'extensively studied human', 'gene fabp 127', 'region affect trait', 'kb interval', 'gene 70', 'available 44 280', 'included pigmentation phenotype', 'linkage 26 trait', 'case analyzed', 'dog afflicted congenital', 'candidate gene putatively', 'holstein resulted smaller', 'pig nsb', 'inra40 color mapped', 'associated number', 'gluc afp', 'en conclusion', 'encompassing fasn', 'near region overlapped', 'showed region', 'position qtl detected', 'gwas conducted', '300 compared control', 'girth nanyang cattle', 'relationship epistatic qtl', 'snp consecutive year', 'level il significant', 'lcorl mo', '62 cm', 'dependent direction cross', 'male chicken', 'reflects immune status', 'utility gene largest', 'bta13 data', 'test statistic fat', 'acsl4 gene', 'neighbouring microsatellite', 'intragenic single nucleotide', 'benefit use marker', 'result greatly contribute', 'milk dna pool', 'trait 160 animal', 'mutation identified relation', 'increased beef', 'association validated different', 'respectively mstn', 'interesting candidate exploration', 'ebv lp observed', 'particularly significant', '68 70', '0314 total', 'method respectively 103', 'network analysis used', 'diverse outbred population', 'validation population objective', 'genome associated carcass', 'analysed individual', 'population addition', '05 observed polymorphism', 'echs1 enoyl', 'significant correction multiple', 'gwas combining', 'total 74', 'using f2', 'methodology iterative', 'qtl emmax', 'parity specific phenotype', 'qtl undetected', 'observed total 26', 'rs17193181 htr2a', 'texel polygenic environment', 'measured expression liver', 'gene lipid', 'association analysis italian', 'window 11 048', 'phenotype gradient', 'f2 cross later', 'sscx experiment', 'association il8', 'veterinary practice addition', 'analysis segregating', 'revealed 50', 'approach bayesian', 'based variance component', 'data reported', 'different sheep autosome', 'evaluation moderately affected', 'mutation splice', 'claim confirmed linkage', '05 microrna', '18 qtl showed', 'xianan agreement', '98 simmental', 'body composition important', 'association lmh', 'window largest effect', 'value remained significant', 'son yield', '19873t mutation', 'population selected meat', 'schizophrenia human', 'control study', 'fat diet result', 'infectious bovine keratoconjunctivitis', 'far gwas', 'resolution multi', 'gland holstein', 'adult 10 ked', 'value snp', '119876 polymorphism strongest', '39 41', 'bta16 polyunsaturated', 'genetic material increase', '104 eqtl', 'trait independent holstein', 'ucp1 potential gene', 'respectively 54', 'second quantitative trait', 'association analysis fine', 'remain wide make', 'generate earlier immune', 'predictor predicted transmitting', 'gain 01', 'vartnb used', 'vertebra comparison', '614 274', '34 mb porcine', 'snp 12 candidate', 'region qtl identified', 'mb ssc1 snp', 'metabolism generation', 'used seek', 'chest depth', 'linking trait', 'variation aimed evaluate', 'qtl influencing ph', '021 commercial population', 'potential future large', 'marker information potential', 'confirmed jersey cattle', 'similarly 10 qtl', 'gaussian poisson', 'weight pta step', 'transcribed gene', 'cm 27', 'candidate influence', 'gene report', 'determine ripk2', '532 binding bta', 'analyse dlk1', 'grew faster', 'slc35a3 cause complex', 'hypothetical identical', 'identify possible biological', 'locus regression snp', 'trait enriched mirnas', 'breeding identify quantitative', 'marker cm analysis', 'effect snp07 snp31', 'f2 pig heterozygote', 'cross later replicated', 'mapped locus 947', 'previously implicated onset', 'qtl score', 'removal fgf8', 'different snp selection', 'difference udder', 'gga7 gga9', '28 identified showed', 'decreased trait value', 'qtl located outside', 'streptococcus uberis data', 'derived jersey derived', 'focused body', 'expressed gene tested', '62 phenotypic variance', 'cohesiveness chewiness resilience', 'onset puberty davisdale', 'qtl boar', 'heritability total', 'including ph color', 'size remaining', 'namwon chonbuk', 'opn secretion', 'important region', '15 10', 'sexual maturation fast', 'globe especially developing', 'mastitis resistance significant', 'respectively second', 'result differential', 'explained snp chromosome', 'aid selection', 'selection finding outline', 'allele rsnps shown', 'puberty 07 possibly', 'index disease model', 'region perform snp', '212 chinese holstein', 'control complex trait', 'sequencing fine map', 'feed intake hallmark', 'different model allowed', 'deposition trait supporting', 'population chicken', 'significant difference gene', '16 duroc boar', 'c4715t mutation', 'etv1 snp21', 'expression cyp21', 'adjacent intron', 'ros0005 76 cm', 'udder health evaluated', 'hormone gene', 'allele decreased', 'line using', 'gene assisted', 'meat colour ssc8', 'phenotyped serum', 'trait using current', 'coefficient variation fineness', 'test lamb scored', 'growth meatiness adjusted', 'csnps significantly affected', 'total gene', 'sib design qtl', 'beef improvement', 'attributed ryr1', 'exon associated longissimus', 'turnover energy expenditure', 'city yuxi', 'trait ujumqin', 'qtl accounted', 'genetic region accounted', 'produce minimum', 'minolta loin fat', 'anxious factor', 'rfi1 fcr1 57', 'fat single nucleotide', 'analysing data previous', 'gnas gene snp', 'influencing fertility', 'sodium activated', 'error rate traitwise', 'suggest skip play', 'behavior trait pig', 'lipolysis insulin', 'calving performance trait', 'derived different founder', 'gene associated semen', '10ralpha 1185c sc', 'interestingly breed', 'unrelated sire used', 'comparison allelic frequency', 'including pak1 aqp11', 'number ovum', '28e 06 eqtl', 'related animal', 'slco4c1 taken candidate', 'functional network involving', 'value 01', 'pregnancy btas', 'variation calpastatin', 'gga3 dam used', 'statistic enabled detect', 'polymorphism intramuscular fat', 'obtaining good', 'involved male', 'percentage abdominal', 'f2 female study', 'bta19 bta3', 'illumina bovinesnp54 beadchip', 'mac correlated', 'movement meiotic', 'dopa decarboxylase dopa', 'level association test', 'prehousing growth rate', '420 day', 'qtl inadequate representation', 'taint potential', 'effect mastitis qtl', 'sheep confirmed', 'test revealed candidate', 'polymorphism aflp marker', 'sheep population characterized', 'chol glucose', 'microsatellites 34', 'rfi fewer qtl', 'lamb created cross', '83 10', 'associated tolerance', 'variation behavioral trait', 'hen genetic selection', 'support hypothesis elovl6', 'number highlighted', 'breaking force weight', 'identification candidate genome', 'substantial rapid biological', 'weight maximum', 'sample 416 cow', 'manitoba university', 'genetic variation dpr', 'ct cow 05', 'refined map position', 'step insight molecular', 'chemical trait different', 'total 38', 'linear correlation variance', 'commercial level pig', 'newly associated gene', 'focusing chromosomal', 'acid synthesis', 'daily weight gain', 'element residing qtlr', 'serum lipid level', '23 qtl significant', 'overall liking', 'identified chinese meishan', 'excretion qtl', 'muscle redness', 'recently allowed detection', 'algorithm improved model', 'fertility herd life', 'season tick', 'nesfatin pig', 'number correlated fat', 'target genetic improvement', 'wg42 candidate gene', '96 10 14', 'positive substitution', 'previous comparative mapping', 'comprehensive cnvrs meishan', 'growth week static', '01 body', 'reported previously unique', 'gene based selection', 'process taking place', 'previously reported reflecting', 'level 14', 'pattern 500 measurement', 'respectively important', 'chicken infinium iselect', 'additional lamb compared', 'horse misdiagnosis possible', 'trait chicken contrast', 'iii using significant', 'region observed', 'physiologic function', 'family population examined', 'related quality', 'serological status proviral', '50 associated', 'recorded 42', 'height pony breed', 'showed phenotypic variance', 'analysis manchegas', 'analysis usually', 'total offspring comprised', 'gwas using illumina', 'region explain considerable', 'nesfatin regulates', 'sample 178 intact', 'respectively reached genome', 'bone size important', 'forced pcr', 'fec iga', 'allocation onset sexual', 'gwas using meta', 'mdv recombinant', 'density genome wide', 'score eye muscle', 'mapped ssc7', 'weaning gain additionally', 'genome characterized', 'uterus considered relevant', 'capn1 947', '630 informative', 'fdr 10 different', 'tomography ct measurement', 'observed phenotypic', 'bovine ocular', 'cft equation offer', 'common mcp', 'exceeded threshold claim', '903 texel animal', 'aim study characterize', 'qtl chromosome using', 'duroc large white', 'elimination model used', 'g392a a430g', 'ft genome', 'previously reported quantitative', 'efficiency ratio dmi', 'newly identified qtl', 'sheep showed', 'conclusion sequence', 'candidate gene search', 'snp region necessary', 'modeling entire curd', 'variant exist taken', 'tissue qinchuan cattle', 'genetics temperament collected', 'allelic effect differed', '04 cm', 'level erythroid', 'thicker backfat lower', 'daughter genotyped using', 'population neaurp used', 'abcg5 trpm6 htr1e', 'included relatedness', 'volume avpcv live', 'protein s20', 'set principal component', 'sympathoadrenal sa', 'associated various physiological', 'sci body', '120 gene gene', 'located chromosome largest', 'ew negative locus', 'outbreak pathway', 'scd gene milk', 'strain putative', 'tool detection', 'candidate gene higher', 'information 280', 'segregating locus described', 'gene common', 'included lifetime', 'management condition', 'bta20 03', 'feed intake growth', 'growth sexual maturation', 'sample genetic difference', 'snp marker passed', 'study effect prkag3', 'responsible limb', 'total 739 pig', 'polymorphism adipocyte', 'xinghua chick', 'source qtl puberty', 'local breed applied', 'pig used parent', 'total 424', 'muscle mass chromosome', 'detected setd7 700g', 'pool data sire', 'chromosome bta2', 'calpastatin cast total', 'genotype illumina', 'gwas seven', 'trait recorded longissimus', 'affect level androstenone', 'prophylactic use', 'ssc4 khdrbs3', 'associated spleen weight', 'subunit fatty acid', 'cattle breed indigenous', 'myxobolus cerebralis', 'genetic molecular background', 'rate genetic', 'ovary weight', 'seven snp significant', 'wrinkle high', 'sow gene identified', 'fertility breed landrace', 'cow informative', 'putative lethal', 'homozygous mutation mln', 'known porcine', 'changing time called', 'gwas 10 snp', 'nucleotide polymorphism significantly', 'water loss deciphering', '34 half sib', 'underlying endocrine', '41 day gga3', 'ctnnal1 1878', 'tlum nucleus breeding', 'cattle reproduction', 'trait clear', 'revealed 35 novel', 'marker using', 'balanced frequency', '577 chicken', 'activation glycogen', 'comprised 38', 'pig different', 'resulting 20', 'rate rgr', 'dmi based bw', 'responsible qtl', 'ebv analyzed', 'frequency 6723g snp', 'pvuii haeiii', 'background porcine fatty', 'strategy evoke enhance', 'dna marker', 'gene associated occurrence', '311a characterised haplotype', 'addition resistance susceptibility', 'piglet mummified', 'measure investigated', 'genotypic effect', 'enhanced power', 'ankh explained 12', 'percentage fat lm', 'composition trait population', 'family 47', 'total 610', 'percentage decreased milk', '003 cyst', 'vca body weight', '52 cm genomic', 'herc3 dicer1 progression', 'microsatellite marker genome', 'polymorphism possibly hold', 'examine snp coding', 'smad3 smad6 iqch', 'increased proportion shoulder', 'approach segregation', 'trait model assuming', 'pig prlr', 'skin cock', '83 2009', 'received grass concentrate', 'common wld', 'normalized value', 'bta26 respectively', 'viability fv', 'line different degree', 'test considered suggestive', 'drop interval', 'precisely map previously', 'detected qtls', 'adfi adg stringent', 'region optimize', 'lipid trait', 'total 155 microsatellite', 'composition trait evaluation', 'bta2 bta9', 'israeli holstein family', 'immune study identified', 'population result recent', 'cool cold water', 'lg csn3', 'field test', 'missense variant btas', 'power design', 'rs13905622 aa chicken', 'respectively mixed linear', 'finding suggest non', 'strongest candidate bringing', 'synteny human', 'effect cooking loss', 'discovered associated body', 'sc holstein', 'power gwas approach', 'lectin pathway', 'wild sheep', 'precursor protein', 'sla allele diversity', 'ampk prkag2', 'ccr golga4 coq9', 'meritorious available', 'improving yolk', 'visual appraisal', '19179 snp', '660 novel', 'location bf', 'candidate gene nsrp1', 'fertility locus missing', 'age dna sample', 'variation population explain', 'analysis independent', '13 mb galnt13', 'generation typed', 'growth factor ngf', 'departure normal developmental', 'polymorphism located common', 'activity th2', 'sequencing 600k', 'exon regulate', 'fgf12 endometritis', 'region associated mt', 'worldwide based', 'performance respiratory', 'difficulty pinpoint', 'proximity sequence candidate', 'vol respectively based', 'snp analysis haplotype', 'effect evaluate statistical', 'related performance', 'slc16a1 located associated', 'qtls affecting fitness', 'gene evaluate association', 'snp used predictor', 'interval conclusion result', 'ssc2 associated ltnb', 'data cross', 'lrp12 coding region', 'position 122 cm', 'characterized milk', 'commercial layer line', 'loss lightness backfat', 'line unselected', 'horse breed purpose', 'sperm concentration significant', 'year lsy', 'factor forkhead box', 'reported literature large', 'qtl region based', 'gastrointestinal nematode sheep', 'reaction rflp', 'aimed identify', 'economically significant', 'radiographic data blood', 'arachidonic linoleic acid', 'observed expected number', 'regression snp', 'map fmo1 fmo3', 'extent facial', 'nonsynonymous snp gene', 'showed number', 'val ala 15', 'trait physiological trait', 'allele benefit', 'possibly associated age', 'collected f2', 'conclusion detection', 'behavior example vasotocin', 'model analysis using', 'array host tb', 'life offspring model', 'stay herd longer', 'sequential molecular breeding', 'derived founder wagyu', 'detected progeny', 'gga1 pleiotropic effect', 'involved heredity', 'locus studied female', 'analysis evidence', 'complete atrophy body', 'heifer bovine chromosome', 'transformed tick', 'breed conformation muscle', '70 result indicated', 'design including', 'used 05', 'study inconsistent', 'meat quality pig', 'analysis confirmed qtl', 'wide association result', 'program designed improve', 'bull german fleckvieh', 'reported beneficial', 'kegg circadian rhythm', 'partum interval commencement', 'dna sequencing analysis', 'exhibit increased', 'friesian crossbred', 'snp microsatellite', 'eighteen snp', 'fat area rfa', 'broad range', 'segregating white', 'strongly genetically correlated', 'vrtn potential act', '01 group snp', 'semen trait potentially', 'broiler 50', 'variation mar', 'study identify putative', '95 81 45', 'identified associated fat', 'called intrinsic', 'control finding provide', 'covering 19 porcine', '30 animal', '56 mbp', 'connective tissue evaluated', '72 cm', 'conduct single', 'general relationship significant', 'genotype snp3', 'ssgwas identifying genomic', 'marker inra40 color', 'shown aspect', 'search snp', 'trait framework map', 'factor common complex', 'domesticates including', 'incidence detected family', '874 snp', 'compared tt', 'gene physiological', 'heteroscedasticity cpsa', 'breed meat', 'mutation chicken', 'identified 192', 'score qtl ssc2', 'study characterized', '35 lamb pneumonic', 'domain containing 16', 'horse consisting', 'confirmed presence genetic', '50 000 50k', 'carcass composition addition', '28234 bovine', 'bioinformatics molecular', 'gene including ncapg', 'difficulty cd age', '110 using', 'new allele', 'navicular disease characterized', 'host genetics shown', 'related bone', 'length polymorphism pcr', 'pedigree test', 'suggestive molecular', 'novel gene', 'mapping placed irs4', 'significant level lge22c19w28_e50c23', 'study utilizing larger', 'resistance assaf', 'allele analyzed 38', 'protein kinase turn', 'effect piglet highest', 'important trait increasing', 'milk using', 'marking horse study', 'used chip', 'friesian ram non', 'using traditional blup', 'including coding', 'depth rump width', '555 animal', 'associated adg duroc', 'causative mutation needed', 'construct milk', 'greater luciferase activity', 'carried identify gene', 'lactation detected', 'attain maturity approximately', 'gene chinese holstein', 'significant gene', 'h5h5 diplotype 21', 'range 199 225', 'characterization help identify', '23 26 28', 'yield kg reduced', 'gwas accomplished mixed', 'threefold estimate', 'family outbred rainbow', 'horse genotyping 192', 'commercial population consistent', 'f2 dupi population', 'locus qtls reported', 'mutation located closed', 'anxa10 association replicated', 'af536174 321c', 'individual measurement', 'worldwide approach reducing', 'flanked 500 bp', 'worldwide considerable variation', 'play role birth', 'contribution gene', 'related ketosis', 'trait used example', 'lrrc14 fuk nprl3', 'rs81434499 rs81434489 ssc', '40 000 single', 'improve trait', 'gene 18', 'nonsense mediated decay', 'stillp ssc6', 'simmental italian', 'contributed reduce confidence', 'reported incorporated', 'cattle productivity', 'gene need validation', 'population 72472', 'mapping qtl dominance', 'spot14 thrsp small', 'future pig breeding', 'fatness rfi bf', 'data family revealed', 'genotyped using 600', 'analysis 183', 'piglet 457', 'ssc4 ssc8 ssc9', 'phenotypic variation loin', 'display differential', 'correction line result', 'totally 83 genome', 'xia nan', 'acid fat line', '10 affect', 'associated percentage carcass', 'gr gene', 'interval 10 cm', 'mb inside', 'nicl snp', 'pig weaned', 'consistent qtl', 'ssc1 ssc7 ssc12', 'sequence data identified', 'teat right', 'qtl position achieved', 'association bta accounted', 'multiple gene phenotype', 'variation water holding', 'week chest', '160 961g tmx4', 'fertility specific nh', 'phosphatidylcholine ether', 'number birth weight', 'large number qtl', '59 10', 'cattle positional candidate', 'additional improvement classical', 'program qtl express', '240 microsatellite marker', 'information study association', 'underlying resistance mdv', 'aureus qtl analyzed', 'allowed confirmation', 'qtl chromosomal family', 'nanyang cattle aged', 'revealed greater', 'significant linkage japanese', 'subclass influenced genetic', '24 somatic cell', 'family indicating', 'lp lta', 'btas 13 15', 'associated bone integrity', 'station flock', 'main compound', 'moisture make 80', '9x10 14 dna', 'concordant qtl related', 'haplotypes conducted', 'heritable ranging 19', 'living pedigree', 'qtl met', '1064 lamb single', 'variance td proximity', 'acid moderately heritable', 'mapping technique', 'purpose snp', 'causal mutation effect', 'frequency 56 682', 'adjusted 305 fat', 'ranging 19', 'time sexual', 'analysis putative family', 'added study', '000 generation offspring', 'quality heavy', 'colour qtl', 'breakdown mechanism', 'analysis qtls affecting', 'used test location', 'refined 20 cm', 'bostauv1r417 bostauv1r419 map2k5', 'abt suhuai', 'ii tightly linked', 'mummified pig', 'pa sire respectively', 'analysis mutation litter', 'provided useful information', 'allele susceptibility etec', 'mb skatole', 'late growth respectively', 'specie shown dna', 'wild type abdh5', 'gene allele frequency', 'gwas second', 'pair ancestral homeologues', 'opn involved involution', '007 bta26', '2589 sire 389', 'replication host immune', 'acyltransferase dgat1 thyroglobulin', 'confirmed affected', 'health fertility herd', 'gene key candidate', 'novel evidence unravelling', 'productivity quality', 'kg dmi', 'frequency genotyped', 'biosynthesis monounsaturated', 'segregation second', 'enzootic trypanosomosis', 'invasion conclusion', 'angus ranged', 'detected locus', 'mortality feedlot cattle', 'particular gene', 'chromosomal origin', 'respectively refining previous', 'information understand eye', 'endonuclease silico', 'rule stationary performance', 'result recent advance', 'fat digestion absorption', 'quality trait toughness', 'contrast transfection bend', 'residual quantitative genetic', '19 adr inra', 'adverse effect', 'proactive coping', 'shank length sl9', 'simultaneously increase dyd', 'fatty deposition', 'mutation intron data', 'malate dehydrogenase indicator', 'array containing 62', 'different datasets used', 'adjust qtl chromosome', 'gwas carried', 'crossbred pedigree', 'type population total', 'qtl sc identified', '56 day non', 'holstein paternal half', 'effect key meat', 'tenderness texture haplotype', 'animal influence exon', 'variant meat quality', '13 12 significant', 'region ssc1 12', 'chromosome somatic cell', 'performed genomewide association', 'secretion adrenocorticotrophin hormone', 'experiment described analysis', 'fundamental trait required', 'ranged 40 substitution', 'responsible navicular disease', 'located gga14', 'contained qtl baseline', 'friesian cow northern', 'cm s0102 mapped', 'english thoroughbred', 'rate 282', 'low line', 'bovine chromosome 21', 'snp change', 'genotyped 194', 'level pig population', 'proportion leg', 'revealed suggestive qtls', 'backcross pedigree using', 'allele partially', 'org uk qtl', 'pathogenic se', 'gwas compare', 'method dissect', 'non clinical clinical', '43 snp identified', 'range essential', 'genotyping parental g1', 'robust prediction adg', 'information content', 'horse breed study', '05 abdominal fat', 'plm percentage abdominal', 'cm upstream cm', 'effect qtls oar12', 'sf suffolk sheep', 'dusp6 gene investigated', 'univariate bivariate conditional', '0x10 13 dna', 'detected gga 13', '2900 genotyped', 'human 96 giant', '461 individual 40', 'change nature', 'mastitis time', 'detected work', 'cm dmi', 'characterized using', 'localized arm', 'furthermore altered mir', 'mechanism involving', 'profile posse', 'program based cheese', 'month polymerase', 'associated average chain', 'based gwas analysis', 'density genotype data', 'group location', 'existence population', 'ssc16 ednrb ssc11', 'analysis glm 19', 'allele respectively conclusion', 'large scale white', 'recessive dominant', '2412 586 atg', 'leghorn progenitor', 'lda german holstein', 'service conception snp', 'impact spp1 promoter', 'region cattle genome', 'gene gene based', 'associated bovine spongiform', 'considered study mapped', 'female specific linkage', 'qtl calpain capn1', 'chicken produce significantly', 'marker particular emphasis', 'relative content', 'higher poor bone', 'associated osteochondrosis dissecans', 'microtia observed', 'variation growth fillet', '12 significant snp', 'binding region respectively', 'association detected chr', 'remaining set', 'indicus bos javanicus', 'locus underlying', 'pathway linked innate', 'horse characterized', 'lie close', 'ssc10q14 q16 using', '62 163 evenly', 'calf survival twinning', 'identify allelic', 'mapping undertaken map', 'including bovinesnp50 50', 'piglet colonizing pig', 'bta03 01 qtl', 'revealed sire', 'sequence putative transcription', 'economic benefit', 'enabled better', 'consumer improved selection', 'leptin signalling play', 'tissue liver', 'p2x3r fixed nil', 'confirmed strong eqtl', 'weight nelore', 'feed intake given', 'common region ssc7', 'infection population differentiation', 'mixed model different', 'non castrated', 'trait demonstrated', 'ecotypes adapted local', 'chromosome snp identified', '417 snp', 'powerful detection snp', 'clinical mastitis reported', 'known indirect impact', '11 danbred', 'chromosome dry', 'lhb induces steroid', 'frequency exclusively chinese', 'gg cc genotype', 'gene common trait', 'gene annotate', 'genotyped 257 microsatellites', 'practical application await', 'ephb2 slc35a3 chromosome', 'corrected phenotype calving', 'resulted similar', 'prkag2 mature', 'protein enlarged', 'play vital', 'tested nordic red', 'rs80805264 nearby quantitative', 'pp pft', 'qtls detected qtls', '05 effect interaction', 'western burkina', 'generally reduced association', 'qtl map used', 'duroc related', 'identified deleted type', 'lalba gene transition', 'precocious animal', 'beadchip corresponded', 'gwas trait', 'inflammatory immune response', 'approach offer', 'subject appearance', 'meat quality duroc', 'statistical method trait', 'identified downstream gene', 'abundant derived transcript', 'reason removal', 'low faecal nematode', 'mapping functional', 'represent overall', 'a19 cyp2a19', 'allele effect increasing', '18 13 18', 'association study involving', 'absence ascertainment', 'demonstrated complex linked', '36 microsatellite marker', 'higher bw70 bwg', 'porcine muscle phylogenic', 'sulphate 17β', 'wide association ce', 'difficult measure study', 'conducted using recently', 'snp additive dominant', 'gwas led detection', 'intron data underline', 'pony known', 'variation lcorl', 'birth homozygous', 'holstein suggesting linkage', 'associated 10 additive', 'target study identified', 'breeding strategy control', 'meat ph water', 'nucleotide indels', 'hdac11 gene 61', 'preovulatory ovary comparative', 'commercial breeding', 'single qtl affected', 'pig knp using', 'variation solution overcome', 'analysis associated pathway', 'ssc12 ssc16 intramuscular', 'beef production genetic', '21 play important', '2978 daughter', 'marker spanning region', 'significant feed', 'current elite', 'prp genotype class', 'spaced average', 'selection procedure', 'interaction jointly investigated', 'include genotype 50', 'quality control criterion', 'strength alternative genotype', '01 result useful', 'direct hereford result', 'gain bwg feed', 'gene supported', 'bovine genome influenced', '004 286 012', 'importance broiler industry', 'analysis gwas', 'irf3 qtl', 'throughput genome', 'suppressor glucose', 'expression putative qtl', 'genome dna', 'locus investigated', 'bcse widespread inherited', 'totaling 431 885', 'ability non', 'stratification significantly', 'depth allele muscling', 'arcsine transformed', 'effect metabolism immune', 'igf2 qtl prolificacy', 'dominance model', 'animal domestication', 'allele effect', 'model line cross', 'cssm66 lying approximately', 'qtl search parasite', '16th 18th', 'tested commercial', 'sign selective', 'identification locus', 'unit feed', 'vertebra half sib', 'used quantitatively', 'qtl affecting palmitic', 'lutea observed', 'efficiency hrh4', 'mb size bta1', 'p17 region', 'associated tibial', 'snp identified model', 'calcium ca serum', 'born ltnb lifetime', 'close ho', 'ma animal new', 'approach obvious candidate', 'associated difference strength', 'weight cwt', '12 suggestive snp', 'bioactive gdf9', 'structure phenotype identified', 'alp lac', 'non coding association', 'ubf 91', 'interval progeny', 'analysed trait knowledge', 'potential risk', 'required attempting', '14 radiation', 'interesting polymorphism reported', '01 yw 39', 'complete coverage', 'brown 745', 'ease carcass trait', 'mutation casein complex', 'level evidenced qtl', '23 genetic variation', 'intercross sequence analysis', 'resistance provide basis', 'revealed porcine gys1', 'genetic chromosome', 'red angus simmental', 'mapping selection', 'production milk naturally', 'sheep 01', 'region ssc3', 'analysis commercial pig', 'offspring heterozygous sire', 'ercc6 tonsl npas2', 'bird snp low', 'efficiency chicken', 'study investigate single', 'trait associated boar', 'useful marker selection', 'reaching market weight', 'characterized rodent', 'dysgalactiae escherichia', 'marker analysis 144', 'artificial selection animal', 'claw lesion 217', 'tested trait', 'nodule formation', 'qtl tenderness', 'weight snp large', 'non coding sequence', 'promoter activity', '80 tissue weight', '04 14', 'region chromosome used', 'deformity outer', '61 quantitative trait', 'demonstrated novel candidate', 'vegfa hematopoiesis', '073 pp', 'known differ mdv', 'mechanism feed efficiency', 'dyd major fraction', 'sheep qtl investigated', 'qtl 24 ph', 'effect mixed model', 'vrtn gene significant', 'validation result', 'milk 30 lower', 'association thickness width', 'bind streptococcus', 'capn1 gene bull', 'cattle breed observation', 'genotyped porcinesnp60 beadchip', 'leucocyte trait variation', 'qtl previously classified', 'trait variant 2614t', '2325 snp marker', 'band arm', 'higher stearic', '27 chromosome 11', 'file entire flock', '90 282 day', 'oh shamo', 'shown different', 'bil creatinine', 'sire genotyped', 'detected paternally', 'identified new meat', 'pcr rflp 212', 'conduct multipoint', 'significant 12 suggestive', 'egg quality trait', 'martinik black belly', 'btx identified', 'fat score classification', 'gene 20 novel', '6723a allele frequency', '97 genotype hmga2', 'deposit relevant ssc8', 'mapped match', 'tissue prior information', 'cw cw narrowed', 'wool fiber', 'locus horn majority', 'associated vivo bull', 'obtaining information indigenous', 'proviral load japanese', 'day insemination ifl', 'native chicken', 'tribbles homolog', 'million read', 'n229h tbg', 'qtl ci imf', 'included body', 'group haplotype distinct', 'variation complex trait', 'adg bft', 'dimensional search', 'selection dairy cow', 'position affecting', '867 181 926', 'additive qtl method', 'provide basic information', 'trait reached', 'confirmed significant qtl', 'herd life female', 'tc marbling', 'fa gene present', 'aldbsscg0000001928 identified', 'growth rate tissue', '170 cm ssc', 'score multitrait', 'weight 300', 'allocation onset', 'ridge regression', 'locus experimental design', 'number qtl significance', 'ranged 02 00', 'chromosome bta', 'extreme estimated', 'divided stage stage', 'fcr 293 08', 'bac library', 'wound 24', 'effect powerful', 'employ genetics porcine', 'comprising csn1s1 allele', 'isolation box test', 'process insulin', 'free environment aa', 'width hw tc', 'muscle fasted', 'psi tt psi', 'genotype gene expression', 'dif copy', 'yearling bta 11', 'interval mapping used', 'cock subcutaneous fat', 'determining cost animal', 'dilution locus result', 'red cattle breed', 'increase profitability', 'croup width', 'region brown', 'nucleus gene 0005634', 'reported nucleotide variant', 'mbp gene', 'linked microsatellite omyfgt19tuf', 'increased 50', 'especially highly', '327c identified', 'instance outbred f2', 'fat depth meat', 'using replicates extreme', '42 63', 'binding transcription factor', 'group strong', 'litter size french', 'leghorn inbred line', 'groundwork future investigation', 'peak function', 'snp dq124298', 'exposed standardized', 'suggestive significant qtl', 'wild type ancestor', 'confirmed combined linkage', 'showed rs15675067', 'known fp', 'using new snp', 'measure meat quality', 'duroc cross university', 'microsatellite marker revealed', 'supported polygenic nature', 'adapted breed', 'affecting growth trait', 'substantially allele', 'candidate gene clinical', 'angus beef cattle', 'marker bracket fabp4snp2774c', 'cycle provide precise', 'data contribute insight', 'weight lfw half', 'died month life', 'snts common abnormality', '26 individual f1', 'available bodyweight conformation', 'effect 644 pig', 'pecking significant effect', 'capillary lumen cloned', 'maturity comb mass', 'expression network', 'decreasing type', 'cltc adjacent rs81434499', 'qtl map resolution', 'evaluate influence aforementioned', 'given heating', 'hormone secretion growing', 'linkage disequilibria expected', 'region ltnb gene', 'variance revealed strong', 'performance eqtl search', 'dna sire represented', 'association detected breed', 'note identified', 'method applied detect', 'scrapie infection', 'including large', 'content differed', 'coincided number', 'mt genome wide', 'disequilibrium ld extends', 'trait conclusion', 'gct0006 mcw0106 explained', 'mutation remain', 'relevant genetic', '4280 progeny', '21 snp showing', 'marker dj', '11 20 cm', 'nanyang ny qinchuan', 'effect number significant', 'gene coding melanocortin', 'underlying variation pig', 'tended associated', 'residual maximum likelihood', 'heritability trait notoriously', '25 6n non', 'clustered 570', 'confirmed segregate', 'popular ghanaian', '70 result', '50 united', 'improvement pig industry', 'infection healing low', '9657c 10718g 10936g', 'yorkshire resource family', 'variance pig chromosome', 'dna pool', 'examined single amino', 'right ventricle hypertrophy', 'sample significantly higher', 'growth qtl affect', 'deduced ars', 'approach medium', 'host genetic factor', 'autosome 18 distance', 'femur white duroc', 'densely spaced', 'caseous caecal core', 'conducted order ass', 'locus size', 'underlying various milk', 'trait presenting', 'dna used template', '93 snp', 'phase reconstruction based', 'detected single qtl', 'haplotype hap2 hap3', 'lncrna gene', 'needed confirm', 'rna generation sequencing', 'study gwas chromosomal', 'study involved animal', '98 radiographic data', 'capacity beneficial welfare', 'heat resistant', 'normal rbc', 'trait cnvs', 'localized haplotype sire', 'module eigengenes', 'overlapped qtls mt', 'enzymatic activity', 'trait candidate genetic', 'mutation lepr underlies', 'threat domestic', 'largest value 26', 'different activity animal', 'mixed panel including', 'threshold 2e', '45 49 cm', 'expressed profile', 'employed linear', '38 corresponding sd', 'smc condensin', '02 gwaa', 'lactation lactation analysed', 'line homozygous', 'blood sample taken', 'applicable selective', 'worldwide mapping', 'interaction effect seemingly', 'variation gene ubiquitously', 'located intron previously', 'related female', 'effect bayesian', 'capacity disease', 'cattle caused multiple', 'acid initial genome', 'variation prrsv specific', 'eca1 specific locus', 'create data', 'value meat', 'day week', 'commercial elisa tests', '20 cm tgla303', 'breeding animal progeny', 'vol genetic variance', 'drumstick yield', 'altered transcriptional activity', '58 lg', 'best value', 'concentration fat protein', 'cyp11b1 dgat1 reproduction', 'functionally linked', 'panels used', '20 generation red', 'trait muscle development', 'promoter snp', 'spleen cecum content', 'ssc nonparametric interval', 'ab genotype', 'computer image', '226 number teat', 'influencing fatty acid', 'genetic variation individual', 'susceptibility 84', '30 gene protein', 'stratification breed', 'role mitochondrial', 'haplotype chromosomal region', 'ap 295 ovulation', 'human postnatal psychiatric', 'genotyped 39 438', 'interact affect body', 'ram design', 'conserved motif protein', 'influencing parameter', '18 10 respectively', 'differ diversity', 'ssc3 ph loin', 'frequency tharparkar vrindavani', 'granddaughter design consisting', 'tdt based approach', 'utilized current', 'study consider continuous', 'showed lower', '1343 trout genotyped', '11 half', 'hyperglycemia chicken', 'shift assay', 'position identify gene', 'intramuscular fat percentage', 'biochemical analysis', 'fundamental evidence csrp3', 'offspring brahman', 'trait considerable', 'linkage causative mutation', 'sheep investigated recessively', 'elovl6 gene located', 'region 19 unique', 'effect resulting', 'reported moderate', 'custom affymetrix single', '206 254 snp', 'content lm ssc6', 'result screening', 'sus scrofa build', 'imf individual wild', 'respectively comparison data', 'feather tract week', 'qtl scan increased', 'mutation useful effective', 'selected polymorphism', 'saturated unsaturated', '10 site level', 'sire 427', 'region revealed deletion', 'standard error variance', 'ldb2 igf2bp1 gene', 'mean map qtls', '928 fetus', 'expression level creation', '02 associated increased', 'characterized porcine', 'herc3 herc5', 'cm constructed genome', 'residue backfat', '967 hd 7209', 'upstream region', 'cm 17 19', 'different response', 'adipocytes 10 observe', 'muc13b predicated heavily', 'depth measurement', 'target trait pig', '600 individual family', 'maturation chicken potential', 'information tumor', 'palmitoleic fatty', 'bmp af weight', 'group eggshell color', 'mean control', 'kb haplotype', 'range performance trait', 'type mouse', 'mechanism enhance', '18 conformation', 'genotyped cattle population', 'cattle resequencing', 'concordant dataset', '181 dinucleotide microsatellites', 'sheep data', 'snp phenotype assessed', 'empirical 026 dominance', 'locus pleiotropic', 'different region pleiotropic', 'bta29 15', 'including 5221 cow', '105 96', 'differed breed example', 'region molecular', 'thirty snp significantly', '53 cm 86', 'trait detected', 'responsible detected', 'weight small', 'polygenic trait new', 'deposition italian pig', 'reported previously genome', 'single nbd', '10 65', 'obtained using window', 'variation number', 'family containing', 'increased teat count', 'genome harboring', 'mastitis time compared', 'analysis bvs', 'elongation activity', 'phenotype duroc pig', 'associated variation causative', 'snp bovine myog', 'strain hariana', '1382c lep', '856 snp', 'trait strongest', 'effect slightly lower', 'feathered foot', 'female embryo anxa10', 'producer breeder', 'related specific', 'trait mycoplasmal', 'effect negative effect', 'igf1 mainly', 'tert notch1', 'finding immediate translation', '10 categorical phenotype', 'influence detection', 'genotype 23 component', 'region tissue specific', '10 47', 'sufficient linkage warrant', 'sire dataset showed', '285 individual assessed', 'skip identified', 'snp associated hematological', 'receptor related orphan', '23 presenting significant', 'gata shown play', 'present study single', 'paint breeding', 'model respectively tbrd', 'region related mastitis', 'tested bvd', 'kit eca3', 'qtl pair assigned', 'predominantly adipocyte', 'associated carcass growth', 'interaction observed mc1r', 'eqtl fos qtl', 'genetic control variant', 'chromosome 18 significant', 'marker dik4782', 'population performed', 'cd83 responsible economic', 'bta2 94 01', 'test based significance', 'proximal promoter', 'lead blindness corrected', 'kgf 25', 'ancestry despite different', '13 genetic variance', 'mufa reduce concentration', 'recorded 42 day', 'control natural', 'alpha chain na', 'genome scan gpt', 'individual guideline', 'androstenone indole mrna', 'efficiency contributes number', 'study demonstrate power', 'lce crossbred population', 'element harness racing', 'fixed environmental effect', 'linked result', 'associated dmi', 'mastitis determinant dairy', '47 unaffected', 'body depth canonical', 'region peak snp', '28 qtl', 'dpr cow', 'monophosphate dependent protein', 'detect qtl associated', 'h1 h4 cow', 'strong linear', 'study needed identify', 'model heritability estimate', 'addition eighteen new', 'charolais brahman', 'expression hypothalamus data', 'influencing parameter far', 'pietrain chinese', 'associated recprotein hapmap52348', 'founder white leghorn', 'outline putative', 'plasma igg', 'correlation parity', 'group e22c19w28_e50c23 suggestively', 'sdp applied', 'f2 piglet', 'examined 94', 'array 42 883', 'snp stearoyl', 'resource population age', 'genotype elucidate genomic', 'cm 11 16', 'snp 53 insertions', 'marker 18', 'factor examining', 'female neonatal', 'gene identified associated', 'haplotype 35 sigma', 'pc1 indicating pc1', 'performed software', 'measurement plasma cortisol', 'actively control', 'body component bd', 'support interval qtl', 'pcr cow', 'difference animal different', 'diverged distinguished member', 'milk decreasing concentration', 'aj543065 703a', 'exception na', 'gene expand knowledge', 'vrtn genotype mean', 'pc1 body size', 'female fertility', 'ligase e3b', 'lack appropriate', 'bw week age', 'c18 1n c16', 'expression bend cell', '995a 311a characterised', 'qtls affecting meat', 'value genetic', 'effect seen', 'microrna gene', 'greater muscle tissue', 'varied age growth', 'genotype 38 426', 'phenotype economic underlying', 'interleukin il2 interleukin', 'obtained routine german', 'study regarding', 'breeding strategy resistance', 'ripk2 respectively grm1', 'wk age 0056', 'chain reaction qpcr', 'concordance meat', 'variation applies infection', 'analysis identified number', 'backcross family 172', 'panel snp maximally', 'program map manager', 'poorly understood major', 'difference broiler', 'marker regression model', 'significant effect individual', 'parity 03', 'emission individual fed', 'presence qtl bta', 'gene expressed spleen', 'hcr hsd17b7', 'type i_ra fiber', 'significant genetic variation', 'major concern human', 'scan family', 'segregating variant', 'revealed 100', 'loss result bovine', 'illumina porcine 60k', 'mc4r useful utilizing', '11 mb size', 'bta6 distinct', 'associated increased loin', 'ocd hock', 'carrier haplotype', 'value location', 'breed analysis revealed', 'spotting dairy', 'random polygenic genetic', 'ovine gbrowser http', 'africa asia', 'increased milk protein', 'coding snp non', 'shoulder expressed percentage', 'number vertebra mammalian', 'alberta hybrid', 'genetic architecture complex', 'ovine snp50', 'pig population encompassing', 'dna sequencing containing', '11 map4k4', 'cattle phenotype', 'landrace korean', 'effect implementing', 'curve synthesized behavior', 'partially adjacent intron', 'raw 86', 'responsible metabolic trait', 'used selective', 'compared phenotypic genetic', 'confirmed snp likely', 'piglet 20 35', 'region association', 'variant reported', 'qtl growth', 'milk trait study', 'recessive white skin', 'hd gwas', 'catfish genome integrated', 'variance trait qtl', 'validation population confirm', 'composition genetic', '040 heifer 483', 'efficiency fe key', 'extremely different inbred', 'included panel', 'like smaller effect', 'analysis qtl association', 'snp significantly 001', '3000 year', 'variant organized seven', 'distinct qtl chromosome', 'dkk2 kit crim1', 'significant effect response', '10 16', 'method detecting mutation', 'association polymorphism scd', 'infected uninfected', 'cyp1a2 rt', 'proportion monounsaturated saturated', 'mammalian gnas', 'bovine chromosome close', 'result study performed', 'associated snp identified', 'consequence genomic', '150 susceptible layer', 'qtl resolution', 'reported dairy sheep', 'snp validated larger', 'data 304', 'f2 pedigree improved', 'joint analysis allele', 'different nutrition condition', 'deposition muscle content', 'identified sensory', 'peak negative', 'adipocyte size pig', 'expected affected', 'architecture boar taint', 'synonymous mutation showed', '19 21 23', 'posse multiple peak', 'diego ca multitrait', 'significant snp ars', 'cooked meat scored', 'studied marker 13', 'fat compared perirenal', 'analyzed based genetic', '12 11', '2061t 2196t', 'coding region gene', 'ige level recombinant', 'record 444 cow', '10 15 refined', 'extreme economic importance', 'gene apd gng2', 'lentivirus ovlv macrophage', 'trait square mean', 'variant track knowledge', '40 657', 'observed effect information', 'polymorphism c5697t', 'region showed remarkable', 'model univariate bivariate', 'wide significant locus', 'categorical phenotype', 'enteric pathogen revealed', 'allele jianquhai pig', 'fetal death fd', 'expressed spleen', 'mature microrna gga', 'ranged 9966364', 'univariate model hatch', 'knp using', 'event data related', 'fat content shear', 'identified genetic diagnostic', 'detected association analysis', 'churra ram studied', 'simultaneous selection trait', 'observed marker', 'linkage analysis identified', 'development response reproductive', 'introduced plant', 'average milk protein', 'gene dq848681', 'red chicken genome', 'response genome scan', 'tested son used', 'condition strikingly', 'favorable allele lp', '14 phenotypic variation', 'distributed 19 pig', 'month 05 significant', 'consistently susceptible resistant', 'negatively correlated transcript', 'indicate genetic component', 'autumn changing', 'strategy improve meat', '01 cow', 'way 15', 'globulin gene', 'holstein friesian brown', 'markedly genome', 'prediction accuracy close', 'regulating cellular energy', 'economic production', 'carcass performance trait', 'included growth component', 'churro examine', 'sire random qtl', 'genotyped 35', 'meishan allele', '96 phenotypic', 'ssp1 used anchor', 'sequencing 423', 'fitness accelerating genetic', 'chicken genetic variant', 'including region', 'shown multivariate', 'ssc2 13 erhualian', 'association pvuii', 'series platelet', 'pectoral angle body', 'pathway analysis associated', 'associated serum prolactin', 'rfi bf qtl', 'selection pleiotropic', 'mutation figf', 'production reveal genetic', 'absorptiometry line cross', 'control extent spite', 'qtl express based', 'likelihood curve', 'mir region', 'aim identify genomic', 'bovine hgd identified', 'selected 103 sahiwal', 'genotyping increased', 'accurate estimation', 'specific antibody prior', 'parity differed ab', 'failure maternal', 'quantitative trait', 'quality investigating individual', 'dra result', 'multiple measurement', 'powerful detecting region', 'gg ga', 'average estimate', 'dataset previously', 'plus snp slc9a3r1', 'quality grade hanwoo', 'runx2 tnfsf11', '17 175 charolais', 'clearly complex', 'theory algorithm derive', 'transcription factor value', 'unrelated infanticide', 'joints fetlock', 'shearing clean', 'significantly 05 enriched', 'variance genomic selection', 'used indicator subclinical', 'regulating adiposity specie', 'background calving', 'qtl related abnormal', 'study suggests need', 'marker localized oar11', 'defect rapidly', 'fasn scd', 'spectrometry broiler', 'specific trait characterized', '21 significant milk', 'expression nr6a1 protein', 'pig asga0029495', 'protein percentage finding', 'region epistatic', 'property milk thorough', 'ratio 45', 'f2 animal parent', 'detect qtl carcass', 'standardization implemented', 'salmonella enteritidis se', 'based proximity backfat', 'explained udder', 'examined association ncapg', 'immune response wound', 'function related metabolic', 'furthermore eqtls enriched', 'associated additional marker', 'trend ew', 'eqtls value 01', 'associated reproductive process', 'genome integrated host', 'spawn individual egg', 'association mir133b snp', '100g fat', 'depth effect significant', 'growth trait ranging', 'report polymorphism bovine', 'wide association mapping', 'lameness warmblood', 'experiment consistent', 'snp provide', 'whiteness addition', 'bvs 13 snp', 'data provides unique', 'lg26 suggestive qtl', 'f2 individual', 'different age result', 'adg daily', 'dust including', 'investigated qdg mapping', 'longer productive 10', 'detection model', 'chromosome ssc shown', 'cross sire', 'qtl small chromosomal', 'affecting concentration', 'day 48 postmortem', 'related locus sex', 'assay technology', 'animal cross', 'circumference respectively', 'ulna humerus tibia', 'bta9 bta24', 'gc genotype snp', 'block contained', 'foreshank weight triglyceride', 'growth health sheep', 'industry genetic', 'presence hardened', '01 altamurana', 'nos2 mapped qtl1', 'nearly twice', '89 13', 'polymorphic site used', 'industry muscle composition', 'porcine single nucleotide', 'association second', 'marker subsequently analyzed', 'cattle trait', 'ube3c association evaluated', 'snp identified total', 'site utr manifested', '06 snp 176', 'sc phenotype distribution', '506a adrb3', '11 15', 'correspondingly harbouring', 'wise fdr', 'polymorphism milk production', 'morphology mammal', 'approximately 127 kg', 'muscle specific form', '05 information obtained', 'wrinkle herd erhualian', 'analysis paternal half', 'positive substitution effect', 'translation indicated snp4', '11 region significant', 'meishan white duroc', 'used characterize qtl', 'respectively qtl affecting', 'variant development egg', 'gene affecting concentration', '11 narrowed confidence', 'content ifc', 'notably region harbor', 'provided greater precision', 'obtained phenotypic', '114 cm centimorgan', 'genotype type', 'volume 29', 'lcorl ncapg locus', 'analysis trait positively', 'enssscg00000018823 located', 'qtn genetic', 'performed using maximum', 'epidermis dermal', 'reported selected asian', '17 17 mb', 'lamb immunity significant', 'significant effect intramuscular', 'fatty acid saturated', 'greb1 pla2g10', '7p12 18q12 18q21', 'qtl revealing complexity', 'oocyst shedding logarithm', 'estimate detection', 'infection provide additional', 'allele larger broiler', 'trait measured primary', 'unique significant', 'report marker density', 'cm fat protein', 'weight measurement dbw', 'chromosome interact', 'identified breed confirmed', 'second qtl affect', 'capn1 explains 02', 'company tested', 'small breed', 'agricultural population addition', '14 associated difference', '10 11 12', '30 purebred', 'functional network', 'trait postweaning growth', 'basis genome sequence', 'trait overall identified', 'animal commonly examined', 'difference prkag2', 'fitting mixed', 'gene detect', 'discovered animal', 'important swine industry', 'mutation problematic single', 'programme hampered', 'chicken genome scan', '183 microsatellite locus', 'ornament expression', 'pig 345', 'fat deposition chicken', 'region respectively snp', 'ssc16 ednrb', '9mb bos', 'association strength', 'biological mechanism regulating', 'boar taint problem', 'nudt7 cd', 'investigated holstein cattle', 'animal surpassing threshold', 'mutation snp2', 'regression mapping revealed', 'liver gallbladder weight', 'crucial start point', 'located gga5', 'puberty overlapping qtl', 'search gene affecting', 'population using double', 'milk peak economically', 'transcript agreement', 'influence pp', '07 qtl', 'alter function expression', 'encoded distinct gene', 'composition 30', 'ovulation rate sheep', 'upstream region gene', 'teat 801', 'water aquaculture ncccwa', 'weight qtls overlooked', 'determine quantitative', 'gene functionally related', 'relationship trait used', '061 bp bovine', 'ch4 production snp', 'substitution 160g 437g', 'secretion triglyceride', 'interval spanning', 'biological process related', 'fat percentage 18', 'bos taurus chemerin', 'associated 45 min', 'asian south east', 'adg prrsv free', 'growth trait candidate', 'qtl qtl 12', 'pcp response variable', 'card15 identified', '90 120 140', 'family 510 awassi', '54 000', 'repository population', 'ugdh partly contributed', 'gga9 gga23 detected', 'various snp', 'combined linkage disequilibrium', 'provide evidence gene', '104 mb ssc5', 'level using 20', 'afc early', 'result consistent italian', 'adjacent rs81399474', 'time sheep using', 'outcome disease dynamic', 'fraction observed', '1326t associated component', 'ovine hsp90aa1 gene', 'rf model overfitted', 'cattle search', 'sheep applied interval', 'showed additive', 'sscx qtl bft', 'znf389 znf165', 'cortisol response', 'important gene pathway', 'finding gene thought', 'responsible variation', 'screened substitution coding', 'trait possible', '943c identified', 'marker enhance pew', 'chromosome length provided', 'indicus cattle', 'hereford family', 'variation ca level', 'zero frequency non', 'cm abdominal fat', 'mir recently', 'purpose german black', 'ib f2', 'balance paper', 'showed haplotype haplotype', 'candidate gene qtl', 'association outcome', 'content chromosome somatic', 'caused intramammary infection', 'particularly significant process', 'qtl eca1', 'pleiotropic relationship quantitative', 'composition fatness ssc3', 'meaningful dna marker', 'program improving genetic', 'study evidence segregation', 'feather crested head', 'selection commercial breed', 'index particular', 'imprinting effect simulated', 'oar12 16 21', 'biomechanical strength future', 'genetic selection robust', 'additionally marker', 'conformation production trait', 'oc palmar plantar', 'synonymous mutation', 'type inheritance soay', 'using vitro expression', 'responsible body weight', 'mlnr cab39l university', 'su rf', 'fdr affecting gene', 'study disclosed qtl', 'polymorphism detected promoter', '05 10 replication', 'difference significant cow', 'employed high density', 'twinning rate using', 'variance study constitutes', 'acsm5 mgll', 'test additional breed', 'downstream intron', 'identified examined trait', 'affecting fitness related', '28 locus', 'qtl skeletal trait', 'gene potential role', '51 region', 'derived white leghorn', 'effect locus amidst', 'gwas bovine', 'method maximum', 'tgla303 39', 'enhance ability understand', 'mainly strong genetic', 'similar result loki', 'single multi locus', 'strongest association dcd', 'list significant marker', 'qtl identified experimental', 'analysis selective', 'selection high', 'weightand staple length', 'fcr haplotype analysis', 'number potential', 'growth rate birth', 'f0 f1', 'qtl region subset', 'selection individual technological', 'exon 10 site', 'dairy cow performing', 'breeding perspective practical', 'animal bco2 aa', 'phenotypic qtls ssc4', 'origin dry', 'underlying genotype identified', 'function represent', '464 steer', 'result study 27', 'effect accounted', 'discovered major qtl', 'twisting generally originated', 'candidate gene glutamate', 'resistant breeding', 'conclusion data serve', 'cloned cdna', 'mortem degradation', 'data useful resource', 'followed fine mapping', 'affecting birth', 'inhibitor diverse', 'current work validated', 'locus trait variation', 'database gene influencing', 'adrenal gland lw', 'nr6a1 gene association', 'region carried', 'sixteen chromosome', 'occurred earlier', 'snvs pgm2 phkg1', 'unknown etiology affected', 'variant classified', 'data 353 animal', 'imprinted gene related', '50 protein', 'sscp adopted analyze', 'implemented latest sheep', 'possible reduce bone', 'prkag3 i199v', 'ccl2 gh1 showed', 'heterozygosity used select', 'improved conformation mainly', 'abcg2 protein', 'relevant information help', 'polymorphism snp predicted', 'region explaining 46', 'data benchmark', 'attributed host', 'variant identified significant', 'number animal tissue', 'total phenotypic', 'affect gpihbp1 mrna', 'range behavior including', 'oar2_132568092 mtx2', 'family trait expected', 'entire chicken', 'test snp', 'region new qtl', 'british yorkshire', 'humerus tibia', 'intronic variant located', 'snp additive effect', 'weight conformation linkage', 'snp detection association', 'analysis revealed allele', 'putative transcription', 'cow collected using', 'sector selection reduced', 'blood sampling', 'associated test day', 'array genomic relationship', 'variation androstenone level', 'localized quantitative', '44 280', 'identify putative link', 'marker select japanese', 'used conduct gwas', 'melanoma birth ssc13', 'example genomic', 'polymorphism prdm16', 'family considered', 'provide novel evidence', 'revealed porcine tef1', 'nematode result', 'polymorphism distributed 28', 'level heritabilities', 'mapping method qtl', 'pre horse providing', 'heat day', 'muscle area particularly', 'previously bta5', 'production increasing country', 'distinction close linkage', 'domain catalytic site', 'effect genotype phenotype', 'measurement recorded', 'relationship biological', 'aafc03076794 csnps', 'area longissimus dorsi', '99 pietrain', 'cm ssc10 using', 'performed f2 population', 'proto oncogene macrophage', 'lambing status number', 'equation molecular estimate', 'trait furthermore trait', 'information content based', 'affect calpastatin', 'marker chosen refine', 'gwas study', 'occurs 5000 infant', 'ebvp genotyped 25', 'ratio longissimus thoracis', 'regulation binding', '45 49', 'estimated 30', 'effort improve phenotypic', 'showing allele', 'zealand cattle', '64a mutation dc', 'activation protein', 'block novel', 'level significance innate', 'analysis 377', 'detect candidate gene', 'version 110 using', 'circulating androgen fewer', 'linear combination trait', 'regulatory polymorphism', 'gene furthermore progress', 'ha multiple', 'pig snp created', 'identified microsatellite based', 'likely harbor gene', 'psmb8 chga acaca', 'respectively conclusion', 'study polymorphism 15118664g', 'abcg2 insulin like', 'lrt threshold', 'validated representation snp', 'consecutive annual', 'scan increased substantially', '10 17 chromosome', 'snp snp effect', 'teat placement', 'result significant association', 'snp promotor gdf9', 'response including previously', 'reveal new ones', 'detection approach', 'frame encodes 180', 'marker future livestock', 'respectively study confirmed', 'local chicken ecotypes', 'androstenone qtl ssc14', 'polygenic nature', 'study data commercial', 'production trait based', 'composition region bovine', 'ionized sodium', 'sire common parent', 'identify subfertile bull', 'level commercial', 'anxa9 gene polymorphism', 'second 2281a 2108c', 'validation larger cohort', 'fi irish', 'separately pool', 'hypersensitive reaction common', 'unable refute hypothesis', 'imf eye', 'extracted 292', 'understood aim', 'weight oviposition bwf', 'fusion process', 'analysis original data', 'additional qtl afe', 'marker effect nested', '130 163 ad', 'catalytic subunit', 'mature weight calving', 'artificial insemination 78', 'containing length divergent', 'analysed factor', 'significant effect largest', 'trait adfi multiple', 'selection sheep', 'pig genotyped', 'known underlying genomic', 'polymorphism snp indel', '32 bp', 'gga4 led increased', 'herd year', 'whilst qtl close', 'hydrolase ets', 'analyzed separately', 'haplotype ranged', 'ocd single nucleotide', 'previously based 50k', 'promoter activity il8', 'total 55 significant', 'trait additive sex', 'weight shoulder', 'muscular fiber', 'cross phenotyped feed', '226 informative single', 'mapped serum', 'red colouration', 'difficult prototypical', 'indicated chromosome 10', 'vertebral development highlighted', 'based questionnaire', 'scored direct', 'performed 38 424', 'percentage total body', 'level different equine', 'rdhe2 variant observed', 'developmental orthopaedic disease', 'rate ercr sperm', 'size rln', 'body weight birth', 'charolais holstein population', 'essential synthesis extracellular', 'fec necropsied determine', 'csnvs experimental population', 'gene indigenous chinese', 'pl plw significantly', 'teat number', 'conducted identify', 'indicated underlying', 'respectively magnitude', 'revealed associated', 'population braunvieh cattle', 'number left ltn', 'main epistatic sex', 'qtl correspond', 'trait investigated ad', 'color color warner', 'resolution mapping positional', 'onset puberty age', 'recombinant culicoides spp', 'bayesian treatment snp', 'estimated regional', '136 qtl bta23', 'snp perfect', 'qtl influencing erythroid', 'snp rs13849241 rs15231472', 'role fat deposition', 'reduced productivity', 'qtl shown result', 'changed considerably', 'especially developing', 'gene rna seq', 'domain likely', 'result analysis', 'p17 region qtl', '678 polymorphism significantly', 'eca2 eca15 using', 'sequence annotation snp', 'recessive haplotype reproductive', 'sire seven popular', 'progeny performed', 'stage disease', '30 10 day', 'ebv rear view', 'survival reproduction artificially', 'covariate qtl', 'mastitis resistance knowledge', 'plscr4 associated tnb', 'qtl information gene', 'production trait holstein', 'role immune', 'significant association stage', '35 23', 'using volodkevitch', 'comparing transcriptome', 'marker dairy production', 'yield multiple snp', 'allele present breed', 'gene pig reproductive', 'included xuelong', 'actively control cross', 'marker white duroc', 'involved inflammatory immune', 'susceptibility etec growth', 'fabp4g 3691g snp', 'distinct role', 'trait framework', '17 bone trait', 'prrsv experimentally infected', 'nucleotide polymorphism c5697t', 'non coding single', 'size reproductive', 'ssc1 c16', 'seven microchromosomes', 'distribution shanxi black', 'force detected', 'hypersensitivity identify', 'variability sheep evidenced', 'conversion ratio trait', 'enhancing knowledge biological', '90 monounsaturated fatty', 'multitrait multi', 'classified gene category', 'contribution 63 significant', '10 14 predominant', 'identify causal variation', 'responsible qtls', 'pig identify', 'allele reproductive', 'acid le linoleic', 'regulation metal', 'allele important factor', 'pool constructed', 'gene cattle polymorphism', 'animal salmonella', 'selecting healthier fatty', 'expressed skeletal', 'yd used normative', 'cattle biological mechanism', 'hybrid backcross', '17607t 17609c 17692c', 'map2k5 kctd3 gap43', 'am950288 566g', 'determination r2 predict', 'time occurrence', 'detection sample', '10 13 located', 'bovine chromosome pde1b', 'confirming previous', 'opn favorable role', 'regression bayes', 'znf608 known associated', 'development represented', 'reported recently', 'breed luxi simmental', 'achieved 01 significance', 'gl parity', 'cell mitogen', 'known dwarf horse', 'trait 770k', 'suffolk sheep', 'c14 significant qtl', 'nt endogenous non', 'trait association model', 'translation initiation', 'efficiency important', 'tolerance half', 'using 20 chicken', 'weight increased difference', 'constituent low density', 'animal model pedigree', 'defined mb genome', 'potentially strong', 'analysis showed mtpap', 'possible eliminate', 'subtraits affected qtl', '21 12 17', 'area ema', 'protozoan parasite muscle', '86 phenotypic', 'previously known fp', 'overlap qtl breed', 'cm ssc4 sw316', 'fat higher', 'accuracy selection', 'dermal pigment inhibiting', 'located 44 77', 'region bta23', 'count including fraction', 'lightness yellowness', 'conclusion taken', '98 27 25', 'prkg1 minpp1', 'displayed significance 05', 'high adipose', 'selected emotional reactivity', 'improvement disease resistance', 'condylus medialis left', 'bta26 bvd pi', 'predisposition boar', '20 38 mb', 'chick late feathering', 'size trait chromosome', 'sex linked feathering', '25 region', 'nucleotide cw', 'local animal sacrificial', 'better characterize molecular', 'serve candidate', 'clinical mastitis affecting', 'population genomic region', 'resulted novo construction', 'origin effect new', '64 log', '18 98', 'relevant qtl', 'physical distance using', 'associated egg number', 'trait investigated backfat', 'animal single nucleotide', 'increase supply nutrition', 'slaughter 30 gestation', '0000175 backfat thickness', 'region aim current', 'life dairy', 'aseasonal reproduction asrep', 'variant genotyping', 'scurs horn', 'confounding total', 'discovery rate fdr', 'regression multi', 'affecting breast', 'including 380 microsatellite', 'significant hit', 'understanding effect', '750 kb region', 'regulation bovine milk', 'line selected utt', 'locus gga24 quantitatively', 'disease resistance identification', 'positional agreement', 'compared bos', 'insight potential mechanism', 'method used fine', 'statistic exceeded', 'complete genome', 'dose dependent increase', 'varies breed', 'growth fatness', 'evaluation moderately', 'best km', 'chromosome 23 genomic', 'genome including', '176 belgian', 'bta9 total phenotypic', 'igf2 allele observed', 'locus eqtls', 'package matrix', 'eth10 dinucleotide', 'trait 13', 'varied level', 'sheep gh', 'melim swine model', 'locus heritabilities highest', 'membrane protein', 'muscle pectoralis major', 'used indirect', 'qtl ssc4', 'trait used marker', 'using genome association', 'objective study examine', 'total 27 13', 'effect cross', 'weight population', 'calving cattle', 'close elovl6 gene', 'il interferon ifn', 'single bivariate trait', 'generation study used', 'porcine 62k snp', 'genotyping platform detect', 'study gwas thyroid', 'breeding history marked', 'ridge responsible', 'parity haplotype claimed', 'bco gga11', 'referred 312a', 'breed fixed lcorl', 'illness aim identify', 'knott regression identified', 'conducted detect quantitative', 'interpret recent approach', 'ph24h ssc15 distinct', 'gene ncapg harbor', 'missing heritability result', '0016 respectively', '3255 bp', 'pig respectively suggested', 'set functional candidate', 'significant snp afc', 'conformation index', 'cnw respectively', 'role numerous cellular', 'bull 15 month', 'female sexual', 'blood meat spot', '513 new zealand', 'protein fabp', 'mechanism underlying production', 'behavior evaluated result', 'qtl half sib', 'qtls affecting disease', 'response suggests', 'calving 28', 'variance biceps', 'backfat ribeye area', 'strategy genotyped', '11 distinct qtl', 'association significant snp', 'sire marker level', 'constructed simultaneously', 'alpha 05', 'family analyzed', 'pig rat', 'exome sequencing seven', 'screening qtl', 'genotyping performed 192', 'cm position lm', 'bw70 bwg aa', 'haplotype homozygosity additionally', 'threshold following', 'pro ala', 'harvested average age', 'peeling algorithm genoprob', 'hormone gnrh', 'locus random', 'qtl report body', 'snp related 05', 'la shown specific', 'rl furthermore analysis', 'effect hatch', 'marker presented used', 'famous optimum performance', 'identified previous gwa', 'black cattle evaluated', 'mediating metabolic', 'siva1 gene coding', 'important lowly', 'old 102', 'gene predicted encode', 'environmental condition management', 'sub structure analyzed', 'partitioned chromosome chromosome', 'available animal breeding', 'suggested snp used', 'associated fat yield', 'genotype aa myf5', 'challenging eggshell', 'hen white leghorn', 'fertility related function', '22 suggesting potential', 'traditional mcp', 'egg count strongyle', 'rs43676359 analyzed', 'lowest abundance pectoralis', 'vaccine genome wide', 'genome assembly 10', '474 holstein', 'likelihood detecting fine', 'cm spanning bms690', 'field data growth', 'kinase ampk prkag2', 'myo3b 74x10 recessive', 'ph1 drip', 'data heifer', 'dcd differed hf', 'detected nordic', 'common trait using', 'genome program qtl', 'alternative transcript single', 'vertebra 01 consequently', 'qtl ph24 affect', 'record weight end', 'putative positional candidate', 'gain bb 01', 'analysis improve detection', 'mortality h5n2 outbreak', 'psap selected positional', 'fat trait segregating', 'qtl ssc1 17', 'structural biochemical muscle', 'synthesis point', 'wide level melanoma', 'dgat1 primer', 'sensory technological meat', 'adhesion second', 'weight loss day', 'usda animal', 'strength cooked', 'involved successful', 'scan muscle', 'trait relationship', 'employed genome', 'polymorphic used simulation', 'pelvic heart', 'comparing frequency', 'potential role p2x3r', 'snp regressors random', 'csfv identified respectively', 'qtl resistance', 'd7g change', 'day age bw70', 'lnba removal parity', 'variant withers height', 'specific indicating breed', 'conformation trait sheep', 'genotyped 670k', 'snp basepair 34', 'probability genome', 'previously suggested group', 'indicates information regarding', 'publication indicate', 'qtl predicted', 'function particularly lipid', 'lm aa', 'cross step', 'specific single', 'associated ocd', 'disease veterinary', '38 mb consensus', 'using imputed high', 'weight end seasoning', 'study elovl6 relative', 'polymorphism lg variant', 'qtl region number', 'surrounding marker', '562g 3112c snp', 'fat 19', 'water loss capn1_rs81358667g', 'integrity immune function', 'estimated cyp11b1 776', 'qtls israeli', 'associated qtl', 'evidence imprinting', 'horse pre', 'model considered', 'consideration effect marker', 'activity kosher phenotyping', 'chromosome collected', '439 intron 17', 'mechanism biological pathway', 'animal identified single', 'parity different breed', 'base generation', 'hormone crh mapped', 'reduced fat', 'total contribution', 'respectively evidence polymorphism', '95 dbwavg', 'exon exon nr6a1', 'industry study categorical', 'previously observed fatness', 'meat nutrition', 'size animal genotyped', 'pig breed lay', 'linkage map used', 'anterior posterior', 'chinese holstein genotype', 'mapping large set', 'level explaining', 'effect significant 01', 'metabolism specie ass', 'phu breast color', 'useful data', 'fracture egg', 'total leg', '36 snp', 'used gwas animal', 'tenderness sf', 'gwas biological', 'length discus', 'c56072547t 968t snp', 'precursor mature', 'inheritance qtl clarified', 'reduced fearfulness', 'background beef', 'kind variant', 'musculus trapezius', 'prolificacy sow fold', 'analysis applied', 'outcome disease', 'zero ld block', 'causative quantitative trait', 'sequence snp', 'cm3 lactation sc', '960 f2 hen', 'account existence', 'using 275', 'bioinformatics survey identified', 'technology investigated 30', 'adam12 map7 conclusion', 'candidate gene important', 'contains candidate', 'suggestive level significance', 'distributed 10', 'importance pig', 'genotyped validation group', '878 631 987', 'characterization variant', 'extreme cross generation', 'discovery 29', 'suggesting conservation key', 'threshold 1e', 'enabled better characterization', 'revealed potential key', '995g 4321a 4850a', 'presently assessed chicken', 'animal breed snp', 'backward selection fitting', 'qtl ssc11', 'rs41919992 rs41919984', 'overall comprehensive', 'suggesting heterozygosity', 'structure pig recently', 'trait selection previously', 'week static developmental', '23 25 26', 'charolais blonde aquitaine', 'qtl subsequently', 'fayoumi cross', 'arachidonic acid cla', 'snp suited', 'age 113', 'variability genetically', '15 30', 'chosen catecholaminergic serotonergic', 'wide cw', 'majority qtl', 'cell surface pathogen', 'selecting trait', 'mstn 874g genotyping', 'acid trait studied', '35 gga2', 'qtl data withers', 'welfare competitive', 'composition differs tissue', 'repeat associated', 'wk respectively', 'causative mutation remains', 'nh validated danish', 'series genotype phenotype', 'imprinting potential', 'meaningful variable detection', 'gqls method using', 'occurs higher', 'genotype wt wt', 'intramuscular fat different', 'puberty nellore', 'disease oc associated', 'trait fisher', 'small notable contribution', 'analysis involved', 'lipolysis thermogenesis adipose', 'serum viremia', 'body weight chicken', 'thirty qtl identified', 'phenotypic data', 'cooked muscle measured', 'reading frame buffalo', 'significantly correlated', 'polymorphism fn298674', 'exceedingly difficult multifactorial', 'cattle 01', 'lei0079 ros0025 50', 'associated igat', 'provide evidence ppard', 'containing strong positional', 'candidate factor stallion', 'factor 12 tcf12', 'study seven', 'polyamines cation important', 'scan including autosome', 'study gwas conducted', 'intron liver', 'fdr 05 eqtls', 'model identified qtl', 'snp near elovl3', 'slc39a7 polymorphism', 'fertility linked common', 'spongiform encephalopathy model', '324g 626t 636a', 'second stage relatively', 'frequency used', 'piétrain german landrace', 'lutea fine mapped', 'association analysis haplotype', '31 cm 100', 'population involving', 'bull conclusion bmp', 'gene molecular', 'bta2 10 20', 'associated trait meat', 'clinical mastitis divided', 'area genome', 'role metabolism', 'susceptibility sarcocystis miescheriana', '412 993 snp', 'endocytosis development', 'detect artificial', 'exon region', 'snp camkmt', 'wrinkle generated', '34 mbp strong', 'weight ww', 'week shank length', 'gwas widely applied', 'anesthesia banned', 'chromosome explains', 'result open', 'flock genetic', 'widely used', 'thighs wing', 'snp leptin', 'nos2 biological potentially', 'variation milk fatty', 'sire represented separated', 't1151g bpi', 'transcriptional factor', 'pedigreed population', 'composed 54 001', 'phenotype distribution', 'itih 05', 'population usually', 'craniofacial neurocognitive', 'pig marker qtl', 'closely related ram', 'culture complementary', 'average daily gain', 'bmw gluc', 'cbfa2t1 fgf8', 'wool carcass', 'added information illumina', 'contribute index marker', 'derived significant', 'conclusive goat cattle', 'response piglet 18', 'bta07 bta13 data', 'c896t c34t lead', 'study cloned porcine', 'provide large number', 'weight positively correlated', 'intake driven snp', 'time notably qtl', '927 progeny', 'underlying carcass', 'behavioral test flight', 'energy metabolism protein', 'freely available', 'friesian grandsires 833', 'result ram', 'sire 47', 'disease salmonella', 'gga23 parent origin', 'tt genotype greater', 'lrt 22', 'effect especially', 'tph2 serotonin', '1050 pig pig', 'qtlr affecting mdv', 'ovine genome', '73 mb 150', 'applying different', 'susceptible counterpart', 'pleiotropy affecting egg', 'gene code', 'seven pcr fragment', 'cm mc bta', 'unique feature depending', 'mafb associated gl', 'involved low heritability', 'enhanced protein yield', 'autophagy associated soga1', 'genotypic difference', 'quantified using', 'cbfa2t2 bta13 ier3', 'allow cross validation', 'utr creates target', 'c16 c18 monounsaturated', 'variability involved udder', 'livestock animal', 'greater relative risk', 'measure body weight', 'pig breeding 1994', 'analysis linkage disequilibrium', 'downstream genotyped', 'reported recently german', 'snp effect nematodirus', 'data analysed detect', 'stat1 regulating transcription', 'taint compared', 'phenotype discovery', 'alpha subunit', 'single lactation', 'research result', 'suggest opn candidate', 'chromosome result cofactor', 'snp level', 'affecting recorded variability', 'variance 19', 'confirming quantitative', 'corresponding region need', 'tenderness assessed warner', 'fcr 114 05', 'remains improved factor', 'haeiii association pvuii', 'imputed sequence genotype', 'test advanced genomic', 'multiple snp simultaneously', 'cattle monitored year', 'chicken induced herpesvirus', 'population austria', 'analysis silico sequence', 'known influence', 'associated gl difference', 'milk yield composition', 'calcium signalling', 'ji 72472', 'total 451 pig', 'genome trait', 'single genome', '04 general model', 'ma genetic', 'pig population order', 'close growth differentiation', 'goal analysed', 'quality phenotype pork', '60 cm meat', 'occurring population related', 'shown chinese', 'casein cluster', 'dlk1 meg3 gene', 'sequenced length', '28 week', 'cm 72 cm', 'nudt7 reported hydrolyze', 'achieved overall significance', 'known acute viral', 'comparing qtl region', 'haplotype identified gene', 'sost known', 'analysis reduced', 'variety reciprocal cross', 'gene associated causative', 'value trait value', 'proposed regulate adipogenesis', 'fillet quality', '20 fertility trait', 'selection study identified', 'weight animal length', 'identified multiple', '2184 exonic splicing', '36 mm', 'map average 11', 'ghsr insulin like', 'gene potential function', 'associated lm area', 'performed using univariate', 'rs81423166 closest gene', 'separate population holstein', 'trait mapped bovine', 'standard genetic selection', 'sensitive accurate measure', 'line appeared', 'abdominal fat rs315831750', '28 age blood', 'gpat4 fasn ankh', 'controlling f4ab f4ac', '08 csn3', 'larger similar bw', 'proportion occurrence', 'region abcg2', 'encoding putative bovine', 'genotype mg trait', 'gene equine osteochondrosis', '412 used gwas', 'causal mutation qtl', 'illumina pig', 'investigation function porcine', 'yellow white', 'induced cell', 'applied step', 'cooking rate', 'near candidate gene', '13 ld decreased', 'genomic correlated', 'mean platelet volume', 'expected direction result', 'help select le', 'wound healing activity', 'multitype zfpm2', 'genetic relationship ibp4', 'trait breed cross', 'candidate qtl', 'ssc4 genome', 'f2 data', 'architecture trait', 'model multitrait', 'qtl eggshell quality', 'rapidly expanding brazil', 'prag1 lonrf1 sequencing', 'transporter slc17a1', 'loin toughness', 'tropical climate', 'snp necessary avoid', 'affecting lm', 'gene effect skatole', 'length pietrain', 'ldrm analysis', '146 snp', 'heritability 49', 'covariance regional', 'qtls ph15', 'locus tbc1d1', 'bp 10607757 bp', 'vf2 mapped', 'peptide growth', 'involved network', 'measurement representing meat', 'qtl 19 17', 'human obesity', 'large white minzhu', 'result partly', 'involved steroidogenesis', 'dna 12', 'soluble protein muscle', 'created crossing berkshire', 'fragment pof fetlock', 'hybrid bull association', 'bta11 contains', 'autosomal marker particular', 'ease parity', 'bp ggaz glm', 'gene polymorphism growth', 'sire dna', '209 genome scanning', 'snp considering', 'cross 960', 'glycosylphosphatidylinositol anchored high', 'locus sw1336', 'longissimus muscle ssc8', 'economically favorable', 'single step method', 'farm substantial financial', 'form genetic variation', 'rhm powerful', 'wound 24 birth', 'analyzed snp', 'encompassing eps8 gpat4', 'mapping applied', 'pig breeding selection', 'transrectal ultrasonography', 'variant in1 e5', 'bovine genome selected', 'vaccine cure breed', 'natural population fundamental', '14 near dgat1', 'chromosome 21 play', 'identified unquestionably', 'subjected targeted exome', 'implicated immunity related', 'length breed', 'map cause significant', 'seven suggestive', 'md variation', 'protein percentage distal', 'known differ', 'unexpectedly increased trait', 'colubriformis challenge', 'chromosome linkage map', 'developed microsatellite', 'sd result provide', 'accurately defined status', 'identified segregating leg', 'marker overlapping', 'gene 37 gene', 'snp lower rfi', 'breed genotyping', 'combination 05 microrna', 'faster based result', 'production recently fine', 'study detect polymorphism', 'fixed grandparent line', 'insufficient relevant', 'dressing percentage', 'extended 58', 'snp useful genomic', 'residual variation genotypic', 'values obtained 29', 'cab39l gene', 'gene general effect', 'family originating angus', 'identified tgfbr1 gene', 'mastitis strong', 'rich repeat neuronal', 'berkshire yorkshire pig', 'response response', 'jointly linkage', 'breed cross grandprogeny', 'phenotyped growth trait', 'survival columnaris infection', 'discovery genetic mutation', 'group specific component', 'factor analysis multiple', 'ggc synonymous mutation', 'sire son', 'repeat guanylate kinase', 'born alive litter', 'conclusion genomic', 'survivor age genetics', 'association lda', 'design total', 'different holstein', 'beef cattle study', 'enhance resistance nematode', 'soay sheep genome', 'burden immune function', 'umbilical vein endothelial', 'cell formed cluster', 'cohesiveness chewiness', 'effect cdna', 'allelic frequency determined', 'proof drps pre', 'estimated infrared', 'score heritability coefficient', 'cm controlling', 'association bmts mqts', 'sequence trace cnv', 'activity result revealed', 'multiple antigen', 'tox identified', 'showed signficant', 'position mbl', 'polish large', 'ibp4 gene', 'recessive model', 'content cp crude', 'production period result', 'keyhole lymphet haemocyanin', 'gene annotate function', 'proportion castrated', 'concentration time', 'piglet study', 'fat colour beta', 'holstein total 360', 'study detect confirm', '45 offspring sire', 'production environment', 'respectively conclusion present', 'control ovulation rate', '032 association', 'region saa2', 'area rfa', 'improves slightly contribution', 'procedure sa detected', 'current control strategy', '10 46 001', 'position qtl useful', 'end conducted', 'knowledge mechanism', 'mediated proteolysis', 'region btb study', 'associated androstenone ssc2', 'paper sox', 'genomic information 53', 'identified flanking', 'evidence qtl identified', 'family genotyped 919', 'percentage sc uw', 'specific sex antagonistic', 'variation resistance', 'naturally prolific', 'nc_040256 untranslated', 'rate difference', 'containing gene abhd5', 'scan confirmed', 'narrow qtl', '60 calving fifth', 'refine id location', 'causing albinism', 'lower expected segregation', 'quality trait content', 'snp tnb detected', 'observed dgat1 involved', 'included systematic', '789 respectively', 'growth hormone gene', 'method control', '2412 586', 'size mongolia ewe', 'trait utilized genetic', 'catfish snp', 'locus maybe', 'decarboxylase pivotal', 'applied molecular', 'fertility specific', 'snp panel ass', 'ph loss function', 'variation cnvs 32', 'analysis little known', 'stratified structure uk', 'essential water soluble', 'background previously localized', 'oocyst shedding marker', 'genotyped 198 microsatellite', 'using heifer', 'associated fmdv', 'breed hardy weinberg', 'population lost', 'animal driven', 'approximately 127', 'snp itih 05', 'trait free', 'compared background', '883a runx2 used', 'marker outbred population', 'gene increased', 'putative fine tuners', 'replicated studied', 'serum faecal', 'parametric interval', 'updated effect marker', 'modeled regression', 'affected shank', 'rap80 nuclear receptor', 'subjectively assessed', '599g variant', '412 insemination resulting', 'acid animal source', 'condition score', '125 non spotted', 'collected body weight', 'parent used', '264 sheep', 'association fatty acid', 'trait 41 188', 'incidence training', 'population genotype cc', 'consumer used marker', 'romney lamb general', 'score using family', 'background trait related', 'gene share stress', 'study allele defining', 'industry identify', 'yolk weight', 'suggest locus sex', 'reported gene', 'strongly associated bovine', 'disease status sire', 'enzyme fatty acid', 'content lm subcutaneous', '26 based family', 'holstein useful detect', 'significant chromosomewise level', 'zealand progeny test', 'data collected steer', 'higher statistical', 'grandsires 33', 'snp significantly associated', 'locus microsatellite', '37 42', 'trait located significant', 'heat stress', 'extracted genetic', 'examined 93 cattle', 'lg3 lg21 respectively', 'context study conducted', 'ci acting', 'qtl bos taurus', 'reproduction differ', 'muscle aim work', 'sharper phenotype', 'using qtl express', '17 mapped 675', 'birth dimension trait', 'growth adult stature', 'appears underlying genetic', 'gtp previously', 'multiple viral', 'probably caused linked', '399 animal result', 'md variation 32', 'chromosome 15 gli2', 'different cross breed', 'involved blood', 'cause change', 'present study outbreak', 'located vicinity significant', 'horse identified', 'located intergenic region', 'yield result', 'identification silico functional', 'chinese pig allele', '500 lamb revealed', 'susceptibility contributing', '20 sensory trait', '48 57 13', 'consisted old', 'snp play role', 'width area significantly', 'data granddaughter design', 'marker qtl chromosome', 'androstenone causative agent', 'associated rump', 'genetic variance 98', 'test simwalk2', 'response variable debvs', 'serologically defined', 'maximum single', 'identified card15 identified', 'gene utilized', 'pathway validated', 'annotation showed', 'decreasing adipocyte', 'factor sib', 'fixed effect model', 'qtl snp', 'recent selection milk', 'result totally', 'selection resistance cd', 'difference haplotype', 'female map quantitative', '485 individual', '05 corrected significance', 'range foetal bovine', 'pedigree separately work', 'fdr significance level', '05 diplotypes haplotype', '05 marb high', 'joint carcass analysed', 'gene considered controlled', 'gene related chest', 'ultrasound scan measure', 'dcd mcd', 'composition 148 male', 'susceptible chicken', 'c2789a identified exon', 'area meat quality', 'pair interacting', 'function crucial pregnancy', 'beadchip estimated', 'revealed point', 'int3 significantly', 'rate data finnsheep', 'relative climate', 'individual commercial', 'analyzed 305', 'performance gene polymorphism', 'contributed sire dam', 'fact me1 mutation', 'expected relate tender', 'motility high heritabilities', 'relevance abcg2', 'breeding company generation', 'dominance variation important', 'cm chromosome evaluated', 'carrier family', 'characteristic located', 'covariable univariate analysis', 'iteratively applying', 'snp human', 'suggest cebpa', 'cassette abc family', 'qtl studies', 'status using marker', '01 altamurana gentile', 'lm fatty acid', 'critical developmental', 'porcine gpihbp1 gene', 'snp genotyped 882', 'decreased fp', 'work better understand', 'strategy increase disease', 'production trait 19', 'prior information', 'pig meat quality', 'del2634c polymorphism indirect', 'qtls marginal genetic', 'cross generation design', 'sire stillbirth stature', 'region flanked 500', 'igf1r gene', 'qtl facilitates identification', 'early termination novo', 'germ cell nuclear', 'method automatically generate', 'data establishment animal', 'metr cystic', 'potential function effecting', 'ulna humerus', 'designed improve', 'level corticosterone assessed', 'pig identification major', 'cacna1s traf2', 'study contribute identification', 'tick resistance', 'ib population gene', 'correlation trait positive', 'qtl identified growing', 'region 14 candidate', 'ripk2 mouse', 'fertility trait research', 'snp array gave', 'polymorphism production', 'region tgfbr1 transforming', 'effect boar', 'antibody production lung', 'specific demethylase', '29 chest', 'ssc4 locus', 'color standard', 'ash content', '282 day insemination', 'rfi1 60k', 'guanosine triphosphate', 'identified lesion', 'quality property', 'mated heterozygous texel', 'abdominal fat carcass', 'shown influence salmonella', 'traditional culinary custom', 'applied order evaluate', 'development theory', 'difficult lowly', 'trait suggests oh', 'snp nr6a1', 'population result', 'sire line pig', 'involved low', 's0008 genes', 'low weight', 'calculated 540 bull', 'confirming initial finding', 'involvement fabp', 'assisted selective', 'dairy holstein', 'candidate gene abcg2', 'haematocrit hct', 'hierarchical generalized linear', 'marker meat', 'progeny texel', 'defined way', 'protein ash', 'belonging 16 half', 'expressed parorchis fat', 'number fully', 'common reason', 'region related milk', 'rate excluding marker', 'sequencing 180', 'hungarian simmental', 'study united state', '27 05 lw', 'associated change', 'fertility trait 03', 'genes based', 'lipe tgfb1', 'measured distance animal', 'infection 05 analysis', 'according linkage', 'chose mtnr1a gene', 'en laying period', 'effect intracerebroventricular injection', 'tissue necrosis vasoconstriction', 'addition locus', 'npy dopamine', 'study inconsistent result', 'chl identified marker', 'human hypobetalipoproteinemia postmortem', 'antibody response', 'population landrace', 'gga27 52 cm', 'cycle lipid', '133 marker distributed', 'disequilibrium underlying quantitative', 'demonstrated relevant', '18 saturated', 'multiple tests', 'influenced tm', 'required animal reproduction', 'showed 205g polymorphism', 'concentration ratio', 'contribute body', 'controlled number', 'primarily affect cm', 'fetus assessed', 'parameter plasma igf', 'chicken head furnishing', 'identified 14 moderate', 'pcr showed', 'region 56', 'illumina porcine snp60v1', 'identified total', 'dna genotyping', 'qtl included', 'represented logistic', 'percentage 57', 'analysis olp revealed', 'based snp', 'gene useful', 'detected primer', 'program used haplotype', '1606 candidate', 'snp npy', 'using meta analysis', 'mapping binary trait', 'ability produce cheese', 'heat susceptible fayoumi', 'prkag3 gene encodes', 'udder depth allele', 'intron bmp 15', 'tolerant cow', 'homologous kb retrogene', 'animal haplotype', 'factor culling animal', 'unrelated pig exposed', 'developmental mef2c uterine', 'level autosome bos', 'multiple locus small', 'study support hypothesis', '532 binding', 'identified report', 'afflicted congenital', 'day important', 'maturation variety animal', 'old used', 'palatability trait 888', 'evolution provide', 'breed differ', 'casual mutation', '35 trait', 'bb result support', 'comb mass decrease', 'gblup methodology iterative', 'studied snp', 'qtl fat lean', 'reevaluate brahman hereford', 'measured milk somatic', 'animal stature body', 'selection ma programme', 'addition observation morphological', 'family challenged', 'plexinc1 plxnc1', '274 animal 10', 'difference cm cm', 'genotype hmga2 2836', 'close kit influenced', 'disease resistance body', 'diversity selection', 'extreme divergent backfat', 'mll lm qtl', 'liver muscle suggesting', 'imf bft', 'mrps30 tex14 ccl28', 'role animal', 'fpdmeta seven cluster', 'marker family significant', 'study evaluate association', 'effect non', 'treatment subtraits correspond', 'h2h2 used', '20 35', 'veterinary practice', '12 probably', 'significant chromosome 10', 'yield related', 'estimated report marker', '24h post', 'trait bf gene', 'number body composition', 'determined sex linked', 'lysozyme concentration', 'inherent expression difference', 'ancestral mutation', 'evaluated small number', 'efficient high', 'based allelic correlation', 'snp07 snp31', 'eqtl 104 eqtl', 'h4h4 haplotype', 'relative weight', 'loss dairy beef', 'nominal 1x10 identified', 'gene reported far', 'aforementioned criterion conclude', 'defined able identify', 'component analysis used', 'influencing milk yield', 'total 110', 'study gwas undertaken', '59e bonferroni correction', 'highest bwg', 'permutation sliding', 'wide level particular', 'approach approach parameter', 'ssc14 minolta value', 'integrity located', 'mutant dermal pigment', '852 967 858', 'approach allowed account', 'test efficiently', 'additional marker added', 'resource population thirty', 'mhc gene', 'qtl segregating swine', 'search association phenotype', 'analysis ibmap', '13 74 genetic', 'examination function', 'detect polymorphism leptin', 'negative linkage', 'qtl effect animal', 'ketosis lactation 12', 'allowed account', 'rps20 study demonstrates', 'measured using ct', 'lactose total lactoglobulin', 'birth weight cattle', 'pair 22', '003 tailing', 'ebv various trait', 'antigen processing', 'benefit consumer', 'approach investigates link', 'proportion additive genetic', 'acid concentration', 'essential define', 'seven family analysis', 'variant difference', '05 chicken', 'concern animal health', 'complex trait demonstrate', 'increasing protein milk', '5000 infant caused', 'breed including thoroughbred', 'comparable change', 'contributed observed association', 'synteny human 12q13', 'type sire dam', 'aspect genetic variation', 'identified snp associated', 'fayoumi used', 'non production trait', 'swiss population', 'monitored early', 'near target', 'panel yielded marginal', 'fy received little', '24 true', 'content increase lean', 'carotene eccentrically', '830 924', '27514 haplotype 7637', 'gene gas1 gpat3', 'ketosis jersey', 'pool 524', 'annotated snp', 'finnsheep failed establish', 'holstein friesian population', 'hour post mortem', 'joint analysis', 'particular region bayes', 'bta 12 15', 'mbv test statistic', 'adiposity specie sequencing', 'evidence effect', 'distinguishing direct', 'tissue xenotoxins', 'drip loss minolta', 'disequilibrium method believe', 'family successive', '20 mb', '504 bp', 'content region', 'membrane ion gradient', 'defect time', 'inflation rate', 'differed breed using', 'expulsion il', 'pig 12 single', 'identified addition', 'reinforces role fat', 'produce better', 'expected lead novel', 'genotyped used', 'rjf population', 'biological function', '24 locus', 'peripheral blood individual', 'increased stepwise', 'genotyped 186', 'report qtl location', 'recently shown associated', 'located near csrm60', 'trait recently', 'somite early', 'male calf sire', 'insemination service period', 'information molecular study', 'snp local crossbred', 'false negative', 'significantly associated variation', 'considerable variability ch4', 'dmi fcr trait', 'consisted 37', 'global economic animal', 'microrna qpcr', 'observed qtl', 'gemma significant gene', 'infected cell', 'rate 01 lean', 'warmblood validation study', '17 csn1s1 genotype', 'basis fitness related', 'homozygous animal high', 'method determined significant', 'region population', 'number position', 'provide significant improvement', 'porcine pou1f1', '604 informative high', 'low growth', '00 observed', 'bovine genome ontology', 'descent estimated', 'showed time', 'wisconsin population genotype', 'snvs tsnax', 'obtained genetic', 'ssc1 13 16', 'candidate gene esr2', 'dc responsible white', 'gene concordant', 'lipid related', 'determining region box', 'trial heritability', 'value 60', 'overall leg', 'clinical blood biochemical', 'tissue polish', 'adaptability climatic', 'rna aldbsscg0000001928', 'simple explanation', '01 direct calving', '15 broiler', 'parent crossbred', 'welsh cob', 'background formation', 'qtl bta22 microphthalmia', 'past decade numerous', '33 sd 12', 'ham trait', 'test gwa study', 'expression obese', 'acting difference resistance', '752 laying', 'association analysis gwaa', 'snp affecting underlying', 'investigate genetic mechanism', 'affymetrix axiom', 'moderate 30', 'strategy based cow', 'week family location', 'beef study', 'average lifetime milk', 'lack appropriate technology', 'developing time response', 'acid phenotypic measurement', 'lamb used', 'cattle haplotype', 'evidence suggests', 'qtl affect ph', 'starvation drosophila', 'nature hypersensitive reaction', 'acid synthesis enhances', 'involved digestive', 'cow 44', 'knowledge dairy breeding', '9657c led', 'ease 16 canonical', 'sex allowed', '01 ssc7 01', 'measure bmd bone', 'distance locus', '63 eqtl', 'mixed model implemented', 'region affecting birth', '12 kg', 'autosome qtl mapping', '12 significant haplotype', 'detected chromosome peak', 'procedure implementing', 'biologically associated regulation', 'proportion large', 'ldl ligand', 'study displayed', 'protein muscle', 'spp1 confirmed', 'guide future', 'method npl non', 'diarrhea virus persistent', 'epigenetically regulated genomic', '0e 05', 'natural killer', 'associated snp associated', 'deposition composition fat', 'behavioral response', 'informative snp 30', '18 20 month', 'outdoor production high', '01 21 pre', 'polymorphism porcine mir206', 'cloning causal gene', 'fat pad', 'set 216', 'correction backfat thickness', 'rate line analysis', 'association signal false', 'trpm6 htr1e genomic', 'approach using information', 'structure phenotype', 'lumen cloned cdna', 'snp16 non conservative', 'objective result', 'snp rs321666676', 'tested genetic control', 'wssgwas phenotypic record', 'bd provide mean', 'contribution 14', 'subsequently 14 snp', 'candidate region investigation', 'issue genetic', 'trait dusp4', 'developed snp assay', '2nd 3rd', 'genotype 555', 'longissmus thoracis', 'regulator bmper', 'dissection qtl', 'peak position', 'showed clustering estimated', 'dominance göttingen miniature', 'percentage narrowed', 'family hatch', 'discovered evaluated potential', 'breeding castrated shortly', 'commencement luteal', 'pathway underlie response', 'significantly day 180', 'potential identify', 'difficulty mcd', 'cross provide valuable', 'involved md', 'qtl analysed sire', 'knp landrace', 'loss 200', 'roh evaluated identify', 'identification significant', 'snp candidate gene', 'young sheep significant', 'investigation focusing', 'ranged 40', 'kinase erbb2 network', 'born tnb nba', 'ebvp genotyped', 'content tenderness', 'fto showed high', 'confirmed trait chromosome', 'greater average number', 'brahman hereford', 'genabel package program', '22 resistant', 'difference belgian texel', 'common fat yield', 'tropic cause', 'using simple sequence', 'stillborn nsb number', 'precursor derived regulator', 'region exceeding', 'model hatch year', '184 cm gga1', 'allele increased', 'gct0006 mcw0106', 'including domestic horse', 'fe significant', 'eqtls fdr', 'aimed identify quantitative', '107 polymorphic snp', 'polymorphism p3', 'esc caused', 'progeny brother', 'tumor open new', 'encoded allele', 'gene contains orf', 'studied association polymorphism', 'interaction likely limited', '38 cm', 'production consumption increasing', 'qtl associated serum', 'ex fabp activity', 'probability allele substitution', 'independently confirmed selected', 'vertebrate hedgehog', 'detected body weight', '05 expression', 'breed decade', 'association c6', 'located exon tnf', 'nonoverlapping region genome', 'use historical', 'consequently barki', 'cm region defined', 'infection oar12', 'explain segregation', 'produced mutation lepr', 'analysis association study', 'case qtl mainly', 'enrichment analysis using', 'body dimension', 'associated en laying', 'nuclear factor family', 'consisting subsequent', 'maternal terminal sired', 'utilization layer', '18 human', 'age sexual', 'regulation development', 'chromosome refined map', 'transacylase mcat pc', 'po2 base excess', 'pig weaned litter', 'application marker assisted', 'close melanocortin', 'tt model test', 'snp eca9', 'snp tested association', 'mb androstenone ssc6', 'resistance based indicator', 'conclusion importance hox', 'chromosome resequenced', '264 585', 'pedigree separately', 'using double hierarchical', 'horse owner', 'integrated gwas network', 'holstein cow categorical', 'reduced fertilization', 'trend 1985', 'causative agent boar', 'ratio 05 estimated', 'gene set', '79 body', 'genotyped half sib', 'mapped major qtl', 'mln revealed', 'ssc3 ssc6 ssc8', 'carrier compared non', 'black cattle superior', 'component circadian', 'cluster characterized', 'designed multibreed', 'ssc3 11 13', 'encoding bovine', 'encoding subunit fatty', 'help explain genetic', 'aa 528', '14 25', 'diallels addition family', 'performed gwas using', 'using linear', 'pig main cause', 'qtl considered static', 'individual breeding', '303 animal', 'promoter meat', '200 day old', 'wl77 nhi line', 'family specific covariate', 'rfi qtl detected', 'breed like', 'efficiency pedigree based', 'frequency frequent snp', 'additive effect 65', 'conclusive evidence', 'haplotype examine', 'using affymetrix', 'individual lobe', 'segregating parental line', 'marginal compared effect', 'proximity play', 'ranged 58', 'carotenoid deposited adipose', 'phenotype assessed using', '654 individual blanco', 'genotype mean imf', 'nw based', 'orthologous region human', '180 debao pony', 'fitted using bayesian', 'phase genotyped allele', 'population generated order', 'consequence developing developed', 'biological link', 'body size important', 'cn whey', '505 cm resolution', 'adrenal axis', 'qc identified qtl', 'phenotype heritabilities', 'pat 216', 'caused difference', 'conditional qtl region', 'holstein sire japan', 'novel bayesian', 'marker 53', 'chromosome chromosome', 'locus chromosome forming', 'using highly parallel', 'marker closely linked', 'mutation reliable marker', 'shank length percent', '96 96', 'compared abhd5 expression', 'cell identified novel', 'disease cause poor', 'growth contribution', 'lp dairy', 'detected mbp sequence', 'milk protein yield', 'percentage decreased', 'calculated midpoint marker', 'trait locus region', 'kilogram fat 27', 'gpihbp1 protein mammal', 'shelled chicken', 'additive genomic', '319 sheep', 'gene expression prkag3', 'motif nudt7', '07 shear', '52 positive', 'gene function enzyme', 'mutation significant', 'highly expressed sclerotome', 'plink software linear', 'equine industry little', 'vicinity quantitative', 'microsatellite locus determined', 'evaluated association polymorphism', 'lifetime total number', 'ct cow', 'inheritance texel', 'animal known qtl', 'regulation early late', 'pit growth feed', 'gene resides', '424 snp explained', 'experimental population 238', 'expression markedly', 'berkshire yorkshire', 'association publication', 'cspp1 fcer1g pmm2', 'detected cell igg2', 'milk ph content', 's26449 random forest', 'tlr2 toll', 'chromosome wide association', 'midpoint metabolic', 'mrna milk somatic', 'white minzhu intercross', 'snp array containing', 'role internal', 'hcn1 tspan9', 'significantly greater aa', '21 fatty acid', 'governed muc13', 'polymorphism japanese wild', 'large white german', 'novel polymorphism 67g', 'explore effect mir', 'effect position epistasis', '148 single', 'allow research', '533c highly associated', 'heterosis fatness observed', 'feed utilisation complex', 'outer ham knuckle', 'measured granddaughter 19', 'swine originates broad', 'fi1 rfi haplotype', 'percentage finding', 'analysis study reveals', 'preovulatory ovarian', 'study different cy', 'chicken method single', 'growth record body', 'adjusted 0238 0601', 'dpi heritabilities', 'luxi simmental crossbred', 'reported breed', 'c14 epistatic qtl', 'area qtl', 'detected 114', 'qtl generation haplotype', 'effect rfi', 'using gene ontology', 'dairy qtl', 'favourable allele using', 'value 24 hour', '62 week', '10 significance', 'cross addition', 'trait sheep method', 'contribute knowledge genetic', 'confirmed locus', 'based pedigreed generation', 'architecture imf content', 'map order gene', 'type xxiv', 'domestic poultry especially', 'newly 24507g transversion', '506a adrb3 mutation', 'genotype pedigree naturally', 'secondary pathway', 'trait italian', 'nucb2 fat effect', 'resource family japanese', 'derived brsv specific', 'showed variant', 'qtl location validation', 'trait production', 'developmental pathway', 'haplotype block animal', 'trait trait showing', 'variety white leghorn', 'bta19 candidate', 'analysis detected similar', 'muscle fat depth', 'subsequent association', 'c18 content chromosome', 'antagonistic qtl body', 'pig challenged', 'pigmentation chicken determined', 'bull testicular tissue', 'significant qtls ssc10', '05 addition run', 'studied trait proventriculus', 'analytical method', 'used blupf90 family', 'including 636a present', 'trait ii', 'obtained milk', '35 10', 'identify qtl boar', 'associated lcorl', 'phenotypic genotypic record', 'rs81394585 rs81423166', '25 35 mb', 'snp 55g showed', 'md resistant f2', 'cattle aged', 'excessive water loss', 'locus qtl total', 'thickness thorax waist', 'resistance oar3', 'test fdr', 'population gradient selective', 'promising candidate study', 'induced interferon alpha', 'qtl detected affecting', 'supporting existence gene', 'chicken sire', 'f18 receptor', 'interval mapping line', 'performed obtain', 'bratzler shear measurement', 'cd tlum', 'trait size', 'package genome wide', 'utr analyzed', '20 cm', 'bw70 bwg', 'son srb', 'background gastrointestinal nematode', 'infection faecal', 'pooled dna sequencing', 'trait bta3', 'weight evisceration', 'prkag3 vegfa', 'qtl m3', 'acop performed genome', 'ratio chromosome snp', 'beadchip hd gwas', 'small total 221', 'phenotyped feather peck', 'level itih', 'infinium iselect chip', 'ph1 ph24 drip', 'puberty conclusion result', 'explored identify', 'mb genomic region', 'fabp4 likely qtl', 'filtering drip', 'receptor new', 'clarify biological', 'mc4r lep', 'sm ubl5 imf', 'maasai providing support', 'yielded molecular function', 'potential regulating adiposity', 'multiple chromosomal region', 'knuckle biceps', 'result yellowness', 'ovine 50', 'behavior including', 'association rfi', 'specific quantitative', 'grb2 like', 'support presence qtl', 'area overlapping', 'livestock production genetic', 'expression trait remain', 'laiwu pig 434', 'qtl chromosome gga1', 'data qtl detection', 'individual epistatic', 'sequencing 30', 'improve understanding', 'abortion addition', 'set comprised', 'fat deposition muscle', 'ewsr1 actn2', 'locus molecular', 'combination genomic', 'computed tomography', '18 unique snp', 'location unadjusted', 'particularly oar6 associated', 'snp microsatellite marker', 'sire stillbirth bta18', '48 mb', 'backfat lower', 'targeted resequencing', 'considering linkage', 'multilocus epistatic', 'concentration interleukin', 'lymphocyte ratio blood', 'allele locus higher', 'correction used result', 'yorkshire population data', 'time novel', 'snp va desaturase', 'mapping non major', 'lie close previously', 'nutritional cheese', 'animal genome wide', 'disease ibdv', 'maximally informative', 'located close proximity', 'rfi1 60k genotypic', 'ecf18r gene', 'locus record milk', 'cattle substitution 1752816085', 'region prevented', 'ph lm semimembranosus', 'effect age', 'culled reproduction', 'a430g t433g', 'oar4 12 14', 'time qtl', 'result increased strategy', 'value used response', 'xq2 xqter', 'member kcnd2', 'calpain genotype classified', 'mapping based analysis', 'production cause', 'spectrometry association snp', 'lay cage', 'previous scan', 'snp population jb1', 'statistical analysis performed', 'odc gene', 'trait similar peak', 'tt snp significantly', 'addition tb', 'casein bovine', 'difference 05 fecal', 'significance heritability estimate', 'conception 19 day', 'using data prrs', '86 genetic variation', 'led identification', 'regression multiple snp', '10 fcr bta', 'applied illumina', 'genetic background ih', 'multi trait qtl', 'estrone sulphate', 'reproduction asrep milk', 'altered expression', 'commercial crossbred population', '144 kg', 'scan meat quality', 'analysis showed snp2', 'wild boar population', 'acid profile', '447g allele negative', 'conclusion study identified', 'hold secret', 'igf2 genotype secondary', 'trafficking kinesin protein', 'acid content statistical', 'bta1 bta11 bta15', 'fasn c10', 'milk sample population', 'allowed identify amino', 'association smaller subset', 'record response variable', 'acsl4 sw2456 qtl', 'weekly shank length', 'associated iar', 'mammary epithelial', 'mb gga4', 'steer series', 'response mh', 'piglet intermediate immunocrits', 'direct indirect', 'white wild boar', 'rate closely related', 'analysis bayesian', 'genome scanned 127', 'stratification statistical', 'model containing', 'pathogenicity mechanism', 'acid jb1', 'ssc2 identified using', 'original data', 'trait cft set', 'random new', 'variance identified lesion', 'day length shortens', 'export great understanding', 'dna pool tail', 'fat area', 'indicator male', 'slight difference', 'rapid association', 'appetite lh secretion', 'qtl support qtl', 'population different breeding', 'haplotype composed', 'basis low density', 'cm2 parity cm3', 'sscp single', 'line result indicated', 'pelvis breadth 12', 'showed haplotype potent', 'sgc horse oc', 'force marbling', 'pregnancy qtl bta', 'weight colour', 'dimeric binding', 'using kasp', 'qtl identification revealed', 'framework high density', 'combing linkage disequilibrium', 'development gene annotation', 'tight junction olfactory', 'contribution variation estimated', '132 indicating genetic', 'content pic ranged', 'content variation help', 'genome analysed', 'sheep genotyped high', 'signaling pathway involved', 'supernumerary teat represent', 'revealed strong evidence', 'costly pasture based', 'aflp mapping', 'distributed breed located', 'sequence analysis showed', 'report strong phylogeographic', 'using maternally inherited', 'fatty acid conjugated', 'imf marbling', 'qtl chromosome 12', 'intake regulation', 'p15 7p12', 'negatively affect productive', 'joint affected', 'analysis pca admixture', '10 snp associated', 'main role', 'efficiency jointly', 'dominance effect case', 'trait qtls detected', 'abcg2 gene', 'analyzed linkage disequilibrium', 'level higher 05', 'transcript 636a snp', 'data 4496 danish', 'variation ltn', 'trait performed total', 'genotype revealed linkage', 'fit hand including', 'function crucial', 'useful understanding', 'genetic background oc', 'new previously', 'puberty selected', 'affect protein function', '046 bp', 'data joint nordic', 'exhibited pathogen', 'fertility danish holstein', 'split consider different', 'free pig monitored', 'clearly separated remaining', 'crash drift impact', 'genetic group frequency', 'variance minor', 'variant involved white', 'created restriction', 'pathogen used investigate', 'susceptibility objective study', 'fiber effect', 'related milk trait', 'diagnostic parameter', 'time compared previous', 'fast alternative', 'involved susceptibility resistance', 'data including', 'affect cie', 'repository 715 blood', 'year study genetic', 'strong perspiration', 'prlr haplotype prlr', 'level milk interesting', 'analysed showed large', 'landrace bb genotype', 'evidence effect result', 'major influence percentage', 'proinflammatory il6 response', 'gene based association', 'heifer reproduction performance', 'type locus', 'weaning weight long', 'bead chip illumina', 'length bmd', 'gwas aim', 'different breed experiment', 'low indexing', 'concern pig', '48w e48', 'considered result compared', 'vav2 il12b dusp1', 'chromosome particular region', 'social behavior emotional', 'account variation', 'effect tnb', 'locus cm proximal', 'phase functional genetic', 'red eighteen', 'effect multilocus', 'qtl pqtl', 'black pigment', 'number vertebra swine', '71 cm', 'life informative qtl', 'analyzed piétrain resource', 'rflp analysis pvuii', 'phenotype following phase', 'thickness texture stearic', 'mortality h5n2', 'gene study dystocia', 'induced cell proliferation', 'explain qtl population', 'set total', 'determine biomechanical', 'region different previous', 'complex interaction host', 'genotyped measure body', 'modeling paternal', 'pancreas weight', 'inherited favorable', 'aim characterize expression', 'screen porcine', 'position finding provide', 'qtls studied', '500 kb window', 'potential effect corticosterone', 'effect research fast', 'ghrl2 ldlrad3 known', 'element represents', 'log transformation', 'microsatellite marker design', 'salting included meat', '013 064 addition', 'comparison haplotype shown', '05 lm aa', 'snp genotyped', 'significantly seven carcass', 'haplotype differ phenotypic', 'sire segregating', 'condition strikingly flock', 'col21a1 ppard glp1r', 'snp identified ppargc1a', 'sheep conclusive goat', 'showed haplotype confer', 'cow experience', 'sequence f94l polymorphism', 'associated bmts mqts', 'critical target genetic', 'focused major', 'gradefat 15 cm', 'underlies observed difference', '37455302g notch1 regressed', 'using proportion', 'marker meat quality', 'fine mapping identify', 'demonstrate variant', 'ghr haplotype', 'polymorphism arl4a', 'predicted 43 188', 'adjacent known', 'ratio fcr ratio', 'additive plus', 'confirmed 313', 'holstein genome', 'nudt7 cd region', 'identify causal variant', 'hypocalcemia overall comprehensive', 'total 16', 'interval mapping approach', 'region tested additional', 'representing breed 22', 'enhances opportunity improve', 'gdf9 g593a', 'marker structure cebpd', 'significant impact', 'importance qtl various', 'important improvement', 'difference 65', 'segregated clearly position', 'hyopneumoniae aujeszky disease', 'ho approximately', 'ewe belonging 11', 'rate detected suggesting', 'component protein known', '95 96', 'control strategy', 'leucocyte phenotype', 'brain hen', 'uncovered additional qtl', 'spacing marker 53', 'assay phenotypic', 'dlk1 maternal', 'thoroughbred study 322', 'animal genotyped 151', 'lung liver', 'gene 878bp', 'body composition association', 'effect 36 different', 'physiological stress', '700 offspring aim', 'result indicated fabp3', 'different cattle subpopulation', 'day 41 gga2', 'gene responsible gpt', 'trait recorded square', 'analysis used mixed', 'bta13 previously detected', 'nba genotype', 'dataset recommended case', 'positional cloning gene', 'study confirmed', 'xkr4 genotype effectiveness', 'qtl associated meat', 'signal transducer', 'meat mapped', 'trait including gestation', 'receptor 1b', 'unique cross', 'gdf8 2449c', 'key mapping', 'low 107', 'population thousand duroc', 'process 17 single', 'dramatic growth poultry', 'containing 57', 'iberian breed expression', 'qtl mapk', 'qtl identified bos', 'maternally derived brsv', 'revealed different', 'phenotype f1 bird', 'like ppil4', 'snp51_bta 119876 polymorphism', 'breast percentage gga14', 'define marker', 'peak significance', 'resulted increase', 'lm area rfa', 'effect explained increase', 'understand function term', 'homozygous boar', 't3 thyroxine', 'ghsr rs16675844 significant', 'result mlm', 'percentage contrast association', 'index sutai', '456 marker', 'fat steer homozygous', 'selected meat production', 'qtlexpress genome wise', 'iib fiber muscle', 'need studied chromosome', 'reduction commercial', 'segment considered candidate', 'suggested molecular marker', 'beef cattle important', 'dominance effect genotypic', 'fcr compared tt', 'high homology', 'value somatic', 'different location map4k4', 'profile different', 'heritability fat deposition', 'association pigmentation trait', 'end ssc17 snp', 'program boar', 'snp single marker', 'candidate trait included', 'data substantially', 'cell score bovine', 'phenotyped shear force', 'distribution marker target', 'vitamin binding protein', 'technology provided opportunity', 'based crossbreds second', 'variance owing', 'fertility potential candidate', 'tail width group', 'horn luh', 'average diameter genetic', 'reached genome wide', 'role gene variant', 'index employ', 'identify additional locus', 'chromosome revealed genetic', 'analysis ssc', 'sexually dimorphic', 'taurine zebu derived', 'predominant imprinting effect', 'food intake', 'muscle located marker', 'offspring genome scan', 'gene using pooled', 'additional region', 'pleiotropic effect selected', 'e4 e12 result', '273 laiwu pig', 'chosen significant', 'sequencing primer designed', 'involved ca metabolism', 'lym polymorphonuclear leucocyte', 'analysis used identify', 'interval mapping lea', 'hp measured', 'snts dual', 'w2cl total 321', 'backfat ubf 91', 'pilot gwa study', 'precursor micrornas interestingly', 'gdf8 2449c 6723a', 'dd producing q448h', 'multi trait', 'indicating breed specific', '160 200', 'resistance rainbow trout', 'claw weight 12', '10 il 10ralpha', '48 new', 'time suggestive genome', 'enzootic trypanosomosis genotyped', 'increased rbc turnover', 'genomic region candidate', 'age 30', '94 purebred', 'region cpm gene', 'result presented indicate', 'impact meat', 'using dominance', 'variation varies', 'myod1 involved energy', '001 adg bw', 'clearly link', 'model better understand', 'randomly pcr', 'subgroup according', 'gene transcript', 'mapping qtl result', 'scan covering 20', 'age 140 day', 'qtl immune', 'result provide new', '41 10 05', 'monitoring linkage', 'trait conclusion result', 'indicated substitution position', '05 qpcr result', 'large effect chicken', 'regulation dlk1 meg3', 'microsatellites chromosome', 'measured 030 animal', 'ancient sacrificial culture', 'acid c20 c18', 'deletion 500 bp', 'investigated single', '14 bta14', 'difference skeletal frame', 'imputation 290 620', 'snp 270t 156a', 'trait tibiotarsal humeral', 'snp located 54', 'included genome wide', 'mouldy hay', 'ssc5 22 24', 'factor affect', 'response infection copy', 'gene affecting expression', 'association analysis regressed', 'commercial landrace chinese', 'detected fabp4 likely', 'extensive link', 'analysis fpdmeta', 'f2 mixed model', '97 goat 97', 'locus putatively associated', 'weighed body measured', 'detected association differed', 'tested random effect', 'genetic diversity', 'data set used', 'test pathway gene', '0004 fatness trait', 'linked bovine', 'value parameter estimate', 'score bf lean', 'used linkage', 'transcription factor 3c', 'indicated imprinting status', 'orf encoding 528', 'based gwas data', 'cow significant difference', 'chinese large', 'region 29 31', 'background present linkage', 'role major gene', 'sire dam qtl', 'lead substitution leu', 'respectively forced', 'heaves asthmalike', 'using population current', 'respectively intramuscular', 'arr homozygous', 'structure independent association', 'effect discovered trait', 'sequence buffalo cattle', 'health productive', 'sow overall test', 'fat thickness fatty', 'marker candidate gene', '28 genomic', 'include plausible', 'influenced function', 'significant 51e', 'region ssc7 potentially', 'polymorphism uw', 'measured age', '29 microsatellites spanning', 'identified chromosome qtl', 'analyzed phenotypic variation', 'provided prediction accuracy', 'genome scan analysis', '24 snp pleiotropic', 'milk trait sheep', 'variation dpr', 'cnv12 overlap', 'powerful target', 'mapping approach', '28 24 cm', 'chromosome ssc2 number', 'snp haplotype milk', 'consisted 31 producer', 'tested useful industry', 'trait essential define', 'low ne 11', 'comparison behaviour', 'partial genome scan', 'similar estimated', 'suffolk sheep sequencing', 'location selecting', 'allelic imbalance association', 'pig furthermore', 'effect 10 imf', 'fatness nt', 'composition trait northeast', 'population studied', 'conformation polymorphism technique', 'trait 53', 'polyadenylation signal gene', 'activity study', 'employing panel 54', '81 83 cm', 'fat tissue pl', 'gapit software', '28 bta', 'snp chromosome ssc', 'stage carcass', '19 genomewide significance', 'porcine chromosome informative', 'mass live weight', 'trait locus marbling', 'spp1 ibsp mepe', 'software linkage disequilibrium', 'rock female f₂', 'polymorphism lda qtl', 'previously identified ssc1', 'hapmap50366 bta', 'microsatellite marker chosen', 'detected muscular fatty', 'trait single marker', 'study power', 'bta13 47', 'target site', 'underlying reproductive', 'second significant 000049', 'protocol genotype correlated', 'bta6 affecting', 'candidate gene heg1', 'cattle identified synonymous', 'temperament mt', 'candidate gene report', 'indels untranslated', 'transition located', 'chromosome genomewide significance', 'analysed separately result', 'localization lipid', 'tenella opening way', 'association revealed study', 'snp marker constructed', 'accession dq489319 gene', 'correlation analysis', 'cn lower', 'bta7 15', 'pcr rflp pcr', 'significant 05 effective', 'ssc17 lwgt', 'boar allele associated', 'initially snp fitted', 'size calf gestation', 'genetic influence analysis', 'gene cytochrome p450', '33 900', 'showed rs400827589', 'partly differential', 'aging chinese indigenous', 'fiber number loin', 'result biology', 'showed increase number', 'positive 02', 'variance component polygenic', 'cm contains', 'virus costly poultry', '440 ghanaian', 'genetic improvement fertility', 'gene production', '10 empirical', 'associated hindlimb score', '005 marker evaluated', 'calculated ratio', 'include bta13', 'lack precise', 'tdt mmra respectively', 'frequency growth associated', 'located segment', 'frmd4a hoxb1 gene', 'uk worldwide', 'deposition 10 vf2', 'genotype 593', 'qtl ssc2 harboring', 'ecorv genotype', 'involved pathogenesis', '11 horse equine', '23 27 significant', '18 21 24', 'beneficial future', 'contributed considerable', 'encompass likely', 'imprinted involved', 'located vicinity quantitative', 'overall size', 'physical length 867', 'specific igga iggb', 'interaction effect environment', 'challenge pure', 'application await', 'highlight effect', 'region spanning gene', 'value estimated', '793g 919g haplotype', 'included transcription', 'trait gwas meta', 'trait worm', 'use bovinesnp50 panel', 'low coverage rate', 'chromosome 22 harbor', 'cow higher aa', 'quality conducted', 'ancestor red jungle', 'determine significance putative', 'tick tick', 'genotype follows', 'rate number', '184 detected', 'wdr83 gene meat', '131 polymorphism research', 'common problem human', 'chicken chromosome showed', 'prevention prrs', 'near fads2', 'showed allele', 'aggression understand', 'virus blv', 'combination detected', 'progeny cull cow', 'important insight complex', 'industry breeding improved', 'consumer breeding goal', 'calm docile breed', 'paternal maternal allelic', 'qtl fat deposition', '48 cm male', 'subtraits validate subtraits', 'variant increasing protein', '01 lamb', 'heartwater disease dominant', 'identified used', 'including fat thickness', 'rad snps', 'trait extreme importance', 'digestive efficiency chicken', 'mastitis major disease', 'reduced dd', 'buffalo novel', 'awassi breeding program', 'trait broader', 'lr moderate', 'collectively 21', 'pde4b sw1881 using', 'usability furthermore', 'weight trait detected', 'npc2 or4d10 gene', 'fe qtl', 'ptm form using', 'tandem repeat', 'surprisingly significant slc11a1', 'genome sequencing unaffected', 'uncover polymorphism unique', 'born alive nba', 'prepubertal pig association', '10 assembly 23', 'birth weight npr2', 'qtl exceeding genome', 'time formal statistical', 'dorsi area weight', 'detected study result', 'using bioinformatics', 'population map', 'trait varied health', 'fat chicken', 'hair important physiological', 'synthesis milk component', 'trait 12 19', 'indicates meat quality', 'dorsi muscle', 'heart weight hw', 'testis growth development', 'vertebra phenotypic', 'case anticipate', 'female male qtl', 'world causing estimated', 'evidence polymorphism identified', 'ocd single', '369 f2', 'related bone cartilage', 'existence additional', 'pathology le', 'region total gene', '173 association study', 'corticosterone level male', 'binary trait', 'genotyped 82 genetic', 'characterize polymorphism bovine', 'comprised 992', 'female breast feather', 'swine skin', 'crossbred pig breeding', 'improvement enhanced antibody', 'controlling trait relatively', 'better insight complex', 'jaw resulting fatal', '15 ltnb', 'composition qtl', 'yield decreased', 'in3 g3072a igf2', 'rate suggesting', 'reported presence carcass', 'set comprised 61', 'chain myh', 'excluded candidate gene', 'fy explained', 'human involved', 'rao quantitative trait', 'segregating unequal', 'signal enrichment analysis', 'strongly associated milk', 'date little known', 'sequence target messenger', 'depth chromosome study', 'derived seven', 'evisceration weight 05', 'family protein cofactor', 'finding g16', 'pqct biomechanical analysis', 'difference prolificacy sow', 'university resource population', 'protein lipid deposition', 'pig study report', 'disease dynamic host', 'role disease', 'average 159 microsatellites', 'region homologous', 'term revealed', 'murine leydig', 'regulator ppara expression', 'region contains mutation', 'parameter drd3 hpa', 'granddaughter design assigned', 'effect iii evaluate', 'significance threshold cofactor', 'motility high', 'qtl apparent le', 'time flight', 'higher number', 'mb exhibited additive', 'precision earlier detected', 'chromatin condensing', 'revealed snp significant', 'improvement example', 'pasture trait measured', 'trait difficult lowly', 'screening bta04', 'variant rw070 rw023', '24 cm', 'allele tested', 'difference significant', 'deciphering molecular mechanism', 'cloned mapping result', 'mir 1556', 'microsatellites snp marker', 'performed 328 progeny', 'validated fine mapping', 'mapping accuracy', 'second qtl distal', 'weight maximum likelihood', 'seen qtls segregating', '13 15', 'bta14 milk', 'problem layer', 'defined cow', 'small effect qtl', 'mstn 874g', 'proportion cd4 cd8', 'environment interaction milk', 'pool obtained', 'pooling used', 'female line microsatellites', 'animal chromosome selected', 'array result', 'promoter variant', 'cebpa gene', 'concern negatively affect', 'increased individual', 'trait reflecting', 'characteristic derived', 'variation androstenone', 'ear phenotype varying', '82 genetic marker', 'genotype strongest associated', 'locus qtl trait', 'gwas performed 183', 'tissue performed', 'showed high certainty', 'tenth rib bft', 'total 1121 cow', 'exon 3000', 'cattle breed classical', 'limited trait qtl', 'provided useful', 'rate fdr', 'restriction site', 'evaluated comparison', 'count broadened', 'genetic merit range', 'genetic interaction use', 'generated using', 'total weight furthermore', 'involved camp', 'pig methodology', 'combination polymorphism flanking', 'distributed 26 sheep', 'gcg valine', 'qtl 13 autosome', '143 33', 'maximum mb included', 'moderate high', 'identification egg', 'snp1 locus', 'selected region', 'examined association single', 'young bull sire', 'estimate test multiple', 'wg 365 adjusted', 'derived candidate gene', 'finding allow proposal', 'sample hsp90aa1 expression', 'cyp2e1 gene 119', 'production pig', 'tail estimated', 'val met', 'involved human depression', 'glycolytic potential gp', 'study gwas regional', 'attained puberty', 'binding protein adipocyte', 'fixed nil polymorphic', 'comprising 192', 'spanning promoter', '217 249', 'indirect qtl effect', 'study compare', 'individually genotyping', '01 dmy', 'mashen breed basis', 'chromosomal region examined', 'disorder known', 'identified single snp', 'chromosome egwas', 'regression evidence', 'bull believed carrier', 'pigmentation significant', 'skeletal muscle biological', 'simmental cattle additionally', 'difference domestication selection', 'population ldla method', 'association 18', 'data sire', 'previously reported candidate', 'slaughter age 240', 'tested dominance', 'thoracic vertebral number', 'univariate genome wide', 'increase dyd lactation', 'chromosome bta6 identification', 'demonstrated polymorphic', '70 cm', 'shelled chicken breed', 'presence lamb genotype', 'testing considered using', 'trait additive dominant', 'appeared associated', 'qtlexpress genome', 'bta 11 yearling', 'effect flanked', 'thirteen marker significantly', 'affecting cm1 specific', 'muscle tissue single', 'analysis 33 snp', 'qtl higher', 'gene locus behavioural', 'area animal', 'lg1 lg26 suggestive', 'early indicator reproductive', 'influenced environmental factor', 'mastitis resistance trait', 'effect similar magnitude', 'homozygote 65 sd', 'dhps wdr83 gene', 'cross comprising', 'bp 17', 'gene underlying qtls', 'harbored htr2a', 'correlation mfi', 'productivity wild boar', 'tmem138 dpyd casq2', 'desaturation index', 'protein using korean', 'pcl detected significant', '14 region overlapped', 'based regression', 'contained candidate', 'gilt comprise', 'tolerance utt examined', 'farrowed measurement', 'percentage great', 'association bvd pi', 'dc lower mean', 'fifth sixth thoracic', 'infection vaccination', 'end conducted genome', 'model considered important', 'neuroendocrine influence', 'productivity investigated effect', 'daughter 12 bull', 'lay groundwork', 'plod1 nppc', 'dq489319 gene', 'mutation subsequent application', 'reanalyze jointly', 'haplotype effect previously', 'muscle fat lung', 'resolution observe', 'composition imf', 'ph loin', 'association study cattle', 'combined analysis combining', 'detected promoter', 'joint posterior', 'trait protein percentage', 'resistance assembled annotated', 'estimated 24 based', 'understanding molecular', 'dimension trait body', 'battery behavioral', 'better understand relationship', 'primate rodent sequence', 'fixation index', 'md 967', 'africa display', 'species comparison', 'grandsire family belonging', 'population family', 'genotype animal', 'process development', 'acid suggested', 'upper thermal', '72 87', '808543 useful selective', 'gga1 explained phenotypic', 'improvement disease', 'streptococcus dysgalactiae', 'level follicle mm', 'program result gwass', 'appeared desirable', 'revealed flanking', 'far qtls previously', 'ruled group allele', 'son total', 'sc genotype ag', 'trichostrongylus spp adult', 'refined previously identified', 'response mammary gland', 'erhualian intercross resource', 'showed association lda', 'information paternal maternal', 'polymorphism bmper gene', 'breed described target', '40 196 snp', 'horn suggests eyelid', 'sheep animal', 'chromosome utilised', 'tenderness ssc', 'trait tested weighted', '200 kb', 'bayesb bayesc moderate', 'described haplotype block', 'maternal infanticide 05', 'snp greatest', 'snp established', 'probably preserved', 'bb genotype 19', 'polymorphism snp chinese', 'recently detected', 'mainly strong', '05 respectively', 'trait vf2 mapped', 'correlated wb', 'gain identified', 'enhance immune response', 'genomic region previously', 'creole cattle population', 'current study reanalysis', 'published region', 'association bw ww', 'individual representing', 'value 057', 'mstn 435 447a', 'original ebv', 'close qtl cluster', 'nellore breed', 'effect fatty', 'identified region wwc2', 'level carried different', '56 kg', 'catabolic process', 'population native japanese', 'maximum resolution', 'result study currently', 'detected provided', 'reverse happened prrsv', 'cattle genetic selection', 'selection program genome', 'collected october immunoglobulin', 'ewe identify', 'c57r showed', 'maternal effect identify', 'african chicken ecotypes', 'udder score 582', '553 haplotype', 'pc explained', 'sc 5746 holstein', 'lean bone ratio', 'affecting lm weight', 'contributed unique validated', 'genotype 770', 'array association analysis', 'protozoan parasite', 'se vaccination plasma', 'security income investigate', 'epididymal weight testosterone', 'crossbred nanyang xia', 'week maximum significance', 'breed commercialized cast', '10 14 qtl', 'carcass trait f2resource', 'qtl subcutaneous', 'pcr analysis showed', '50 beadchip imputed', '484 cow genotypic', 'marker litter', 'behavior bird homozygous', 'egg type breed', 'evaluated using single', 'grandsire family 1121', 'dairy breed', 'bta17 significantly associated', 'partly remained', 'reported xkr4', 'gene solute carrier', 'functional milk production', 'mapping validation candidate', '95 cm analyzed', 'obtained survivor', 'affected environmental', 'ovine snp chip', 'trait validates qtl', 'putative biological positional', 'quality trait studied', 'size snp rs81367039', 'ratio nutrient curd', 'locus best', 'chromosome gga7', 'association klf15', 'gain kg dmi', 'snp 100', 'kidney weight', 'study enrichment analysis', 'population gradient', '10 bwt 10', 'background increase', 'new qtl region', 'marker add', 'horn characteristic size', 'interval peak centred', 'physical mapping', 'sequence data nh', '01 milk', 'bovine leukemia', 'breed cattle trait', 'yield abdominal', 'involved regulation tnp1', 'number related body', 'dgat1 leptin', 'decreasing unsaturated', 'breed hardy', 'weight bw chest', 'qtl increase', 'region linkage', 'base pair', 'fp phenotypically linked', 'computed complete data', 'non pigment specific', 'affected tm qtl', 'similar rfi position', 'ige level showed', 'genomic prediction model', 'qtl using genome', 'applied multiple trait', 'cm proportion phenotypic', 'heterozygous locus', 'protein used positional', 'identified promoter region', 'predictor forecast superovulation', 'breed including 20', 'younger age puberty', 'ham knuckle ham', 'mir predicted', 'density fat weight', 'mastitis phenotype using', 'expression trait', 'myostatin suffolk texel', 'false association', '28 body conformation', 'guidance marker assisted', 'genomic selection enhance', 'hedgehog considered', 'gene network aiming', 'identified maternal ability', 'locus qtl growth', 'estrogen confirming previous', 'pig aim study', 'cla 9c11t gamma', 'afe chromosome 13', 'disequilibrium analysis performed', 't32742468c g32742603a', '23 genome regression', 'snp immune trait', 'total genetic', 'putative snp', 'data 26 analyzed', 'hair trait', 'wild type allele', 'thirty phenotypic', 'specie genome', 'loss weight end', 'snp 5239c 5240a', 'resistance eimeria parasitism', 'especially nutrition exacerbate', 'cycle arrest g0', 'total 42 233', 'heritable pig selection', 'important role patterning', 'effect large', 'mastitis highly', 'function klf15', 'longissimus dorsi semimembranosus', 'significance chromosome significant', 'represents important tool', 'analysis random', 'metabolic pathway associated', 'f2 individual produced', 'chicken used', 'vertebra number potential', 'utilization gene involved', 'parameter toughness', 'cast genotyped putative', 'chromosomewise significance', '25 polymorphism', 'associated le white', 'musculus longissimus', 'genotype association mga', 'sla allele', 'proportion variation', 'standard deviation egg', 'highest snf', 'fixed covariate model', 'lys232ala ghr phe279tyr', '186 marker', '27 20', 'correlation ifc abt', 'fertility trait future', 'fat growth', 'model near nln', 'p50 klf7', '40 amino acid', 'result association observed', '18 19 20', 'significant association term', 'male fertility', 'commercial broiler mean', 'wide scan approaching', 'beneficial reducing incidence', 'individual subjected', 'major allele tested', 'variant followed', 'rflp assay developed', 'polymorphism showed significant', 'approximate multi', 'enables animal', 'affected bta6', 'breed linkage', 'considering window', 'adaptability natural', '062 progeny', 'adjust significance', 'result screened generation', 'htr2a associated', 'btb 00246150', 'gemma software demonstrated', 'heritability qtl chromosome', 'trait viral clearance', 'result large', 'wrinkle estimated', 'ssc17 ssc18 sscx', 'consumption limited information', 'porcine locus tumor', 'c8 c10 region', 'genotype entire training', 'accounted significant fraction', 'beadchip animal', 'trait artificial', '49 042', 'influenced qtl', 'provide validation', 'value lower 10', 'background double backcross', 'slc35a3 chromosome 21', '74 segregating', 'performed breed specific', 'molecular estimate breeding', 'indigenous meishan', 'pig growth production', 'length akr1c4', '76 78 mb', 'established cohort pirm', 'traditional blup single', 'trait hierarchical linear', 'fertility fertility phenotype', 'pig varies', 'chewiness cooked meat', 'suggested 15 cm', 'prediction putative differential', 'frequency difference chinese', 'caa greater', 'enabling marker assisted', 'direct measurement epistatic', 'trait ujumqin sheep', 'weight bta6', 'nucleotide 001 relative', 'interval 10', 'study improves', 'analysis 1001t polymorphism', 'animal august jaw', 'discovering qtl detected', 'devastating outbreak fowl', 'furthermore pathway', 'correlation pattern', 'effect bw49 bw70', 'frequency revealed', 'region detected combining', 'method high concordance', 'δ2 response variable', 'identified 37', 'region daughter stillbirth', 'gene chromosome wise', 'model direct calving', 'significant effect lactoglobulin', '19 cm', 'angus hereford limousin', 'harbor causative', 'cri map', 'longevity country', 'trait gwas showed', 'hw trait', '10 week serum', 'egg size eggshell', 'collectively gwaas gemma', '442 nordic red', 'detect relevant', 'effect dressed', 'muscle color 021', 'genetic improvement immune', 'used interrogate illumina', 'exhibiting muscular hypertrophy', '26 zfyve26', 'changing mineral composition', 'ibdv mdv', 'trait ssc2', 'ncapg protein', 'performance gene', 'region bta2', 'snp associated milk', 'sa general', 'genotype 871', 'causative molecular', 'mdv qtl', 'phenotypic trait variation', 'gene detected pcr', 'rs109579682 ppargc1a subsequently', 'ewe studied effect', 'gwas objective perform', '205g polymorphism slc39a7', 'throughput matrix', 'used aid', 'muscle 278 male', 'titer antibody', 'locus increase', 'long yearling weight', 'pig adhesive etec', 'detected 16 qtl', 'suggested statistic exceeded', '11 suggesting chromosome', 'explain variation backfat', 'expression directly', 'heritabilities fatty acid', 'expression mdv oncogene', 'breakdown mechanism calcium', 'excessive tearing', 'development largely', 'heritabilities qtl effect', 'drps compared pcp', 'number teat significant', 'cm somatic', 'ornament enduring', 'record 189 817', 'breeding selection development', 'contactin associated protein', 'population required examine', 'shear force score', 'polymorphism cast hpaii', 'locus analysis revealed', 'identified harbour putative', 'detected northern', 'differential transcription factor', 'yellowness bco', 'revealed 44 significant', 'information used marker', 'survival salmonid specie', 'performance bovine', 'nr6a1 gene order', 'requires validation independent', 'identified polymorphism', 'igg1 igg2 trait', 'equine gpt', 'pool include 35', 'snp ccl2', 'mammal melatonin receptor', 'ability act', 'body composition measured', 'chicken genome average', 'contributes 60', 'fertility trait including', 'meat 005 increased', 'million 10', 'expected segregation analysis', 'higher marker', 'phenotypic record represented', 'acid change influence', 'industry enteric', 'test navicular', 'lower protein level', 'significant proportion cost', 'gga15 identified', 'bw shd bmw', 'correlated female', '0013 remaining 11', 'chicken aim', 'expression pig', 'carcass trait identified', 'delineated 32 50', 'trait mapped ssc3', 'set dna pool', 'predicted protein', 'bp allele predominant', 'f₂ resource population', 'gene 15g fm209043', 'snp chromosome wb', 'temperament factor twh', 'fat tail development', 'gga2 76 78', 'haplotype distinct', 'important rbc', '1955 2003', 'indicate significant association', 'cross pif1', 'grouped opn', 'variance haplotype analysis', 'family parent bird', 'dw analysis investigated', 'sire respect estimated', '092 conclusions significance', 'marker spread sheep', 'status contrasting infected', 'subset 161 snp', 'higher dressed weight', 'development myostatin 376', 'difficulty direct', 'candidate gene analysis', 'identification qtl aseasonal', 'birth weight bta', 'protein present study', 'ph known', '45 190 day', 'force day day', 'hypothesis segregating', 'use cast', 'beefbooster m3', 'different model uncover', 'eighteen fa composition', '01 result', 'tertiary haematological parameter', 'chromosome region flanked', 'maximum ratio', 'result age', 'revealed frame', 'located 13', 'measured mapped separate', 'inflammation post', 'number teat 801', 'acsm5 crot', 'population differing', 'qtn effect', 'expression profile obtained', '14 considerable potential', 'adipsin cfd am950287', 'fat percentage proximal', 'porcine mtpap', 'best map', 'length research', '156_157del 0003', 'slc39a7 cdna obtained', 'search qtl wild', 'fat abdominal fat', 'locus subtly', 'proportionate dwarfism', 'form postnatal psychosis', 'fi feed', '18377t 25316t skewed', 'intercross pedigree', 'locus qtl carcass', 'maternally derived', 'approach obtain global', 'medium long chain', 'position limousin breed', 'potential major', 'value ejaculation time', 'gave sharp', 'studied association', 'slc35a3 chromosome', 'transient receptor', 'width body weight', 'degradation structural protein', '10 28 pqtdt', 'described study useful', 'process growth animal', 'diversity chicken', '3rd lactation 01', 'loss chromosome', 'revealed time', 'coding rna molecule', 'technological processing aspect', 'animal welfare economic', 'genotype fresh sperm', 'male phenotyped', 'allele associated high', 'marker association used', 'evaluated range', 'subfertility single', 'overlooked present', 'genotyped 50k single', 'preliminary analysis', 'snp24 significantly associated', 'module relevant fatty', 'classified elovl6', 'protein 1661 amino', 'bf lean', 'limited availability', '60 cm somatic', 'trait locus controlling', 'ce ld ssc4', 'associated variety phenotypic', 'fixed effect using', 'deviation dyd somatic', 'pathway conclusion large', 'mb bta18', 'objective study estimate', 'trait aquaculture improvement', 'revealed qinchuan', 'architecture broiler population', 'ebv drps', 'generated increasing', 'gwas meat', 'collected october', 'fleischschaf suffolk', 'short cut', 'control imf content', 'ahr gene', 'line divergent', 'identified different trait', 'temperate climate', 'exhibited paternal', 'porcine model spontaneous', 'biological function particularly', 'trait detected german', 'kg phenotypic sd', 'located chromosome explaining', 'insulin resistance energy', '18 docosapentaenoic', 'minolta minolta', 'selection conducted genome', 'intake adfi population', 'study presented result', 'bmd method', 'leghorn polish', 'observed contribute expression', 'best snp', 'resides 300', 'content bovine', 'beadchip gwas performed', 'research feather', 'simple trait', 'scrapie resistance sheep', 'standard deviation tensile', 'cause identified qtl', 'trait novel finding', 'controlling 27 trait', 'mean proviral', 'sample study', 'chicken chromosome selected', 'qtl milk beta', 'level comparison', 'benchmark improved prediction', 'number intramuscular fat', 'acting eqtl stress', 'improving human health', 'yr age identified', 'crossbred population 260', '0005 snp fn424076', 'region characterized', 'pinpoint causative', 'expression associated', 'deviation calculation', 'pic 63 sixteen', 'trait iowa growth', 'detected important protection', 'fa composition commercial', 'fed grass mineralized', 'sire mammalian', 'qtl different approach', 'related meat production', 'bone mineral', 'level forecasted promising', 'putative qtls qtl', 'status clinical case', 'seven qtl detected', 'multimarker regression bayes', 'affecting absence level', 'regulated gga5 af', 'stock korea total', 'classical fertility', 'resistant f2', 'cross 93', 'genetic architecture correlated', 'moderate high heritabilities', 'wide scanning qtl', 'greater ability', 'cooking loss performed', '19 tbrd locus', 'pattern additive', 'vol genetic', 'indirect effect', 'number pig born', 'joint trained', 'resequenced calpastatin regulatory', 'influencing serum', 'bta 14 21', 'angularity ang body', 'transfer backcross holstein', 'acid 0002 0013', 'collectively gwaas', 'week 22 62', 'linked genomic', 'study investigate parity', 'average markers chromosome', 'expedited emmax linear', 'accurate selection', 'trait estimate narrow', 'nutrition fat', '227 gene fat', 'merit complementary multivariate', 'teat reproductive related', '161 microsatellite', 'related ovary', 'largely controlled', 'country indicator trait', 'maturation skeletal muscle', 'trait analysed average', 'total population 1894', 'analysis indicated snp2', 'listed based recent', 'deoxyhypusine synthase', 'program early predictor', 'lactose kg average', 'prlr igf1r acsl3', 'muscle function anatomical', 'detected interesting biological', 'presented paternal haplotype', 'performed genomewide', 'region influenced', 'gene recessive duroc', 'fatty acid chinese', 'novo fatty acid', 'focusing trait high', 'female fertility estimated', 'scan gwas', 'enabled detection 23', 'pccb pmm2', 'resistance susceptibility respiratory', 'contain multiple repeat', 'demonstrates mutation creating', 'suggestive md', 'hetero genotypes', 'thickness performed genome', 'genotype cc 56', 'clinical footrot status', 'procedure consisted trial', 'pgm2 nox4', 'second outbreak', 'model combined', 'fatness ssc3 muscle', 'great understanding underlying', 'osteopontin multifaceted protein', 'analysis model', 'series platelet parameter', 'failed significant association', '10 dcd lm', 'family exploiting', 'qinchuan qc', 'previously reported german', '15 adult', 'step insight', '286 012', 'cross breed population', 'decarboxylase pivotal enzyme', 'snp28 snp31', 'gene order investigate', 'breed conclusion genomic', 'closely related', 'model increased accuracy', 'identified mapping precision', 'ji 72472 genotype', 'bone trait report', 'newly developed marker', 'differs meishan', 'chromosome 11 qtl', 'function postcalving', 'identified trait investigation', 'size udder shape', 'chick line qtl', 'trait response mh', 'peak position chromosome', 'mammal melatonin', 'absorptiometry dxa femur', 'end sequence', 'using 106', 'variant evaluated', 'expression resulted', '24 microsatellites chromosome', 'obese lean', 'allele frequency obtained', 'arm chromosome', 'chromosome harboring qtls', 'polymorphism perilipin', 'body measure principal', 'conclusion finding major', 'difference complicate', 'protein signal transducer', 'qtl erythroid', 'showed new', 'cell mutation', 'herd longer', 'related egg production', 'portion body grow', 'epistatic sex specific', 'developmental instability knowledge', 'multivariate model mbv', '5229th 5476th', 'pcr expressed level', 'asia carry', 'trait difficult usually', 'yearling yearling', 'coupled receptor edg1', 'discovered ap', 'osteoclast differentiation', 'including fabp3 lipe', 'threshold 380', 'herpes virus mdv', 'analysis identified snp', 'selection age puberty', 'ebv bovine chromosome', '372 individual', 'enabled number', 'applied ovine', 'micrornas targeting sox', 'outer subcutaneous fat', 'acid novelty qtl', 'identified novel single', 'snp heterogeneous effect', 'striking contrast', 'lesion recent', 'actin cytoskeleton', 'likelihood interval mapping', 'protein kinase pathway', 'evaluate effect somatic', 'fiber muscle', 'acid substitution threonine', 'gene pig', 'study refine', 'region pparγ', 'used 20 half', 'adg adfi phosphorylated', 'variance monounsaturated', 'detected f₂', 'result map infected', 'eqtls associated androstenone', 'fmo3 ssc9', 'growth trait analyzed', '13 particular region', 'breed second', 'located chromosome best', 'markers birds', 'ap 10 mum', 'rock breed', 'bos javanicus bos', 'level 35 trait', 'snp change lg', 'opn peroxisome proliferator', 'record able', '40 sample', '53 sd', 'lean meat percentage', 'width body', 'moderate slope range', '1855 pig', 'bta04 annotated', 'control association test', 'analysis indicated major', 'level conclusion study', 'ib population', 'opn beneficial', '91 charolais limousin', 'mb ssc8', 'milk fat concentration', 'unraveled genetic', 'phenotype identified', 'admixture result', 'based data genome', 'emmax htr analysis', 'program mdv', 'muscle serve', 'analysis imf', 'wild advanced', 'correlated trait inheritance', '24 48 using', 'loss dl similar', 'including melanoma gene', 'resulted tenfold', 'ultimately identified nba', 'allele ay487830 2228t', 'breed genetic environmental', 'fatness important', 'finger gene associated', 'significance level adg', 'number leu', 'snp 11 725', '05 bonferroni', 'suggestive 10 chromosome', 'non productive', 'carry segregate individual', 'overall qtl significant', 'locus tumor invasion', 'chinese indigenous chicken', 'content ssc15 qtl', 'probable gene involved', 'snp3 locus', 'editing technology', 'evaluate association genotype', 'typical behavior personality', 'qtl affecting shape', 'crash drift', 'qtl located 28', 'gene ryr1 tgfb1', 'genotyping parent', 'heavy pig', 'length wither height', 'identified hypothesis test', 'kidney tissue', 'mechanism physiologic', 'abcg2 environmentally dependent', 'tspear pik3r4', 'sequence alignment decr1', 'genome analysis using', 'fixing favourable', 'study log', 'study 50', 'snp gene involved', 'abc group abc5', 'fat source', 'gene act', 'located ssc7', 'high concentration', 'qtl effect tightly', 'birth weaning weaning', 'effect swine', 'located close interesting', 'associated fat depth', 'related trait complex', 'sow superior ab', 'underlie correlation', 'significant mortality', 'result refined confidence', 'variance component mapping', 'animal predominantly kept', 'ew multivariate', 'associated pig lifetime', 'level ovary significantly', 'followed estimation', 'linkage disequilibrium', 'cckbr significant', 'population maximum', 'rdc jersey jer', 'liver major organ', 'abc5 abc6 abc10', 'ex fmo1 fmo5', 'designed perform genome', 'interpreted using', 'ssc12 05 partial', 'mrna level abhd5', 'mastitis udder', 'marker superior', 'snp acsl4', 'snp map3k5 pex7', 'leaner meat chicken', 'capacity trait detected', 'nucleotide polymorphism performed', '30 cm', 'primiparous holstein', 'growth 10 vf2', 'genetic determinism trait', 'including low heritability', 'validated crossbred', 'wwt 405', 'weight additive', 'direct impact fatty', 'successfully genotyped', 'breed analysed', '96 sgc horse', 'positive economic', '13 abdominal fat', 'complex trait explain', 'effect simulation', 'assisted selection allow', 'qtl spanned cm', 'lamb response', 'notable finding', 'programme allows performing', 'trait v371m analysis', 'trait pb cb', 'bcas bsp3', 'model regression genomic', 'ese motif', 'susceptible ectoparasite', '947g single', '600k single', 'growth development candidate', 'single trait qtls', 'selection simultaneous improvement', 'showing ucp3', 'traditional genome wide', 'including proportion cd4', 'useful meat quality', 'polymorphism daughter', 'chromosome gestation length', 'hock joint osteochondrosis', 'chromosome eca 4q', 'detect association using', 'rate dominance effect', 'genotyped polymorphism reported', 'primary genome', 'production selection low', 'stallion obvious variant', '963 limousin', 'alteration contour navicular', 'aberrant splice variant', 'narrowed interval 13', 'contained multiple', 'relevant liability', 'date focused', 'subsequently tested association', 'described qtl region', 'c12 content', 'snp associated ch4', 'genotype sahiwal karan', 'rs41919999 rs132865003 rs134340637', 'approach including single', 'growth curve allowed', 'frequency maf', 'pleiotropic effect', 'association imprinted', 'genotype dfiadj', '19 wk age', '439 porcine', 'indicate possible association', 'scrapie resistant animal', 'locus chromosome affect', 'molecular target', 'qtl significantly affect', 'bb 05 total', 'created novel', 'genotyping 192', 'infected animal', 'wide analysis approach', 'infection interdigital skin', 'significant snp variant', '18 trans', 'evaluated indicator', 'chromosomal subregions locus', 'harmful genetic', 'cm le cm', 'experienced reproductively competent', 'gwas fst', 'stallion impaired acrosome', 'strength sex dependent', 'locus pig', 'design french dutch', 'pigmentation significant association', 'architecture gin', 'cell proliferation immune', 'detected eca2 eca15', 'index danish holstein', 'nc_007324 12284a', '58 week', 'gemma genome', '05 synthetic', 'gene mannosidase 2b2', 'linked sl9a3r1', 'array 02', 'duplicated functional gene', 'female fertility record', 'significance determined controlling', '19 unique', 'use existing half', 'body weight cw', 'gain case group', 'chip haplotype', 'effect combination allele', 'hd 777', 'disease tumor initiator', 'imbalances strategically added', 'mapping analysis bco2', 'cytokine signalling socs2', '12 18 phenotypic', 'affect different trait', 'individual inferred genomic', 'population studied snp', 'ovine infinium', 'selection cow desired', 'variance 01 86', 'trait explained qtl', 'disequilibrium test showed', 'cattle population chromosome', 'marker bm81124 bulge20', '103 case 98', 'body weight previous', 'growth rate behavioral', 'bdkrb2 gtf2ird1 utrn', 'agonist nle⁴', 'compared heifer conceive', '23 vertebra', 'faecal culture map', 'mechanism genetic variation', '16 ltn', 'sow reproduction performance', 'specific difference', 'performance fatness carcass', 'study determined vitro', 'suppression snp', '21 linkage group', 'different stage growth', 'parity experiment approximate', 'data male derived', 'animal strong', 'putative causal mutation', 'study dna', 'detect qtl trait', 'aim genome scan', 'acid activation', 'association lean', 'fragment length', 'typical asian', 'case control quantitative', 'variation identified including', 'developed 95', 'lcorl indicating', 'content observed duroc', 'understand underlying', 'model association', 'additionally mb gap', '10 lod 78', 'apoptosis study obtained', '14 ldla analysis', 'snp3 locus showed', 'organ weight', 'property nutritional', 'comprised pc3', 'list pcgs', 'bf 210', 'genomic region potentially', 'analysis using family', 'bta showed association', 'analysed rs43101491', 'immunoglobulin colostrum method', 'role control', 'significantly affect ph24h', 'strategy refine map', 'gain slaughter date', 'line previously', 'stc2 genotype environment', 'novel breeding strategy', 'map calculated 133', 'associated rfi snp', 'limited coverage affected', 'major fraction dyd', 'showed higher milk', 'simmental cattle', 'variance component model', 'best nonlinear', 'treatment sample', 'powerful imputation', '13 broiler', 'meishan female', 'measured ct detect', 'frequency maf 05', 'continuous mutated', 'genotyping technology open', 'sb mum different', 'usually subset', 'based estimate', 'social separation test', 'fluorescence assay result', 'knowledge syndrome investigated', 'benefit implementation ma', 'cause niemann pick', 'protein c1qbp', 'trait distribution', 'weight lcorl biec2', 'leydig tumor cell', 'imf confirming opportunity', 'adfi rumen data', 'polyphen genetic variant', 'study qtl oar', 'showed rs13687126', 'conclusion identification region', 'gene increasing', 'additive effect live', 'trait useful developing', 'overlaying information', 'shoulder meat', 'used concern hepatic', 'enhanced resistance', 'basis successful', 'effect tumour', 'appears associated growth', 'set data concerned', 'lower value trait', 'chromosomewise level using', 'genotyped 713 animal', 'beadchip mixed', 'reveals statistic evidence', 'value 01 365', 'genetic trait included', 'qc 641 fish', 'equcab2 marker set', 'qinchuan cattle real', 'long term', 'gene maternal effect', 'retn retn', 'better understanding pathogenesis', 'muscle area lma', 'successive molecular', 'snp 60k bead', 'fn396538 566g', '620 snp', 'breed secondly', 'variant regulating', 'characteristic morphology', 'quantitative measurement', 'gene pig growth', 'muscle area fat', 'gene expression value', 'qtl 55 chromosome', 'wt wt 22', 'imf qtl', 'refine location', 'trait swedish dairy', 'bioinformatics method', 'cft trait', 'initially detected number', 'factor potential', 'meat selection animal', 'polymorphism technique sscp', 'rfi complex trait', 'located segment flanked', 'detected polymerase', '281 day artificial', '670k axiom', 'backcross independently', 'landrace 05 synthetic', 'periods tb', 'similar carwell locus', 'study shown cell', 'locus analysis', 'putative adg', 'genetic marker lipid', 'economic trait livestock', 'tolerance breeding', 'data confirmed use', 'acid trait mainly', 'significant association calving', 'gene polymorphism causal', 'human developmental', 'population opn 891', 'valuable information genetic', 'count 13 microsatellites', 'qtl confirmation discovered', 'bovine ankyrin', 'contribution detected qtls', 'polymorphism merely', 'facilitate cloning', 'serine trypsin prss2', 'infection fec', 'porcine expression', 'mdv qtl affecting', 'variation calving', 'quarter meishan backfat', 'reactivity measured battery', 'animal charolais brahman', 'result milk cheese', '378 127', 'ssc1 17', 'bwg fi 05', 'growth remained', 'linoleic conjugated acid', 'mir 532 utr', 'evaluating disease resistance', 'permutation sliding window', 'uc dyd major', 'reaching market', 'gene genomic variant', '28 protein', 'polymorphism egg', '12 425', 'mapping region associated', 'quality attribute fresh', 'infected romanov', 'mufa saturated', 'a497g c635t', 'record 1026 individual', 'scoring osteochondrosis lesion', 'time ssc17', 'fayoumi associated', 'position 74 532', 'pig production semen', 'rate 24 11', 'effect bw70', 'cloning gene', 'purpose snp panels', 'measured map faecal', 'researcher delineate genetic', 'estimated heritabilities', 'based meta', 'mechanism heat tolerance', 'total 57 fatty', 'transcript 636a', 'lei0258 microsatellite locus', 'study refines understanding', 'gene polymorphic influence', 'yield variance gwa', 'maternal line ham', 'marker association cla', 'study elovl6', 'adrb3 expression', 'affecting power detect', 'related trait providing', 'sequencing lepr coding', 'porcine experimental', 'gene contributes', 'role host response', 'ripki domain containing', 'southern china', '105 snp detected', 'positive post mortem', 'genomic region efficiency', 'base generation pig', 'width rdw data', '18 saturated fatty', 'chicken roslin broiler', 'linkage disequilibrium ssc4', 'qtl mastitis trait', 'cow enhancing knowledge', 'similar 11 36', 'segregating commercial swine', 'major component determining', 'mirnas overexpression swine', '42404a mutation associated', 'growth discerned sahiwal', 'snp ssc3 associated', 'carcass composition phenotype', 'driven sexual selection', 'challenge faecal egg', 'level lw 119', 'selection index predictor', 'ssc12 prkd1', 'work performed', 'sourced chromosome', 'covering 30 chromosome', 'analysis data', 'snp14 approximately 400', 'family analysis addition', 'monounsaturated polyunsaturated', 'common frequency 118', 'dual luciferase assay', 'detected economic', 'evident qtl validated', 'tmem144 cxxc4 maml2', 'steer evaluated', 'consisted 2327', 'human conclusion locus', 'prox2 fo cause', 'analysed 113', '753 total', 'vrtn gene using', 'haplotype block detected', 'sequence variation', 'consistent idea functional', 'wfe negative effect', 'characteristic result showed', 'husbandry breeding', 'daughter family offspring', 'selection rfi understanding', 'displayed similar', 'suggests selection normal', 'analysis stratified', 'evaluates role', 'statistical testing', 'cross increased power', 'function previously reported', 'identified likely', 'norwegian dairy', 'variation genomic', 'boar genotyped', 'glycogen synthase', 'snp10 xr_027435', 'gene reported blonde', 'grain 180', 'quality attribute priority', 'value computed complete', 'epistasis effect', 'status specificity', 'multivariate model', 'established location', 'natural population population', 'chromosome showing association', 'cnvs susceptibility recurrent', 'bta using japanese', 'v6a v33a snp', '205 cm abdominal', 'dominance larger', 'ovarian follicle continue', 'season result snp', 'variance female fertility', 'frequency 54', 'identified strongly associated', 'improves knowledge better', 'qtl region qtlr', 'efficiency swine age', 'gwas longitudinal trait', 'addition somite', 'affecting milk fat', 'f2 genome', 'known dwarf', '24 month nanyang', 'nt 778 n229h', 'previous report showed', 'snp altered amino', 'resistance scottish', 'genotyped imputed 777k', 'weight bw', 'showed association marbling', '680k total 6173', 'bta13 previously', 'placed fto arm', 'reproductive trait landrace', 'result indicate', 'romosinuano romo', 'rw023 located', 'unknown pig', 'weight ileum', 'data 211 hanoverian', 'breed using kasp', 'measurement pig', 'pcnx additional', 'analysis method best', '98 conclusion', 'phenotypic variance mutation', '250 barrow', 'riboflavin vitamin', 'fitted asreml', 'validity qtl using', 'low tail estimated', 'aforementioned technology', 'year lsy pig', 'palmitoleic acid c16', 'variance 01 51', 'biological psychological change', 'challenge establishing', 'osteochondrosis oc frequent', '01 ssc12', 'mbl2 detected', 'true effect perform', 'linear udder', 'dominance imprinting coefficient', 'g2 generation', 'fixed segregating breed', 'gene indolic compound', 'locus valuable information', 'pig strong', 'ssc1 ear erectness', 'finally influence meat', 'higher beta carotene', 'population significant statistical', 'performance beef', 'div pig showed', 'associated adg pig', 'chicken body weight', 'common noninfectious claw', 'chicken gallus gallus', 'opn level late', 'mastitis continues', 'ssc13 explaining 10', 'use transcriptome', 'genome snp associated', 'fat percentage 11', 'successive age interval', 'final protein', 'qtl chromosome slc11a1', 'association intramuscular', 'ssc2 sscx achieved', 'allele snp finding', '21 mb interval', 'exon 10 statistical', '91 cm', 'investigated informative genomic', 'gga1 gga6', 'udder morphology montbéliarde', 'dystocia stillbirth', 'qtl tick load', 'unpleasant flavour odour', 'effect trait cwt', 'interdigital skin', 'leukemogenesis human murine', 'using fold cross', 'accession nc_040256 untranslated', 'bonferroni correction 038', 'lactation 12 subclinical', 'threshold glmm analysis', 'spp1c 430g', 'integration previously', 'shear force drip', 'identified potential', 'complex region affect', 'lw allele appeared', 'aft suggesting', 'progesterone assay phenotypic', 'sire genotyped seven', 'complex economically important', 'associated immune trait', 'flock exceptionally', 'sample 108', 'determinant complex production', 'genome gene', 'binding protein subunit', 'locus exerted', 'explored gwas using', 'production information molecular', 'number rib', 'omyfgt19tuf significantly associated', 'industry worldwide', 'scan date tbg', 'chromosome position order', 'contains gene decrease', 'making difficult identify', 'second stage', 'identified bcse locus', 'pregnant gilt', 'developed divergent selection', 'factor tgf', 'charolais sire', 'result greatly', 'underlying qtls milk', 'family holstein using', 'carrier status indicating', 'btb enhance', 'function linked', 'meg3 previously', 'location oc lesion', 'performance common breed', 'using fgf8', 'employing number known', '1111a allele reported', 'homozygous arr', 'trait low', 'array derived genotype', 'hatchability ha multiple', 'dependent nuclear receptor', 'near gene receptor', 'allele artificial selection', 'trait result revealed', 'pattern identified slick', 'fitted additive dominance', 'mutation g489a', 'group orientation previously', 'including cyp1a2', 'trait qtls commonly', 'weight tibia femur', 'seven red', 'class gene imprinted', 'cattle breed genome', 'cpd known', 'effect bullock', 'boar 23', 'sequencing using', 'transcription significant association', 'ranged 04 14', 'erhualian boar', 'identified autosome', 'meat derived entire', 'marker based identity', 'polish warmbloods sport', 'reference similar study', 'synonymous mutation exhibited', 'meat inclusion brown', 'capn1 1500 cattle', 'semen trait improvement', 'lepr underlies', 'currently point', 'contribution 41 20147039c', 'leg foot', 'mb gap refined', 'dairy breed particularly', 'purpose total', 'estimate protein percentage', 'overlapping potential', 'jersey limousin', 'certain animal specie', 'second approach targeted', 'load vl quantified', 'substantial level', 'fec chromosome', '46 882 test', 'snp 296', '14 snp marker', 'determine possible causality', '34 05', 'correlation trait time', 'associated increase 53', 'compared 29 80', 'snp 1959c', 'support qtl segregating', 'linkage linkage', 'specie pig quite', 'weight located', 'genotyped 50 000', 'plan possible incomplete', 'candidate gene using', 'bta9 primarily affect', 'overcome limited power', 'second structure', 'nanyang jiaxian cattle', 'maoa polymorphism growth', '13 eqtls fdr', 'reported german', '0018 222', 'analysis heritability estimated', 'lw allele', 'pai major physiological', 'steroid especially interesting', 'mutation bioactive gdf9', 'significant weight early', 'prediction accuracy conclusion', 'late growth chicken', 'cell count 13', 'day 41', 'graph qdg', 'btb susceptibility subsequently', '293 cell', 'microsatellites distributed 19', '38 phenotypic', '586 genotype', 'use microsatellite', 'ghr ghrelin ghrl', 'clustered qtl', 'culture erhualian pig', 'data bovinehdbeadchip perform', 'obtained cross', 'gene trait analyzed', 'difficult include', '01 allele associated', 'suggest marbling', 'evidence distinguish', 'tenderness major', 'cnvs 18 152', 'pair primer', 'able provide location', 'snp analysis 20', 'genotype performed using', 'percent premium cut', 'gene included following', 'ube3b ayrshire', 'method prediction accuracy', '17 snp detected', 'basis susceptibility', 'fatness unexpectedly small', 'landrace pif1', 'glycolytic potential berkshire', 'region marker rm356', 'rs13684615 rs13684616', 'necessary reaffirm small', 'snp region contained', 'associated rfis', 'disequilibrium ld site', 'ml animal different', 'modulating expression', 'age 462 day', 'nutrition dairy', 'test age candidate', 'backfat ribeye', '51 microsatellite', 'sheep compared', 'compared combined genotype', 'muscle ltm', 'transcript identified previous', '14 allele', 'protein ovarian', 'epistasis effect growth', 'focal adhesion', 'screening coding', 'study cattle', 'association detected ssc3', 'med4 cab39l ldb2', 'applying marker assisted', 'genotyped large white', 'methodology analysis processed', 'revealed continuously significant', 'using vce', 'support qtl', 'microsatellite genome wide', 'model provide', 'production pig identify', 'previously qtl sc', 'gene susceptibility mycobacterial', 'matter intake dmi', 'inverted teat matched', 'ile159val mapped', 'analysis trans', 'growth peg relative', 'trait evaluated population', 'ar score', 'bvs analysis', '1064 lamb', 'speed signal', 'grandsire family holstein', 'marker density required', 'pedigree reported', 'bco2 aa', 'linkage mapping conducted', 'gh genotype', 'ma program commercial', 'knowledge study', 'density 05', 'effect faecal worm', 'control female', 'control phenotype cow', 'pneumonia like', 'qtl different type', 'associated em', 'giving greater', 'ph decline prkag3', 'cross validation procedure', 'xianang xn', 'economic environmental impact', 'receptor oxtr', 'function genetic effect', 'immune cell response', 'traced inheritance wild', 'sire used subsequent', 'vrtn genotype production', 'analyzing imputed sequence', 'fowl identify quantitative', 'grandsire genetic map', 'bird aa genotype', 'bta14 total 1121', 'dominance effect detected', 'trans eqtls revealed', 'expression porcine ssc13', 'validate effect gdf9', 'genomic region responsible', 'interval included gene', 'qtl gene', 'parity ratio lifetime', 'effect body weight', 'major gene recently', 'definition counting number', 'potential qtl 49', '15 py 14', 'value day', 'myosin changed increase', 'cm upstream', 'aggressive response', 'immune capacity follow', 'map region greater', 'fatness anatomy trait', 'pirm affected calf', 'epistatic interaction genome', 'ssc12 mb significantly', 'simultaneously covariate gwas', 'number animal varied', 'closely linked effect', 'detected trait specific', 'horse selected', 'cattle previously mapped', '169 newly detected', 'analysis snp significantly', 'performance 37 201', 'control fatty acid', 'score using separate', 'mapped genomic', 'region additive', 'total 194 snp', 'trait conditional qtl', 'ab 01 number', 'genomic structure influencing', 'growth trajectory', 'major objective poultry', 'using le', 'strain conducted significant', 'respectively study indicates', 'weight bone weight', 'gene rw023 rw070', 'detected qtl', 'rfi danish', 'multigeneration pedigree', 'simulation estimate', 'acetyl coa carboxylase', 'respectively identify genetic', 'robust prediction', 'ssc2 ltnb', 'sire family 191', 'development 25 snp', 'fat content indicated', 'qtls leaf fat', '524 piglet', 'biological understanding fe', 'adipocytokine il', 'fe 1425', 'trait derivative', 'chromosome data consisted', 'upstream region clearly', 'mb region 10', 'percentage pp clinical', 'respectively result qtls', 'total 147', 'tg producing', 'cross 960 f2', 'comprehensively increase fat', 'family suggestive', 'role pfts', 'alternative complementary', '10 detected ssc8', 'eca15 colt arabian', 'snp chromosome 14', 'overlap greatly', 'growth current study', 'nuclear factor', 'strongest linkage disequilibrium', 'adjusted test day', 'analysis region highest', 'relate association study', 'dam resulting 266', 'encoding leucine aminopeptidase', 'nucleotide sequence share', 'locus pig production', 'investigate genetic background', 'understand portion', 'group cg', 'muscle 350', 'infection differentially', 'difference homozygous', 'significant genotype', 'marchigiana famous', '550 controls 571', 'gene variant effect', 'core gene', 'baroque gene', 'polymorphism intron detected', 'indirectly resulted significant', 'revealed mir 224', 'qc jx ny', 'immunity high', 'qtl dq124298', 'or4d10 gene', 'included estimating', 'broiler trait chicken', 'provide knowledge uncover', 'stillbirth maternal calving', '633 662 significantly', 'marbling qtl bta4', 'marker improvement japanese', 'unaffected animal revealed', 'holstein jersey cattle', 'resistance cd ncccwa', 'allele frequency 4185', 'value conferred greater', 'detected including genome', 'documented extensive link', 'validated using', 'previous finding', 'innate acquired immune', 'position 371 v371m', 'wide scan layer', 'qtn accounted phenotypic', 'rate noire', 'weight wool', '91c untranslated region', 'sow high low', 'distinguishing direct indirect', 'correction multiple tests', 'geneseek80k snp panel', 'separate candidate gene', 'reduced location', 'covering 18', 'anti ndv antibody', '1658 economic', 'heterogeneity breed', 'horse successful', 'fast contractile', '38 sd', 'weight approach revealed', 'ebv ebvp', 'non kosher', 'using sample 16', 'chromosome ayrshire', 'gene protein kinase', 'unclear function layer', 'genotyped 96 marker', '02 85 phenotypic', 'respectively coefficient variation', 'analysis revealed substitution', 'genotyping paper characterize', 'meat meat', 'muscle different', 'qtl study parasite', 'population help', 'analysis revealed previously', 'used mixed', 'pathway regulation', 'total 18 genome', 'fcr 01 rs14678932', 'haemocyanin detected chicken', 'illuminate future breeding', '90 suggestive effect', 'locus consistent negative', 'assist selection molecular', 'lumbar vertebra thoracolumbar', 'meat color parameter', 'size trait genome', 'observed cla', '61 common snp', 'genetic architecture beef', 'specific population discovered', 'aimed capture', 'coverage total genetic', 'ssc16 mainly', 'worthy investigation', 'identify qtl heritable', 'release muscle anaerobic', 'genotype gh locus', 'implicated onset', 'breed breed', 'specific milk protein', 'affecting breaking force', 'localise quantitative trait', 'meishan backfat depth', '128 individual coming', 'muscle deposition molecular', 'trait bw associated', 'gene causative', 'ggaz glm provided', 'selection efficient', 'yield 258 kg', 'using pedigree information', 'mapping tef1', 'genetic similarity animal', 'bovine melatonin receptor', 'splicing process change', '551 pig 160', 'active open field', 'detection seek', 'region b9d2 pafah1b3', '40 time', 'ovulation rate polymorphism', '21 phenotypic variance', 'finding indicate', 'resource broiler population', 'replication shared hypothetical', 'popular ghanaian chicken', 'sequence untranslated region', 'disease susceptibility', 'racing success current', 'showed tissue consistent', 'causal gene qtl', 'showed strong', 'analysis related uterine', 'biomedical model related', 'marker significant association', 'trait hoxa family', 'aa myf5 snp', 'using 139 marker', 'pair high short', 'plasma level', 'longer significant', 'calf le reported', 'bayesian gwas detected', 'alpha acaca fatty', 'stronger qtl', 'background significant quantitative', 'approximately greater', 'developed 50 gene', 'allele tested computer', 'valuable tool detection', 'caused fungal toxin', 'utilized genotype', '790 bovinesnp50', 'fgf8 004 lean', 'mutation qtl relatively', 'qtl ebv ph', 'network form fundamental', 'showed maternal infanticide', 'ratio lean', 'tt aa showed', 'value decreased 97', 'segregating sire', 'height associated', 'improved accuracy selection', 'pig born', 'obtained silico', 'significant qtl gw', 'phenotyped 12', 'undoubtedly involved development', 'high marbled steer', 'generally higher', 'reproduction artificially', 'ssc6 quantitative trait', '20 involving', 'association analysis fst', 'cd chest', 'member trait', 'paint breeding program', 'marking forelimb', '0601 ubl5', 'aries island hirta', 'breed provides opportunity', 'absent panel 15', '266 178', 'scan charolais german', 'using statistical approach', 'deposition marbling', 'mb ssc12 mb', 'arr heterozygous animal', '112 mb', 'il vil1 cxcr1', 'international commercial pig', 'literature overlapping potential', 'post infection growth', 'distinguishing visual', 'variant abcg2', '032 association postweaning', 'aim major biochemical', 'potential used', 'acid 20 located', 'fertility herd productivity', 'association test fbat', 'acid concentration arachidonic', '17 05', 'mixed model snp', 'hw 12', 'approach successful', 'haplotype block ranged', 'small large genotype', 'using 658', 'population negative', '01 carcass', 'localized le', 'phenotype result', 'charolais cattle', 'pqct used', 'mechanism underlying retp', 'percent chromosome', 'autosome bta 13', 'grivette polish', 'rtn max 30', 'breed comprehensively', 'eca 18 relative', 'regulation lcorl', 'population differentiation using', 'effect fatness result', 'ssc18 sscx', '05 level seven', '10 assembly', 'g4533815a snp c4535156t', 'lay haplotype', 'sosondowah ankyrin', 'location refined', '777 marker high', 'beneficial charollais', 'close genetic relationship', 'old synonymous mutation', 'explaining 28 40', 'associated infection', 'theory efficient dissecting', 'chip microarray', 'includes 580 961', 'population explaining', 'bta26 using fgf8', 'cross anxa10 anxa10', '67 genome wide', 'bta23 snp associated', 'analysis run', 'correlation analysis revealed', 'f4bcr determined dominant', 'representing daughter 78', 'tbg polymorphism apoh', 'skeletal muscle development', 'skin test positive', 'available dairy record', 'valued trait estimate', 'trait definition', 'fp used', 'study muscle fiber', 'previously identified sal1', 'key developmental event', 'localization qtl 31', 'hsa region associated', 'lipid growth', '25 gene', 'thickness performed different', 'left femur', 'detrimental behaviour', 'snp embedded', 'trait population canadian', 'segregating free', 'refinement previous qtl', 'significant snp 20', 'cattle treatment record', 'fixed effect qtl', 'electrophoresis meat', 'infection negative', 'illinois population', 'related breed', 'ranged 36', 'despite selection variation', 'make good', 'broiler line beginning', 'ghr polymorphism', 'genetic mechanism quantitative', 'genotyped 57', 'role candidate', 'mapped locus explain', 'variation genome information', 'rfi understanding', 'f10 generation meat', 'organ cbg production', 'incidence multiple', 'chromosome interval encompassing', 'gwas identified strongly', 'erythrocyte count', 'genetic evaluation data', 'near lcorl gene', 'activity cytokine', 'awassi awassi', 'positional candidate gene', 'gene resistance ipnv', 'group defined qtl', 'sscx number', 'region understanding maintenance', 'subtypes accurately', 'rs419096188 associated', 'fgf2 anxa5', 'protein yield ingenuity', 'advanced intercross f10', 'repulsion phase', 'tissue pde4b1', 'nucleobindin nucb2 gene', 'following necrosis growth', 'cell rbc phenotype', 'identify concordant region', 'adhesion pressure heat', 'scotland naturally', 'notably genome', 'significant statistical effect', 'related pig imf', 'fertility hcr1', 'rr animal recorded', 'linkage association mapping', 'heterogeneity fat1 locus', '203 variant', 'data set effectively', 'resource applied', 'production sheep ninety', 'power detect effect', 'pew pbm 05', 'mammalian specie variation', 'highly significant result', 'industry pig', 'loss chromosome involving', 'control 319 sheep', 'model investigate gdf9', 'juiciness individual', '1425x19179 7x107', 'estimate ibd', 'demonstrated csrp3 diverged', 'dairy control', '34 mm diameter', 'chromosome qtl associated', 'differ length', 'conduct qtl confirmation', '13 region', 'accuracy rib', 'type abdh5 affect', 'prediction value based', '1142c exhibited change', 'myh13 mal2', 'population identifying genetic', 'information haplotype', 'wide association genetic', 'myod1_75 cm _ldha_79', 'research shown', 'acid indicate opportunity', 'susceptibility phenotype international', 'improve meat', 'social isolation exposure', 'leading identification', 'supplementary independent', 'expression cnv12', 'present study used', 'qtls parasite resistance', 'rate lr', 'dna chip slaughtering', 'significance level 53', 'ngs 2399', '883a runx2', '166 nucleotide utrs', 'associated fertility nws', 'inheritance model genome', 'marker used select', 'multiple trait', '30 ttn sus', 'oocyte regulatory action', 'rea canchim charolais', 'threshold claim confirmed', '806 f2', 'model including putative', 'vomeronasal receptor', '006 snp', 'association allele substitution', 'emmax produced', 'type iia', 'measured infrared', 'nsb1 nsb2', '60 snp polymorphic', '50 qtl', 'applied evaluate', 'evidence ahr candidate', 'fewer smma', 'gene 15g', 'regulation onset', 'imf tested random', '1036 dpr genotyping', 'fdr 0051 modelling', 'breed measured', 'divergent feed efficiency', 'null model', 'percentage university wisconsin', 'height human', 'kg bw gain', 'rich element target', 'genetics matched', 'estimate protein', 'associated pathway gwa', '05 n202 strain', 'method genomic', 'phenotype consisted gas', 'chest depth heart', 'conducted 16', 'used polymorphic used', 'hyperglycemia chicken furthermore', 'given localization qtl', 'recombination breakpoint', 'significant polar overdominance', 'artery pressure', 'result present study', 'trim14 nan', 'ensembl bioinformatics', 'included analysis decrease', 'physiological imbalance', 'determine pork property', 'capn3 1538 225g', 'height ratio', 'possible association imprinted', 'variant contribute', 'program past', 'region chr', 'data set marker', 'region harbor', 'cm2 approximately', 'crop daughter result', 'f41 total 835', 'genotype 05 genotype', 'underlying architecture', 'locus 947', 'study examined qtl', 'haploview estimated ld', 'breed jiaxian', 'md continues profound', 'pool genotyped', 'http www animalgenome', 'snp 40006g 42344t', 'naturally infected', 'interaction detected qtl', 'blood value', 'component analysis performed', 'investigated identified', 'demonstrated low', '332 lamb', 'goal study detect', 'logarithm odds', 'measurement resulted', 'regression model snp', 'hypothesis testing', 'linkage prnp', 'different case control', 'death significantly', 'poor riboflavin', 'result novel', 'snp window age', 'detected linked qtl', 'exon snp07 exon', 'akt1 supernumerary nipple', 'gene abcg2 spp1', 'parallelly help', 'like transient receptor', '130 kazakh', 'potentially used introgress', 'gene mechanism action', '16 22', 'cre ionized sodium', 'disease status qtl', 'mechanism fatty acid', 'tested using single', 'metatarsus length week', 'gga1 bco bco', 'panel dataset', '467 progeny broiler', 'conceive variable number', 'cd8 cell measured', 'segregate landrace population', 'detected snp duplication', 'male abdominal fat', 'result identified single', '34 week hen', 'haplotype affecting fat', 'identified differential expression', 'analysis infectious', 'opportunity examine', 'day opposite', 'favouring activity th2', 'marker association approach', 'matched non', 'second snp', 'generation snp rs107856757', 'contributed accurate positioning', 'effect meat characteristic', 'basis host resistance', 'basic material', 'fat density', 'litter size world', 'preadipocytes haplotype', 'chromatography subject genotyped', 'implementing selection based', 'like factor klf', 'snp present significant', 'chinese native breed', 'david tool', 'distal end sheep', 'result demonstrate feasibility', 'ccr2 rs41257559 snp', 'unit general qtl', 'quality showed', 'research qtl', 'altered arrangement', 'year low demand', 'identified strong', 'bta 14 24', 'cd8 ratio', 'time flight mass', 'smallest pew', 'analysis 1001t', 'modulator scrapie susceptibility', 'model able detect', 'score shape carcass', 'col5a2 igf1 gene', 'chromosome 13 15', 'common congenital', 'mscc complex', 'represented identified', 'frequency merino maternal', '17 kit', 'allele predominant', 'severity score', 'significance better', 'suggestive genetic', 'haplotype 15 04', 'using bayesc', 'contribution bone trait', 'snp allelic imbalance', 'beadchip linear', 'effect approached', '144 significant snp', 'data study offer', 'genomic prediction fe', 'ai boar genotyped', 'fecxo fecxr', 'qtl identified anova', 'proliferator activated receptor', 'compared large', 'breaking strength represented', 'fitting polygenic', 'located omy27 omy17', 'nos2 haplotype defined', 'osteochondrosis oc osteochondrosis', 'high proportion fat', 'acid ufa', 'considered candidate gene', 'neaurp population used', 'dense genome coverage', 'useful selection', 'qtl analysis variance', 'area ssc 18', 'result suggested', 'upper thermal tolerance', 'commercial pig studied', '25 linkage group', 'deposition composition muscle', 'severity treating ibk', 'candidate gene porcine', 'overlapped highly significant', 'qtl bw 12', 'individual 588 genotyped', 'likewise scs', 'pig population 897', 'hariana holstein', 'sa software package', 'protein content 01', 'distance linear', 'g11 genotyped', 'permit establishment', 'variation 12 week', 'trait major', 'parathyroid hormone', '632ins promoter region', 'disequilibrium 80 snp', 'polygenic character', 'german holstein cow', 'association candidate', 'backfat depth 0005', 'locus composition', 'interaction analysis located', 'known indirect', 'expression obese lean', '2449gg genotype', 'adjacent qtl acting', 'fertility including', 'result provide fundamental', 'selection program marchigiana', 'region previously detected', '10 13 allele', 'acid composition japanese', 'included zinc finger', 'measured vivo related', 'significant association angus', 'mutation affecting trait', 'sporidesmin resistance', '15 refined using', 'create sequential', 'sample study replicates', 'trait toughness intramuscular', 'gga1 pleiotropic', 'gene bta6', 'litter size small', 'model tested individually', 'fwec established estimate', 'confirmed finding', 'panel enabled', 'selected morphometric trait', 'grandsires 499', 'carcass characteristic', 'sided displaced abomasum', 'measured dmi', 'rflp 212', 'productivity result', 'substantial rapid', 'ssc8 12 13', 'obtained increase', 'metabolism inflammatory response', 'population structure', 'point marker assisted', 'explain additive genetic', 'firmness cohesiveness chewiness', 'lcorl gene gene', 'lg gene aim', 'shell quality benefit', 'recurrent airway', 'qtl carrier lamb', 'revealed significant effect', 'quality health', 'investigate statistical', 'stimulated adrenal gland', 'cnv detection association', 'narrowed considerably compared', 'phenotyped growth', '33 phenotypic variance', 'risk recessive defect', '05 mb ssc1', 'profile pig gene', 'record occurrence', 'mapped significant quantitative', 'locus qtl loin', 'observed duroc population', 'qtl near dik4482', 'confirm role', 'index particular breed', 'white skin causal', 'ante post slaughter', 'deposition metabolism chicken', 'implying commonality', 'polymorphism nucleotide', 'height identified', 'caspase inhibitor', '842 korean individual', 'flanking marker typed', 'equilibrium locus', 'qtl economically', 'weight shearforce', 'tick south african', 'commercial duroc sired', 'horn type provide', 'white duroc founder', 'bovine fasn', 'significant snp detected', 'akrs tissue specific', 'swine facial wrinkle', 'muscle correlation', 'deregressed used pseudophenotypes', 'association 0058', 'lda step identifying', 'significantly better', 'polymorphism cause change', 'implementation marker assisted', 'reflecting complex genetic', 'average measurement fec', 'factor pit gene', 'replicated sample population', 'teat comparing', 'non yield trait', 'qtl identified significant', 'finding different genetic', 'variation evolutionary', 'sire son 19', '19 wk', '30 compared traditional', 'determines dietary', 'anticipate study', 'analysed 1395', 'bb 47', 'region bta5 significant', 'end chromosome protein', 'promising quantitative trait', 'marker covering 21', 'analyzed trait characterized', '502 gilt', 'balance meat quality', 'make statistical', 'important role chicken', 'meat qtl', 'according predicted', 'understanding pathogenesis woman', 'evaluate power precision', 'gene mapped microsatellite', 'earlier equivalent qtl', 'rl furthermore', 'animal genotypic data', 'improved vaccine', 'analysis observed', 'physiological contribute', 'susceptibility locus inflammatory', 'involved development behaviour', 'thickness carcass length', 'processing yield previously', 'historically geographically distant', 'identified endocrine trait', 'ammonium sulfate immunocrit', 'recombination dik0079 20', 'effect assessed using', '1644 1648 1799', 'breed pce', 'yw analyzed', 'rs43555985 exhibited', '02 region significance', 'localized le close', 'analyzed coding non', 'detected 50 qtl', 'pig breed presented', '14 animal', 'distribution extended', '21 236 959', 'milk production milk', 'lpin2 variant haplotype', 'level myod1 examined', 'importantly using mastitis', 'urmia indigenous chicken', 'size important economic', 'trait densely connected', 'dmi bta', 'tenderness difficult', 'analysis base', 'genetic group evidenced', 'interval offspring inheriting', 'ass gene', 'result firstly indicate', 'muscle backfat significant', 'trait uncovered region', 'rbc phenotype', 'generate dam good', 'ssc2 reached', 'population usda herd', 'analysed following daughter', 'causal mutation affecting', 'sparse aim study', 'fat trait reported', 'negative effect fescue', 'obtained novel promising', 'qtl mapped', 'local african chicken', 'constant endpoint identified', 'mortem result analysis', 'result complementary', 'androstenone gonasomatic', 'genetic nongenetic factor', 'data imputed single', 'exon snp27', 'respectively genetic correlation', 'length ileum', 'likelihood analysis earlier', 'rodent rabbit', 'muscle using', 'miga2 protein', 'ssc2 ssc6', 'correlate sexual maturity', 'gene coding glucose', 'majority multivariate', 'explored using commercial', 'sheep genomics', 'binding complementary sequence', 'affected progeny 43', 'beef cattle marker', 'chromosome 62', 'chromosome 25 milk', 'wg42 genomic', 'f4ab f4ac autosomal', 'effect exception ssc4', '155 microsatellite marker', 'gave statistically significant', 'quantitative trait population', 'volume decline weight', 'tnp1 mediated', 'growth related trait', 'training set reflected', 'placement chromosome', 'population wide', 'gene tg', '24 qtl detected', 'purebred texel sheep', '24 425', 'gene suggesting possible', 'factor account 64', 'stratification uncovered qtl', 'high cost', 'suggest polymorphic gene', 'sib phenotypic data', 'informative expression quantitative', 'eigengenes confirming candidate', 'osteochondrotic lesion', '18 474', 'reciprocal cross diallelic', 'large white meishan', 'development male reproductive', 'mb region investigated', 'population included analysis', '13 cis 18', 'adfi phosphorylated form', 'previously developed 50', 'constructed aim maximize', 'direct effect', 'cause disease cancer', 'understanding fe accuracy', 'black japanese', 'parent origin dependent', 'morphological structure exhibit', '683 kb region', 'cured loin', 'information theory approach', 'experiment using', 'chromosome included highest', 'so2 significant decrease', 'use cofactor', 'phenotype finding', 'heaves asthmalike inflammatory', 'igga eca 26', 'composition aim study', 'haemoglobin hb erythrocyte', 'hen cross white', 'estimated using animal', 'association ss8632653 bta6', 'constitutes report mapping', 'chromosomal localization genomic', 'distance essential', 'major allele chinese', 'placental intestinal', 'signal notably', 'detected unlike asian', 'snp4 snp5', '27 comprising', 'qtl_map http www', 'result suggest snp51_bta', 'fayoumi line susceptible', 'deciphering genetic basis', 'steer korea hanwoo', 'effectively efficiently used', 'gene associated psychiatric', 'used characterize', '144 snp', 'disequilibrium 01 significant', 'gene control', 'haplo types', 'dam hand', 'igf2 cast prkag3', 'chick genome wide', 'heritable trait', '562 pure', 'statistically significant 05', 'trait daily milk', 'horn locus', 'bta14 identified', 'size effect varied', 'diversely affected', 'individual computed', 'fatness simultaneously', 'shown multivariate analysis', 'finger gene', 'feather pecking genetically', 'sow mainly', 'candidate fertility locus', 'associated greater number', '76 familiar production', 'good functional', 'present chromosome 20', 'sire japan analyzed', 'cfu map', 'healthy horse offspring', 'study bta', 'kit pig', 'qtl gene expression', 'described parasite model', 'studying genetics bd', 'chromosome selected joint', 'consideration total', 'natural genetic variant', 'gene ovulation rate', 'igf2bp1 gene', 'measure averaged association', 'fabp 127', 'performed interval mapping', '39 mb', 'allele genetic background', 'different stage carcass', 'parameter used phenotype', 'bull calf', 'regulate reproductive', 'underlying identified qtl', 'animal human purpose', 'defined observing low', 'heritable 90 monounsaturated', 'percentage weight kidney', 'erhualian intercross sow', 'calling rate', 'effect individually', 'orthologous region fat1', 'intermuscular fat', 'affecting behaviour milk', 'reaction pcr restriction', 'carcass trait 768', 'muscle weight leg', 'rg 37', 'md virus mdv', '20 lamb', 'negative effect afe', 'breed imf large', 'study suggest joint', '12 exon', '10 chromosome wide', 'acid metabolic pathway', 'positive bacteria chicken', 'porcine cardiomyopathy', 'improved selective breeding', 'related disease metabolic', 'prl 92', 'significant marker proximal', 'e10 107 card15', 'gwas expected', 'case anticipate study', 'maternal calving', 'bacteria genome wide', 'afe remained', 'causal effect investigated', 'tef1 variant', 'responsible salmonella propagation', '472 lamb drawn', 'appreciable fraction', 'ngef leg', 'underlying molecular mechanism', '3096c significant effect', 'constructed genome wide', 'gain carcass', 'resulting 10 snp', 'breaking force', 'determining resistance', 'feasible shear feather', 'using 305 lactation', 'factor adiponectin unique', 'total 30 847', 'cm result', 'deviation tensile strength', 'additional different commercial', 'position lm area', 'weight confirmed combined', 'affecting expression ugdh', 'linear model mrmlm', 'stallion fertility economically', '879 sampled terminal', 'intake rfi feed', 'swine mp', 'obtained cdna', 'genotype mtdfreml', 'researcher effect', 'rule stationary', 'reveal qtl single', 'infected cow positive', 'ovulation rate record', '001 respectively', 'effect improve fit', '30 kg 100', 'array restriction associated', 'interaction muc13 enteric', 'qtl identified innate', 'segregating multiple', 'program decreased', 'intermediate phenotype like', 'rearing genotyped', '001 0001', 'hypothesized genetic variant', 'complex trait cattle', 'coincident body', 'result outcome', 'trait population brahman', 'qtl covered', 'type fatty', 'aryl hydrocarbon', 'potential single causative', 'fat deposition candidate', 'large small', 'deposition tissue metabolism', 'impacted propagation', 'snp60v1 beadchip available', 'hypothesized genetic', 'vertebra sus scrofa', 'hypothalamus adrenal gland', 'close interesting', 'higher stearic acid', 'rorc adjacent gene', 'fattening period temporal', 'evaluate direct effect', 'hw 30 cm', 'trait chinese laiwu', 'lm lm bw', 'qtl mapping positional', 'identified chromosome exceeded', 'revealed positional candidate', 'wld nicl', 'cm chromosome', '1657 growth meat', 'human cattle confirm', 'significantly 05 studied', 'fat protein lactose', 'exhibited genotype cc', 'snp result highly', 'pathway genetic', 'positive additive effect', 'tetanus toxoid tt', 'value lmm rf', 'suggests oh shamo', '16 69617700 rs268249346', 'hypothesis selection', '631 987', 'linear regression model', '37 chromosome', 'association analysis run', '518 individual association', 'genetic gain 20', 'cwt compared 50', 'line common haplotype', 'polymorphism snp 47', 'random factor polygenic', 'fastphase genomestudio', 'square test independence', 'v33a variant observed', 'le white', 'igf1 gene 17', 'marchigiana tt homozygote', 'excluding carrier', 'association result previously', 'studied breed', 'bta2 42', 'pig qtl significant', 'position chromosome ssc4', 'milk density prl', 'data needed identify', 'indicate single nucleotide', 'industry tenderness juiciness', 'understand relationship', 'association test conducted', 'information physiological trait', 'non synonymous substitution', 'polymorphism unique', 'locus change lactation', 'mhc pathway', 'average r2', 'duroc line haplotype', 'underlie observed difference', 'harbor causative mutation', 'locus affect', 'marker chromosome 14', 'microsatellites distributed', 'crucial role control', 'effect marbling 05', 'report limited present', 'width breed', 'resistant exogenous', 'serve useful', 'dependency graph qdg', 'caused multiple pathogen', 'intragenic single', 'ovine ucp1', '80 phenotypic', 'qtls considering clinical', 'mhc 15 genotype', 'length phenotype', 'il17b qtl', 'family commercial line', 'influence coat', 'analysis milk trait', 'gain gene annotation', 'genotype defined result', 'small number genotyped', 'component related ketosis', 'placement chromosome 19', 'possible association molecular', 'multibreed multitrait qtl', 'level plasma remained', 'hif1an ladybird homeobox', 'included 22', 'capacity size chromosome', 'position differs report', 'square analysis revealed', 'trait seven qtl', 'composition previously reported', '314 association oocyst', 'value used 12', '109 single', '12 14 17', '2012 united', 'higher backfat', 'powerful analysis', 'location fat colour', 'commercial sire line', 'program mdv resistance', 'locus qtl segregating', 'strength genetic', 'blood collected', 'proviral concentration 950', 'located intron snp', 'severe economical', 'display temporal shift', 'sire linear', 'snp 14 sigma', 'lamb leg toughness', 'laying hen associated', 'nucleotide 25587 unknown', 'structured study population', 'ability determine ovine', 'fatal history', 'animal associated numerous', 'commission mlc carcass', 'pregnant respectively age', 'se individual', 'dairy east friesian', 'dermal pigment', 'fat cattle', 'reduced power', 'mass fat', 'growth genetic variant', 'stage model field', 'breed comparison haplotype', 'effective detecting', 'significance newly identified', 'abt performed result', 'acid ratio dihomo', 'bovine fetal', 'chinese red cattle', 'gwas overcome', 'ld adjusted bonferroni', 'available 50k', 'genomic association', 'moving 10', 'coding sequence allele', 'affecting mirna', 'obtained fat', 'derived single', '87 mbp region', 'improvement resolution', 'allele descending', 'chromosome experimental', 'displayed region', 'influence approach selection', 'previously published association', 'snp copy', 'telethonin titin', 'number aggressive melanoma', '163 ad ac', 'altered mir', 'androstenone skatole methyl', 'swine according', 'corrected bw9 shank', 'discovered significant', 'porcine intramuscular', 'experimental duroc', 'result detected 112', 'ld ssc4', 'synthetic breed', 'provide crucial', 'potential high risk', 'lean content intramuscular', 'prlr s18n variant', 'model result power', 'paternally inherited haplotype', 'different broad', 'ranged 12', 'individual population', 'metabolic pathway significantly', 'uasms2 polymorphism', 'genetic variant large', 'scheme broiler breeding', 'shank length trait', 'locus potential effect', 'heterozygous genotype comparative', 'population majority pleiotropic', 'plasma coloration', 'discovery genetic', 'addition 16 snp', 'showed fst gene', 'reproductive trait', 'final model', 'depth body', 'adfi cattle', 'association drip loss', 'qtl rt', 'qtl common', 'individual tested association', 'cd predictive ability', 'genome implication reproductive', 'animal dna breed', 'derived allele', 'gene magi1', 'accounting effect dgat1', 'fabps bind long', 'lacking duplication', 'addition lysozyme innate', 'kera associated ph', 'level recombinant aspergillus', 'bcs distinct indigenous', 'suggesting cnv12', 'reactors inconclusive reactor', 'calcium signalling transcript', '22 region', 'lifr edn3 considered', 'little variation', '928g polymorphism', 'estimated 55', 'suggest transgressive action', 'tenderness critical', 'bovine udder medium', 'selected evaluation', 'parity different', 'ct measurement', 'putative bovine neuroendocrine', 'qtls affect', 'yorkshire cross work', 'expressed granulose cell', 'animal measured growth', '423 snp', 'allocated testing', 'loss cpg', 'snp simultaneously', 'gwas implemented identify', 'dominant variant xirp2', 'qtl analysis feed', 'quality control 18', 'genetics bd', 'cm imf qtl', 'antigen trigger th1', 'disequilibrium actual causative', 'genetically related', 'mortality conclusion study', 'snp haplotype', 'recognition site', 'snp 1959c present', 'development normal', 'pig chromosome sscx', 'lactation confirm', 'trait experimental line', 'mapping using regression', 'islet derived', 'resistance commercial laying', 'probability test', '17 classical', 'candidate gene evaluated', 'conduct genome', 'model field data', 'origin effect test', 'pig including', 'pure breed difference', 'color qtl subsequently', 'variance studied population', 'screening coding region', 'bwt 205', 'determining conformation', 'sequence level propose', 'using material line', 'trans vaccenic', 'value pp', 'lower corticosterone level', 'claw lesion nicl', 'humeral strength', 'analysis revealed region', '103 lamb family', 'ssc2q comparative', 'corresponding bta21', 'effect post hoc', 'fat thickness meat', 'chromosome fat content', 'especially interesting', 'presence extra teat', 'result strongly suggest', 'background elovl', 'sheep identify genomic', 'decrease expression ugdh', 'lack agreement', 'dpi genetic', 'hormone gnrh neuropeptide', 'suggestive genome', 'hormone series', '167h ebv', '92 mb line', 'failure discover qtl', 'analysis revealed major', 'growth fatness meat', 'candidate gene large', 'genomic region genome', '72 trait recorded', 'decrease luciferase activity', 'kiaa1468 tnfrsf11a', 'rate generation', 'test factor affecting', 'composition selection', 'reduce succinyl', 'subsequent study mirna', 'yellow fat', 'traditional measure', 'substitution effect ccl2', 'variation study performed', 'number genotype follows', 'study presented research', 'study method large', 'prohibited order', 'correlated fecundity', '12331t resulting', 'ejaculate sperm density', 'genotype associated birth', 'smaller genetic effect', 'transcription expression analysis', 'growth pig', 'suggestive significance 13', 'trajectory possibly enabling', 'new measure', 'fgf8 play', 'class disease greatest', 'related backfat', 'membrane na', 'production lg ab', '386 animal genotyped', 'level 660 gene', 'population deeper pedigree', 'large standard error', 'dairy production mexico', 'chromosome significant chromosome', 'contained data 4496', 'gene affect carcass', 'select animal', 'sheep localise quantitative', 'effect influence coat', 'snp using variance', 'trait displayed similar', 'duroc founder', 'score distinct', 'lactation incidence', 'det1 various role', 'dna sequence showed', 'wool trait oar1', 'phenotype concordant significant', 'valuable biological', 'use linkage analysis', 'ancient mutation', 'mdv resistance measured', 'investigated joints fetlock', 'lma 05 animal', '600 cnv region', 'skeletal muscle fasted', 'population 792 japanese', 'carcass fat carcass', 'essential human', 'genetic basis major', 'body teat hoop', 'large quantitative trait', 'utr bovine malic', 'related characteristic economic', 'candidate genetic study', 'wattle size feathered', 'plus skin', 'independent represented gene', 'ssc5 landrace', 'lead snp defining', 'population investigate effect', '15118951g significant', 'proteolysis assessment associated', '01 pl', 'eu large white', 'calf mortality increased', 'simwalk2 software result', 'analysis population 11', 'cholesterol deficiency', 'decade selective breeding', 'eosinophil eos basophil', 'culling animal strong', 'economic loss salmonid', 'measured shear force', 'ph value recorded', 'used investigate impact', 'cattle considerable', 'medium chain', 'sample obtained survivor', 'comparison gene', 'blupf90 performed genome', 'lastly assigned ccr2', 'level significant finding', 'member nr6a1', 'marker associated fat', 'g4533675c snp g4533815a', 'indicus heifer method', 'dinucleotide microsatellite', 'mesenchymal stem', 'related disease dairy', 'corresponding qtl small', 'physical position', 'corresponding equine orthologous', 'greater proportion', 'collected weekly', '2nd infection', 'fertility trait', '15 235 autosomal', 'affecting productive meat', 'prolific phenotype breed', 'taint liver', 'zbtb38 gene', 'chromosome contig covering', 'bull principal component', 'qtl genomic selection', 'range carcass trait', 'individual 531', 'cattle decrease usability', 'harvested using 994', 'metabolic cytological', 'genetic proof causality', 'spp1c 1301g spp1c', 'higher heat', '17 significant snp', 'completion swine', 'complex fbxo32', 'sex linked rhode', 'significant effect disease', 'comparison sow', 'snp suggests', 'substitution recently described', 'mir 532', 'near complete', 'line pig identification', 'change silent substitution', 'major egg production', 'using catfish 250k', 'performed fp frequent', '20 obtained', 'complex trait common', 'project group approximately', 'fertility trait commercial', 'significance level 297', 'lactoglobulin polymorphism explained', 'population total 28', '41 sd 02', '05 additive plus', 'acid lipid', 'beadchip run', 'association differed', 'identify gene involved', 'method used map', 'snp region containing', 'successful methodology detecting', 'tropical dairy 76', 'snp5 associated trait', 'fasn genotyped population', 'lipid biosynthesis altered', 'significant snp observed', 'c1qbp wild type', 'milk yield liveweight', 'livp ssc7', 'family composed 325', 'characterize qtl genotyping', 'genome animal parent', 'breed 5678784a snp', 'sire total ige', 'qtl 14', 'study bird', 'bta19 fasn', 'trait suggested distinct', 'bone development based', 'marker interval analysis', 'suggested npffr2 slc4a4', '05 eqtls', 'expression large white', 'coefficient sib', 'selection sow', 'associated high', 'commercial cross', 'finally different potential', '18 milk fatty', 'nonparametric approach half', 'mechanism significant', 'assay performed', 'genetics shown play', 'cofactor used analysis', 'large genome', 'scd protein', 'cddr population additive', 'trait farm', 'line detected', 'elite commercial layer', 'growth largest', 'empirical trait', 'genotyped using medium', 'range medical', 'sib family qtl', 'chinese purebred', 'chromosome 11 23', 'glioma associated', 'improvement eating', 'region new', 'count constructed', 'marker sub sample', 'sheep genotype', 'allergen specific igga', '20 21 sire', 'locus ifnar1 ifnar2', 'detected respectively', 'suggestive significant threshold', 'based method', 'significantly decreased', 'comparison performed', '60 day ai', 'snp abhd5 gene', 'associated estimated breeding', 'localized haplotype', 'association marbling', 'substitution predicted associated', 'distance csn1s1', 'variation proportion', 'frequency maf vary', 'imputed snp birth', 'distinct haplotype significant', 'highly significantly', 'level boar taint', '27 quantitative', 'candidate sequence variant', 'abnormality rate semen', 'available flanking', 'american holstein cattle', 'study time', 'pietrain crossbred dam', 'uac mac precisely', 'holstein sire genotyped', '309 snp evolutionary', 'related milk protein', 'v315 a337 respectively', 'age generation 12', 'bal w2cl pwsy', 'variant common qtl', 'mb segment bovine', 'breeding sheep', 'qtl analysis half', 'analysis jersey breed', 'heritability estimate production', '17 10 association', 'age post', 'trait using data', '874g myf5 snp', 'ncccwa odd year', 'susceptibility btb using', 'population sequence level', 'control existence host', 'biological pathway regulating', 'beef marbling association', 'ewe influencing gene', 'qtl covered centimorgans', 'controlling variability', '18 22', 'crossbred dam', 'analysis data analysed', 'decreased oxygenation poor', '01 ssc8', 'study gwass', 'significant difference elovl6', 'purebred blackface suffolk', 'derived meat', 'unique epistatic interaction', 'strong evidence additional', 'chromosome position 107', 'effect tenderness', 'using method single', 'interesting area', 'backfat showed strongest', 'reported qtl dairy', 'strategy reduced', 'vaccination generally', 'bta17 feet legs', 'rate 28 56', 'texelxmule lamb', 'sequence variation identified', 'individual snp snp', 'lp3 olp difference', '67 mb', 'mlm 36 significant', 'previously evidenced expression', 'located candidate gene', 'rump angle family', 'lfec detected la', 'stress clinical', 'disorder known affect', 'acting element', 'level atgl adipose', '99 snp zero', 'eca10 45', 'effect epistasis', 'qtl responsible', 'conclude presence qtl', 'supplementary marker added', 'cattle suggested 10', 'jj ji 72472', '14 oleic 10', 'angus cattle previously', 'association examined trait', 'growth factor ultrasound', 'quite unique', 'population derived beijing', 'effect phenotypic', 'tissue fat', 'sample constituted 62', 'qtldb cattle', 'crucial evidence', 'indicated class mhc', 'effect snp promoter', 'rhm gwas', 'location function identify', 'variation abhd5', 'reanalysis data', 'associated thymus helper', 'skatole affected single', 'gene placental', 'number teat increase', 'ppara expression', 'vrtn syndig1l vrnt', 'ld analysis based', 'muscle component', 'related development entropion', 'lbw ssc1', 'lea 009', 'male presenting large', 'animal linkage', 'gene successfully', 'association runx2 tnfsf11', 'cebpd gene', 'oc oc dissecans', 'region qtl middle', 'accurate linkage', 'based sequencing', 'chromosome 10 estimated', 'analysis main meat', 'reproductive function', 'qtl osteochondrosis oc', 'sire comparison progeny', 'component analysis result', 'position 60 100', 'variation different', 'detected finding illustrate', 'measured live', 'score genome', 'homocysteine concentration', 'impact variation primary', 'se vaccine pathogen', 'qtl location', 'position qtl north', 'experiment genome', 'color ph trait', '35 snp intron', 'conferring scurs', 'size detected study', 'evaluated progeny test', 'genotyped 151', 'superior animal', 'using sscp', 'red meat', 'conclusion screening bta04', 'individual depending trait', 'locus oar9_91647990', 'infection included', 'cross occurred high', 'ii ratio substitution', 'contribute knowledge', 'association study pathway', 'breeding program improve', 'determination causal', 'american continent', 'bms778 01 regression', 'qtl model increase', 'rs133039577 rs110013280 rs134702839', 'phosphoenolpyruvate carboxykinase bone', 'mouse evidence additional', 'window calculated using', 'sge ripk2', 'alp lactate lac', 'experiment linked obtained', 'f₂ population measured', 'lack agreement responsible', 'fat weight afw', 'important influence', 'quality genotype', 'sheep explored method', '311a i199v inferred', 'intake decreased growth', 'curve random', 'present research association', 'program studied snp', 'genotyped illumina ovinesnp50', 'ml ewe sire', 'broad breed panel', '021 snp remaining', 'new genetic model', 'bw70 bwg 05', 'bovine body', 'knowledge functional regulatory', 'inheritance oar18', 'ca hematocrit hemoglobin', 'cw afw qtl', '33 pp 24', 'filter analysed plink', 'controlling gluc afp', 'sib family ii', 'paternal haplotype 168', 'haplotype mapped previously', 'correlated variation', 'stimulating hormone alter', 'difference observed skatole', 'acaca ghr', 'country directly', 'host control ovlv', 'gene identification mapped', 'hsa5 containing', 'posse domain number', 'role redistributing', 'gene code multiple', 'expression nucb2 similar', 'association detected bcdo2', 'fatness measurement', 'separate qtl', 'behavioral autonomy phenotype', 'located hsa1q23 harbor', 'locus respectively', 'selection candidate gene', 'role feed intake', 'psmc1 body', 'small insertion', 'analysed low', 'detect 12', 'lemd3 tigar sept7', 'affected calf strikingly', 'chromosome genotyped 175', 'reported diverse fat', 'specie study association', 'provided greater', 'polygenic character trait', 'great enhancing genetic', 'health problem', 'conclude despite able', 'selection performed using', '33 900 143', 'physiological function responsible', 'gas appear genetic', 'region refined', 'genetic disorder widespread', 'stillbirth daughter calving', 'determine snp associated', 'study performed genomewide', 'selective genotyping identify', 'heritability 12', 'appropriate technology era', 'promoter sequence', 'large number animal', 'fat protein trait', 'acrosome reaction', 'protein tnps', 'ssc4 c16', 'variant milk composition', 'related trait great', 'feasible way', 'identified significant snp', 'specie accompanied', 'genetic region relevant', 'miniature pig', 'produced f1', 'worldwide production greater', '2836 showed', 'association snp snp', 'gain residual feed', 'relationship gene whc', 'content 23 day', 'heritable suggesting', 'factor explain 40', 'meat variety', 'indicating increase', 'ram british', 'recognized genetic', 'rfi1 calculated', 'chromosome dairy character', 'trait important pig', 'examine individual variation', 'breed age', 'multiple gene related', 'teat right line', 'average markers', 'content trait osteochondral', 'carcasses large', 'intercrossed dam', 'ncii breed', 'daughter sire genotyped', 'forerib joint flanked', 'specific phenotype provide', 'greater level', 'additional gene', 'recombinant qtl interval', 'group resource population', 'different population trait', 'enzyme protein escherichia', 'cbfa2t1 019 ultrasound', 'phosphatidylinositol kinase signaling', 'performance acute chronic', 'force detected chromosome', 'using dual energy', 'gene ovine chromosome', 'variance locus', 'candidate gene oar6', 'na defense bind', 'analysed positional functional', 'content backfat c14', 'accompanied increased mineral', 'derived brsv', 'gene rfi component', 'prrs cap project', 'adjacent snp ss61512613', '05 eqtls associated', 'commercial breeding scheme', 'recent research focused', 'implemented account various', 'trait value footrot', 'result reported previously', 'result dairy sheep', 'hap ag significantly', '78 87 90', 'detected association bvd', 'downstream stem loop', 'triglyceride content', 'albumin glucose diplotypes', 'porcine breeding program', 'wide significant 29', 'information content pic', 'affecting smell taste', 'qtl located near', 'erhualian sow', 'porcine chip facial', 'variance investigated putative', 'trait measured population', 'indirect improvement female', 'parameter measured post', 'role obesity', '16 region', 'substitution effect ranged', 'effect phka2 btax', 'able detect qtl', 'control imputation', 'location qtl data', 'muscle area thinner', 'end chromosome possible', 'hem1 pde1b associated', 'mediated btb susceptibility', 'predictor bayesian regression', 'spot accumulation necrotic', 'economic relevance', 'efficiency important economic', 'experiment 10 pig', 'afc associated ep', '89 mb ssc6', 'survival following', 'gene genotyped matrix', 'component pgrmc2', 'ssc6 growth fatness', 'putatively fine', 'biological network relevant', 'contortus double backcross', 'highest fat depth', 'se individual frequently', 'marker breeding caudal', 'data 488 individual', 'map2k6 phospholipase', '1n c16', 'required application', 'scan performed trait', 'snx13 snp24 significantly', 'tierzucht rhode island', 'le included', 'revealed 19 snp', '103 association common', 'trait finnish', 'information 53 82', 'family evaluation', 'sample phenotype', 'bco phu', 'role implantation sustained', 'influenced afe tgc1tgc1', 'lactose milk density', 'selected qtl providing', 'consumption fat', 'position 44 cm', 'involved development differentiation', 'silkies fowl detect', 'trait providing knowledge', 'pietrain wild boar', '197 previously', 'peak non', 'regulatory gene', 'snp corresponding 11', 'programme genetic', 'whilst genetic architecture', 'cattle population investigate', 'cell response cow', 'population identified genomic', 'wool yield', 'included genomic', 'significant effect bayesian', 'qtl corpus lutea', 'pcr single strand', 'diallelic dgat1', 'panel consisted', 'motif ef', 'muscle additional', 'resulted disappearance', '10 variance uc', '2012 119 cow', 'candidate gene network', 'characterized objective study', 'rs43284251 rs109210955', 'fd fetal', 'gene vartnb', '29 snp', 'consistent infection', 'gene represented', 'panel 264', 'unavailable straightforward utilize', 'vascular endothelial', 'regional population', 'architecture long', 'e3 299', 'number gene function', 'genomic selection scheme', 'include plausible candidate', 'objective develop validate', 'arr higher', 'adg bw different', 'production trait tested', 'chinese breed altogether', 'diet major', 'genotype adipoq promoter', 'immune inflammatory response', 'post hatching head', 'potential calpain', 'profile traditional', 'signal mexico', 'segregate bos', '13 snp snp', 'disorder skeletal structure', 'igf1 snp', 'livestock analysed', 'replicated studied region', 'trait study genome', 'aim present experiment', 'qtl experimental population', 'trait 48 total', 'aggg haplotype combination', 'markedly second', 'trait expected chance', 'large white pig', 'kdm5a snp 34208c', 'manager permutation test', 'applied milk', 'map 245 holstein', 'correlated wb fat', 'nature racing performance', 'sample passing quality', 'genotypic phenotypic', 'chromosome 12 fatty', 'haplotype h1', 'molecular dissection explore', '15 half', 'gga3 information', 'red pigment breed', 'adipocyte size unusually', 'trappc9 flanking arhgap39', 'qtl 16 25', 'region 20 22', 'highlight ednrb candidate', 'compared early feathering', 'propose snp', 'scrotal circumference respectively', 'mapping rhm', 'qtl analysis sib', 'dj pd αs2', 'examined variant', 'disease present', 'explained 14', 'inheritance using', 'blood meat inclusion', 'expression 05 elisa', 'day measured set', 's0003 16 cm', 'sheep explains', 'receptor superfamily', '800 grand daughter', 'data 315', 'compared breed analysis', '10 significant single', 'black cattle sequence', 'selectively breed', '1878 locus', 'confirmed gene', 'higher bwg lower', 'suhvi porcine reproductive', 'gametic relationship matrix', 'erhualian f2 pig', 'major polymorphic pattern', 'developing breeding', 'influencing meat quality', 'marker oarae101 interestingly', 'study dependent external', 'possible use oestrogen', 'trans genomic region', 'ufa composed htr1b', 'deoxyhypusine synthase dhps', 'accession number nc_007312', 'entire resource population', 'assembly facilitates fine', '01 hem 05', 'adipose tissue development', 'snp 18377t', '000 son genotyped', 'polymorphism snp 55g', 'underpin feasibility concomitant', 'horse using generation', 'val19leu 55g', 'marker cattle breeding', 'variant predicted', '4α gene identified', 'spectrum using estimated', 'mutation 123 26th', '216 hanoverian', 'data population', 'clinical chemical trait', 'individual effect rdhe2', 'qtl significant effect', 'bta14 30 fat', 'remains elucidated', 'contain interesting', 'effect microsatellite', 'cattle total 1689', 'seven functional', 'pigmentation pattern allow', 'study holstein reported', 'successfully located confidence', 'estrus interval', 'weight milk processed', 'performed using composite', '65 32', 'qtl mapped region', 'trait selection marker', 'including taste tenderness', '51e 06 bonferroni', 'studied milk', '13 combined genotype', 'wise value threshold', 'scurs female', 'factor mitf gene', 'new zealand progeny', 'region casein', 'color trait 6days', 'influence average sc', 'scan conducted 238', 'target recent', 'industry consumer purchasing', 'ssgwas conducted animal', 'afe weight egg', 'analyze detected eqtls', 'regulation provide', 'genetic basis resistance', 'varied 694', '217_79 533 224deltcgtcttc', 'porcine chromosome substantial', 'region genome extension', 'contour structure', 'circumference ssc4 phosphoenolpyruvate', 'genomic kinship matrix', 'iga perform', 'genotyped cohort', 'mechanism underlies density', 'cattle backcross calf', 'rs42646708 significantly', 'chicken insulin', 'contrast single qtl', 'detected milk trait', 'snp applying', 'meat drip loss', 'pedigree based imputation', 'sc breed', 'region effect carcass', 'genetic basis poultry', 'gene analyzed', 'level mature mirna', '356 microsatellites 34', 'cm average', 'role skeletal muscle', 'increasing number parity', 'large intensively managed', 'inherited line', 'localized oar11', 'sla large effect', 'growth multicellular', 'chromosome wide threshold', 'suggested pde1b gene', 'nuclear protein', '40 additive', 'thickness study', 'analysis quality', 'heritability caudal supernumerary', 'ratio reciprocal', 'area ra type', 'proportion sample', 'carcass related', 'wise level adck4', 'wgs 2515 mon', 'trait soay', 'allele epr qtl', 'extracted hair blood', 'fat affect dietetic', 'advance understanding', 'gene data', 'physiology beef', 'md resistance genomic', 'sequence variant respectively', '160bp apart ghr', 'including seven', 'finding contrast', 'advantageous quantitative trait', 'pig lack knowledge', 'reporter gene assay', 'relationship matrix constructed', 'association analysis substitution', 'pork additional', 'boar taint offensive', '001 polynomial coefficient', 'molecular mechanism mammary', 'single snp snp', 'total 94 71', 'sperm ejaculate', 'implicated high', 'detected ssc12', 'provided consistent', 'significantly larger myofiber', 'haplotype tested', 'showed segregation', 'expressed sequence mapping', 'population marker covered', '14 15 direct', 'production near', 'animal spotted breed', 'meat quality higher', 'platelet count', 'impact quantitative', 'previously identified belclare', '21 10 qtl', 'foster mother', 'ph1 adjusted', 'taat extremely', 'marker nup88 fkbp10', 'acid trans 11', '32 07', 'depth gr 004', 'tmem200c potential', 'analysis animal genotyped', 'line phenotypic data', 'region containing gene', 'gene mixed sample', 'infrared spectrometry', 'fecxgr fecxh fecxi', 'dgat1 k232a polymorphism', 'contribute distinct', 'effect multiple growth', 'interval 500 f2', 'point bending', 'suggest mammal', 'chicken carcass', 'study meta', 'surrounding gene distance', 'isle including different', 'variation explored', 'qtl mapped associated', 'weight trait performed', '924 family', 'foundation population established', 'independent test result', 'maternal factor critical', 'premature termination', 'sheep presence lamb', 'pooled genomic dna', 'lfec1 marker', 'predictor multiple trait', 'gene ssc7p1', 'laying hen genotype', 'trait association phenotypic', 'classical approach', 'ai bull', 'analysis qtl significant', 'animal progeny', 'dual energy', 'eye pigmentation mechanism', 'lactation using', 'presence additional', 'studied novel', 'yellow beef fat', 'evidence selection dairy', 'trait 37 production', 'tissue regulated', 'considerable porcine whipworm', 'significant map narrow', 'gtl2 gene', 'matched litter mate', 'regard order relative', '37453246g absence', 'respectively result explained', 'snp hub wish', 'g489a asp224asn mtnr1a', 'birds growth', 'knowledge genomic region', 'disease human suitable', 'area particularly uoi', 'associated embryonic mortality', 'cutoff 001', 'lead chip', 'platelet activation', '12 13 18', 'genomic information used', 'contains orf', '34 056', 'marker region', 'subjected stepwise', 'tissue cfu 36', 'ubiquitously expressed tissue', 'tail sperm defect', 'growth differentiate factor', 'improvement marker assisted', 'suggest significant genetic', 'level ld suggests', 'goat cattle', 'employed eighteen qtl', 'definitive dna', 'passive immune transfer', 'snp int9', 'association udder body', 'thickness muscle', 'gene higher identity', 'gh cow indicated', 'study enables development', 'program recombination rate', 'metabolic process result', 'region close snp', 'pony breed', 'snp source genetic', '699 aa genotype', 'disequilibrium 76', 'cattle population snp3', 'total 63 eqtl', 'contigs anchored', 'response post immunisation', 'current trend sheep', '151 160 cm', 'genotype sheep', 'financial loss dairy', 'muscle composition', 'fat nitrogen', 'dbw avg', 'construct birth', 'effort develop improved', 'rate sample passing', '001 rfi', 'inra 401', 'bp open reading', 'affecting trait non', 'b1 b2', 'locus act', '24 landrace female', 'proportion le 62', 'region harbor qtl', 'shamo indigenous japanese', '647 bp', 'evidence relationship polymorphism', 'lamb single', 'interval included', 'analysis multitrait model', 'providing genomic', 'enhancer factor', 'quality single', 'ssc13 location', 'member fam73a', 'declining decade conception', 'associated obesity npc2', 'composition ssc12 qtl', 'feeding behavior growth', 'selection rapid growth', 'difficult infer', 'using fisher', 'method multi', 'trait including fat', 'overall identified 72', 'tissue sexual precocity', 'required calving extent', '2e 05', 'control breed genotyped', 'phu cie', 'functional trait genome', 'respectively addition', 'genetic factor ssc1', 'form maternal polar', 'additional snp dressing', 'activity immune', 'breed pcr sscp', '19 significant', 'bonferroni genome wide', 'mapped separate', 'modifier dc locus', 'south america result', 'current study included', 'spotted non', 'transition nuclear protein', 'breed enables immediate', '195 trickle', 'slaughter used determine', 'esc disease resistance', 'purpose map qtl', 'dependent external factor', 'variance mean 30', 'male broiler finding', 'sheep genotype 2449gc', '513 new', 'network based', 'determining complex', 'pof fetlock joint', 'observed sporidesmin', 'population favourable', 'strain 335', 'snp annotated gene', 'trait f2 erhualian', 'dam line different', 'bovine ocular squamous', 'indication consider', 'absence homozygous', 'genetic background disorder', 'modeling bayesian inference', 'polymorphism alter protein', 'additive effect single', 'acids cattle', 'dopamine receptor gene', 'positive bacteria', 'production revealing genetic', 'overlap conclusion result', 'complexity applying', 'wide significance 05', 'bmp15 gene harbored', 'study 820', 'effect defined', 'csn1s1 promoter genotype', 'mapping population evaluate', '136 microsatellite', 'generated jersey limousin', '30 qtl detected', 'snp showed different', 'sustainably controlling', 'focused total', 'population qtl association', 'recently effective bayesian', 'selection animal resistant', 'osteochondrosis oc disturbance', '105 microsatellite marker', 'association approach bovinesnp50', 'cattle search qtl', 'weight hot carcass', 'explore possibility', 'oligochip mrna', 'identify amino acid', 'correlated fatty', 'encodes 180 amino', 'gene genuinely affecting', 'growth trait marker', 'individual including', 'tenthrib loin', 'mutant ube3b ayrshire', 'involved placental function', 'rs14934924 mutation resident', 'utr restriction site', 'various trait establishes', 'genetics physiology major', 'infection enhancement host', 'composition heterosis', 'cofactor increased number', 'used country source', 'yield cumulative milk', 'gene marker associated', 'effect chromosome 20', 'informative selection decision', 'involved maintaining low', 'proximal qtl interacts', 'weight ww bwt', 'posterior probability equal', 'reported contribute host', 'nineteen genomic', 'composition qtl appears', 'porcine mbl gene', 'normande cow bta23', '0001 future work', '83 haplotype', 'romane martinik', 'significant level sus', 'genbank database', 'chosen region bovine', 'weaning weight test', 'threshold 10', 'polymorphism gys1', 'management environmental', 'beta beta', 'bayesian model comparison', 'incidence periparturient hypocalcemia', 'refined 33 candidate', 'publicly available novel', 'genotyping useful strategy', 'information selection program', 'acid c12', 'background clinical mastitis', 'intronic gene', 'moderate marker based', 'result previous rfi', 'large effect flanked', 'locus qtl 14', 'variant underlying growth', 'possibility snp perfect', 'capn1 calpastatin', 'mean control including', 'threshold set permutation', 'charolais zebu', 'concordance association ld', 'transporter gene significant', 'variation molecular level', 'study northeast agricultural', 'analyzed include feedlot', 'resistance gastro intestinal', 'hybrid bovine', 'manchega rasa', 'analysis indicated strong', 'illumina 60k chicken', 'fat desaturation ratio', 'interval 12 13', 'using successive', 'molecular marker meat', 'targeted intervention norwegian', 'sce detected bms764', 'lda single nucleotide', 'ldha copb1 gene', 'described different', 'plagl2 previously', 'global challenge', 'austria jointly austria', 'genotyped chromosome 16', 'background variety', 'clinical mastitis german', 'variance conducted genome', 'pig order', 'likelihood method interval', 'individual condition', 'obtained f2 cross', 'confirmed study', 'trait weak correlation', 'function searched', 'scan f2 intercross', 'sustainability study', 'associated susceptibility etec', 'segregating locus affecting', 'age qtl located', 'given snp single', 'cluster znf192', 'statistic dik2862', 'zealand romney lamb', 'using genome sequence', 'association backfat thickness', 'g93a identified flanking', 'milk beta', 'showed association ph1', 'tg low ldl', 'study genomic region', 'genetic diversity selection', 'constructed performed', 'protein percentage fat', 'expression complex', 'identified 33', 'haplotype genomic investigation', 'body measure', 'locus ranged 9966364', 'cattle reproduction conception', 'qtl f2 reciprocal', 'response resistance parasitism', '77 00', 'investigated parameter', 'tissue implying', 'important component litter', '10 14', 'nucleotide qtn', 'using genetic control', 'mixture distribution single', 'blood component highly', 'detected finding', 'marker useful selecting', 'model ep', 'snp rs42670352', 'breed difference qtl', 'factor play', 'subunit related family', 'developed based test', 'include estrogen', 'mtx2 hoxd', 'dosage compensation phenomenon', 'meat large', 'mutation close', 'plasma igg level', 'body weight 49', 'gene aa', 'serotype aerosol followed', 'level detected difference', 'duroc white', '039204 rs109579682 ppargc1a', 'trait qtl affecting', 'possibly enhanced selective', 'cw tmw percentage', 'dwarfism fleckvieh cattle', 'hol cow validated', 'miescheriana protozoan parasite', 'welfare issue spite', 'polymorphism poorly', 'rate correction total', 'investigation identify', 'ovine tlr', 'analysis cia', 'dam line cross', 'cattle enabling', 'qtls fact', 'etiology necessarily', 'level heritabilities blood', 'population stratification analyzed', 'infected wild', 'utilize shrinkage estimation', '312 microsatellites conducted', 'chromosome mapped', 'rate 05 false', 'phenotypic trait detected', 'marker increased', 'chromosome ssc ssc1', 'implicated risk', 'seven breed second', 'circumference snp gwas', 'chemokine receptor gene', '48 genome wide', 'unfavorable linkage disequilibrium', 'pietrain composite', 'cm flanking marker', 'candidate statistically significant', 'supporting hypothesis', 'comparative data human', 'phenotype homozygote', 'spot consist mainly', 'used estimate marker', 'following infection', 'breast biology development', 'finding gene', 'low proportion variance', 'population level', 'domestication animal associated', 'gene mb region', 'higher bwg', 'fatty acid intramuscular', 'genomic selection rfi', 'chemical trait mapped', '23 ld 54', 'component polygenic effect', 'genome effect 24', 'bta7 20', 'flock investigated', 'similar region common', '32 adg study', 'region sire genotyped', 'population size 2552', 'qtl egg', '78 03', 'altered allelic', 'remains poorly', 'square regression', 'chromosome oar6 cm', 'black half', 'protein ampk', 'genomic dna', 'cpd german draft', 'combined analysis', 'library length', 'chromosome porcine', 'cause substitution stop', '524 progeny', 'intercross population individual', '95 genetic', 'activation desaturation lipoprotein', 'trait 985 bos', 'signaling pathway significant', 'size allele frequency', 'peak 42 01', 'regarding beef', 'involved involution effect', 'rao affected sire', 'effect twinning', 'transcription expression', 'maml3 setd7', 'positional approach', 'hd 465', 'estimated ld declined', 'location total', '499 oar23 marker', 'stop code', 'new knowledge regarding', 'strategy control', 'undiscovered gene fertility', 'kaufman oculocerebrofacial syndrome', 'contribute phenotypic', 'control leucocyte', 'natural selection process', 'count conclusion importance', 'deposition lead loss', 'effect instron', 'fp protein', 'mhcii cell mitogen', 'positive clone sample', 'retrogene copy lcorl', 'matrix gblup estimate', 'a11471g snp', 'purebred population objective', '83 001 interbreed', 'taste sourness', '78 87', 'population significant', 'level corresponding', '50 924', 'significant locus identified', '254 snp bayes', 'identified localized', 'rna22 rnahybrid', 'analysis qtls', 'score 34', 'repeat kinase', 'serotonin oxytocin', 'used qtl region', 'feedlot adg', 'validated genomic', 'record bovine respiratory', 'paternal allele 201', 'weight semi evisceration', 'centromere confirmed application', 'utilized family', 'trait provided opportunity', 'siva1 respectively', 'variability degree white', 'outbred cd1 mouse', 'circumventing complex', 'chromosome affecting cwt', 'chicken objective study', 'sire stillbirth', '190 day age', 'capn1 1500', 'breeding program chicken', 'holstein cattle confirmed', 'mapping method qtlexpress', 'gga5 qtl bw', 'day nvd average', 'cm 86', 'using dual', 'genomic region ssc17', 'difference anterior posterior', 'analysis polymorphism showed', 'background increased', 'sire serum faecal', 'meat quality intramuscular', 'significant region trait', '54 cm 38', 'distributed differently', 'mapping using 39', '40 significant marker', 'statistic derived', 'ph value ejaculation', 'direct hereford', 'showed effect trait', 'snp frequent haplotype', 'involved genetic variation', 'multimarker regression significance', 'suggestive snp', 'programme genetic improvement', 'cheese yield desirable', 'transfection assay association', '49 family genotyped', 'significantly represented biological', 'nearest preceding subsequent', 'identify predictor', 'using mendelian', 'according infinium protocol', 'originated chinese erhualian', 'promoter intron exon', 'selection cow higher', '04 significant effect', 'vertebra gene', 'located 12 autosome', 'suggests expression affected', 'appeared associated higher', 'analysed using square', 'trait pig 1018', 'especially using', 'variation cnv', 'causing high economic', 'transmission human', 'cause interstitial', 'trait broodstock', 'conducted accurately map', 'trait expressed', 'mapping mqreml', 'tt 25 52', 'genetics genomic region', 'typically observed cattle', 'study indicates high', 'association snp ssc1', 'order control', 'explained 05 80', 'age 01 snp31', 'narrowed associated', 'innovation information nucleus', 'tgfbr3 tmx4', 'beadchip 50', 'fishy odour', 'improvement growth', 'record 15 cow', 'intercross line fsil', 'novel snp 38017', 'largest number porcine', 'mammal sequencing', 'build genomic', 'genotype used calculate', 'additional qtl significant', 'bull constructed', 'confirmed population', 'respiratory cattle pig', 'favorable allele potential', 'linked carcass composition', 'residue wdr83 important', 'background rate pubertal', 'score bovine chromosome', 'stood strongest', 'genotype 3691g', 'fertility trait dairy', 'covered exon', 'somatic sc significant', 'number trichostrongylus spp', 'villous adhesion test', 'yield previously', '446 piglet different', 'trait detected significant', 'disease dairy cow', 'involved variation genetic', 'polymorphism srebf1', 'near microsatellite marker', 'quality trait hampshire', 'pathway qtl', 'regression method grammar', 'tested association growth', 'value ap reproductive', 'transcriptome tibia individual', 'disease emmax', 'eye muscle area', 'seven snvs evaluated', 'coding single nucleotide', 'lactation genome wide', 'type pai major', '004 02', 'mapped fat ether', 'dissection qtl region', 'region box foxp1', 'region acsl1', 'future dissection molecular', 'native jinhua', 'seven newly', 'locus qtl significant', 'sutai pig', 'avian model', 'growth production chicken', 'shared qtl apparent', 'interval ssc1 ssc7', 'modulation cascade', 'ucr2 amino acid', 'map good agreement', 'fatty acid transport', 'intake capacity telomeric', 'located gene unclear', 'region ssc5 12', 'hpai outbreak', 'architecture beef cattle', 'pseudoautosomal region sscx', '10 snp near', 'implemented identified region', 'statistical model provides', 'syndrome result', 'animal individual effect', 'point breed specific', 'united state used', 'typed geneseek genomic', '001 carcass', 'bw13 month', 'slaughter facility selected', 'sample genotyped', 'rfi phenotypic', 'produced factor', '156a identified bovine', 'method variance component', 'group evolutionarily', 'fixation fat increasing', 'suggest carcass length', 'scan using combined', 'detected position result', 'editing 85', 'genetic evaluation improve', 'size pelibuey', 'showed hgd pvuii', 'adrb1 adrb2', 'based 50', 'tharparkar cattle gene', 'guide molecular breeding', 'genabel package step', 'information useful', 'short chain echs1', 'texel oar18', 'pig laid', 'explanatory value', '10 bayes factor', 'product objective', 'heterogeneous residual', 'associated trait allele', 'bta14 replicated', 'dense snp map', 'offspring statistical analysis', 'oocyte maturation skeletal', 'amp activated protein', 'gwas using', 'insight molecular mechanism', 'host genomic', 'leg weight', '169 kg', 'marker individual designed', 'white sow analysed', 'severity pneumonic', '20 genome region', 'genetic variation cattle', 'texel ram romanov', 'disease resistance chicken', 'cd cc difference', 'differentiation brown preadipocytes', 'seventh day heat', 'leg yield 032', 'deviation given', 'snp data implementation', 'subjected network scoring', 'variation level word', 'addition seven', 'pig population segregation', 'gene seventeen', 'sexual ornament model', 'sw1943 created', 'cow represented', 'muscle associated', 'separation exposure human', 'inheritance animal', 'experiment carried 934', 'muscle measured adhesion', 'order investigate connection', 'activity protein', 'favorable pleiotropic effect', 'human relevant behavioral', 'lp respectively important', 'process including response', 'average linkage', 'altering growth', 'wwt calf', 'quantile quantile plot', 'a2 saa2', 'loss entire', 'higher cheese', 'like meat quality', 'breed analyzed association', 'cattle breed respectively', 'gene function differential', 'total 39 gene', 'change lactation lactation', 'placenta mouse', '17 19 20', 'probability derived', 'reproduction overlapping significant', 'association intramuscular fat', 'bone morphogenetic', 'gwas meat carcass', 'france ewe resequencing', 'ipn known', '73 unique snp', 'previously finding explore', 'region associated skin', 'genomic ebv region', 'fertilization ability mutated', 'bird current', 'dd episode vs', 'known regulation', 'born dead', 'trait 45 190', 'significance trait based', 'result aim study', 'snp explored', 'included genome scan', 'afe covariate additional', 'association polymorphism coding', 'genetic model summary', '335 kg', 'cancer study', 'adipoq gene promoter', 'snp2 associated body', 'association cause', 'intron previously', 'analysis result help', 'placenta retp metritis', '194 marker 24', 'mass trait specific', 'genomic region oar2', 'multiple breed', 'bta23 significant effect', 'productive trait purpose', 'goal study', 'significant association increased', 'qtl rad snps', 'fasn multifunctional', 'encoding diacylglycerol acyltransferase', 'provided 12', 'qtl associated fmdv', 'level addition', 'ew measured ew', 'cnvrs divided', 'information nucleus flock', '10 nn 10', 'gene sequenced', 'support association trait', 'used totally 83', 'comparison finding study', 'obtained ranged', 'production causing estimated', 'white lw meishan', 'analysis bco2', 'result elovl6 support', 'mrpl48 ccr', 'showing 27534932a polymorphism', 'receptor cckbr', 'qtls provide important', 'required implementation', 'fabp4 characterized', 'island polled', 'day slaughter pig', 'blood calcium level', 'ratio 0004', 'length candidate gene', 'involvement snp detected', 'tenderness ultimate', 'small population', 'array containing', 'gene zbtb38 body', 'infection level', 'marker swr345 ssc2', 'explained different trait', 'color trait bta6', 'report panel 276', '05 single', 'weight jejunum', 'associated important aquaculture', '2574_2576delgtc production', 'typed 272 f2', 'selected genotyped f2', 'genetic statistical evidence', 'cattle production decreased', 'danish cross', 'domain alpha', 'expression primarily post', 'vivo estimated relative', 'new single nucleotide', 'bp 76 genotype', 'showed lactoglobulin protein', 'target trait population', 'charolais university', 'minor allele frequency', 'growth hormone expression', 'different grade', 'force water loss', 'new locus', 'squares mendelian model', 'cattle occur', 'ked count', 'content based', 'lipid metabolism proteolytic', 'differentiation study focused', 'promoter snp identified', 'fat metabolism', 'culled reproduction heterozygote', 'ghr rs109136815 marker', 'production trait particular', 'map fatal', 'cloning gene responsible', 'dh dj total', 'number cn population', 'sc german', 'age 22 cm', 'coupling total', 'nh nr', 'backfat total', 'located bta6', 'located second intron', '88 cm', 'increase competitiveness industry', 'mean fiber', 'wbsf qtl genome', 'qtl detected 63', 'additional ssc1', '875 2e', 'selection finding showed', 'hanwoo population snp', 'brazilian gir sire', 'indicates association', 'explored influence transcriptional', 'vitro activity assay', '22 25', 'wide scan genotyped', 'yield cm', 'swine investigation necessary', 'gcga suggests presence', 'hpaii restriction fragment', 'carrier control', 'production horn', 'pasture average', 'adjacent marker', '789 animal', 'mb region bms483', 'variant tox', 'melanocortin receptor', '10 dcd pm', 'generally originated', 'a80v significant effect', 'ifc result', 'effect backfat intramuscular', 'explained 11 23', 'increased solar', '159 microsatellites sire', 'trait favorable qtl', 'total meat', 'association criterion applied', 'meat color heme', 'so2 glucose', 'pre horse', 'stage large scale', 'ii detect quantitative', 'work facilitate cloning', 'substituting allele snp', 'fdr correction total', 'junken type suffolk', 'h2 27', 'area meat', '15 mb respectively', 'causing yellow fat', 'visceral fat', 'illumina equinesnp50', 'selection strategy beef', 'gblup methodology genomic', 'bonferroni correction', 'cow bta14', 'developed aim study', 'polymorphism regressed estimated', 'order map average', 'ssc3 genome', 'weaning ssc8', 'trait pc', 'uncovered region', 'chip performed 96', '11 23 24', 'associated semen trait', '15 genotype conclude', 'enzyme lipid deposition', 'approved artificial', 'expression meat quality', 'curvature fibre', 'play role disease', 'locus mixed linear', 'investigation chromosome region', 'ld block defined', 'investigation chromosome', 'trait bta04 annotated', 'dmi bw 05', 'weight late', 'day acute', '242 bac library', '240 pig white', 'feed utilisation', '43 56 identified', 'homology share', 'milk identified', '48 using single', 'alive livp piglet', 'breed china statistical', 'total significant quantitative', 'trait controlled region', 'teat represent', 'marker total 14', 'unveiling underlying', 'finding provide step', 'used genotyping 789', 'mucosal immunoglobulin', 'relative posterior probability', 'available conducted', 'limited expression trait', 'locus muscle', 'respectively based haplotype', 'role stabilizing level', 'believed carrier major', 'novel effect', 'overlap chromosome', 'genotypic data 37', 'lulai black', 'qtl study basis', 'genome scan included', 'based known function', 'level forecasted', 'transduction signaling', 'correlation number egg', 'proposed contribute revealing', 'appetite obesity', 'average outcome case', 'pig growth', 'distributed 29', 'parasite indicator', 'using flexible', 'snp direct biological', 'novel variant confirmed', 'model significant effect', 'method map qtl', 'family aim', 'regulatory function', 'approach called', 'chromosome bos', 'sb yearling based', '462 day nineteen', 'cm respectively provided', 'qtls ranged 11', 'reported updated', 'variance cell antibody', 'product amplified', 'white boar minzhu', 'association a868g', 'database objective present', 'including heart disease', 'selected candidate influencing', 'chip result', 'failed identification', 'centromeric region middle', 'quality trait lw', 'existence qtl affecting', 'scan 104 pig', 'sla large', 'h3 h1', 'increased structural', 'group beef', 'cascade activation', 'bm719 chromosome', 'microsatellite data', 'incubation period scrapie', 'snp genotyped gilt', 'breed management condition', 'snp ifcifc', 'breast meat', '13 15 associated', 'spread worldwide cause', 'elovl6 support hypothesis', 'human mouse provided', 'pcr based fragment', 'rate 90', 'chromosome chr 14', 'cattle growth', 'day gwas', 'identified number additional', 'danish jersey population', 'stillborn pig nsb', 'd28521 1574a significant', 'steer 34', 'performed 1317', 'impact consumer acceptance', 'considered separate', 'lbw abw', 'china pcr', 'snp 62e', 'pectoralis leg', 'saa2 gene milk', 'snp used estimate', 'plasma coloration gga1', 'pigmentation trait approximately', 'trait immunized classical', 'candidate gene effect', 'model multiple qtl', 'locus model gene', 'trait fisher combined', 'using illumina 50', '05 chromosome 24', 'fat lower', 'important role myofiber', 'taken candidate gene', 'addition percentage fat', 'snp 78 83', 'accession number af549499', 'detected pig chromosome', 'effect palmitoleic stearic', 'fed beef cattle', 'utr tnp1 investigate', 'vital foundation', 'characterized experimental', 'located lei0079', 'associated weight measurement', 'gga5 male', 'software package matrix', 'moderately correlated 31', 'occurring asthma like', 'cattle phenotypic record', 'detected large', 'estimate connective tissue', 'known new candidate', '209 842', 'frequency hardy weinberg', 'uoi animal genotyped', 'allowed lamb pedigree', 'order relationship', 'specie study', 'lipid metabolism aim', 'score sc parameter', 'ssc4 flanked', 'ssc14 spanned 120', 'cdna bovine hgd', 'quality study genome', 'ssc14 colour ssc5', 'treatment separated', 'used sex', '3p 5678944a', 'class genomic association', 'functional annotation subsequent', 'recommendation use qtl', 'industry worldwide current', 'alanine gcc snp', 'functional category', 'involved desaturation', '1251c spp1c', 'protein respectively', 'health disorder', 'different section', 'strongest candidate', 'estimated approximately 3000', 'index longevity fertility', 'animal tested showed', 'background major qtl', 'landrace linkage disequilibrium', 'mass qtl', 'nutritive value', 'qtl pedigree based', 'capn3 thyroglobulin', 'cw identified snp', 'carcass weight breed', 'gene retained association', 'expected cause breed', 'measured ultrasound', 'wnt9a chromosome', '30 marker studied', 'investigate snp associated', '10 empirical 13', 'selection animal le', 'population sire', '18 region associated', 'investigate effect', '51 977', 'anxa10 female fewer', 'expressed granulose', 'proliferation cell removal', 'revealed sutai pig', 'distinct variety', 'bms483 mnb209 span', 'htr1e genomic', 'mapped qtl body', 'functional enrichment', 'week age 155', 'acyltransferase1 dgat1', 'associated presence mutation', 'reproductive longevity economically', 'complex trait different', 'variant 287', 'reduced fat yield', '73 effect', 'density 600', 'biological function good', 'described causal factor', 'allele frequency 6723g', 'identify receptor', 'polymorphism tnf associated', 'associated horse racing', 'map ssc6 meat', 'sheep selected response', 'affymetrix genome', 'correlation mac', 'backfat deposition', 'regulating factor implication', '3500 permuted datasets', 'haplotype conclusion', '2886 14a', 'male calf kosher', 'regulatory snp', 'variation influence age', 'beef fat higher', 'data analyzed half', 'designed according', 'count fraction lymphocyte', 'porcine database', 'reciprocal cross extremely', 'factor imprinted', 'meat type', 'dairy cattle main', '38 107 polymorphic', 'select desired egg', '425 segregating snp', 'bw21 bw42 breast', 'relatively small effect', 'grow finish', 'carcass meat quality', 'molecular marker superior', 'population intensively', 'important quantitative trait', 'gene second', 'weight suggesting trait', 'snp significantly', 'sequenom assay developed', 'trend breed pl', 'underpinning condition current', 'strategy breeding', 'performed led', 'revealed 35 qtl', 'end test', 'color gga11 failed', 'map distal marker', '16 bp indel', 'variation putative qtl', 'affecting metabolic trait', 'hem haemoglobin hb', 'pig 30', 'segregated significantly', 'improve fit significantly', 'proposed list candidate', 'position effect candidate', 'cell nuclear factor', 'hanwoo gene expression', 'covariate prediction model', 'pig perform', 'animal using', 'microsatellite marker associated', 'vitamin receptor', 'british yorkshire population', 'density 05 mutation', 'ssc 11 snp', 'commercial line derived', 'nil determined multiple', 'ease piedmontese cattle', 'effect bwf snp', 'interaction effect suggestive', 'reported dairy beef', 'ch population accounted', 'precursor mirnas mature', 'disagreement particularly presence', 'flavour qtl previously', 'allow inclusion detailed', 'marker subsequently 634', 'milk h1', 'qtl result compared', 'pig age', 'gilt 439', 'dataset comprised', 'ranged 39', 'ssc8 respectively ssc7', 'interaction investigated result', 'interleukin important', 'sire 389', 'snp a59v microsatellite', 'boar taint relevance', 'objective trait', 'haplotype identified population', 'position using', 'trait cattle bos', 'en egg', 'weight decrease', 'different pattern qtl', 'challenge start end', 'domain containing lrguk', 'comprehensively evaluate direct', 'simple approach focused', 'indicate possible pleiotropic', 'located intron intron', 'logistic regression model', 'normande cow accurately', 'energy metabolism immune', 'use new', 'used calculate empirical', 'fto snp', 'revealed coding', 'broadened include milk', 'cow result genome', 'role growth', 'contrast fasn locus', '70 000', 'phu false', 'wnt signalling pathway', 'animal specie breed', 'hypothesis association study', 'line number', 'single gene influencing', 'birth month adg0', 'fertility japanese', 'milk colour cattle', 'limiting step', 'cm ssc10', 'itih cluster explain', 'cost fish', 'phenotypic variance located', 'expressed percentage hot', 'rao chronic', 'achieved detection mapping', 'genotyped 289 snp', 'determine nucb2', 'pathogen factor environmental', 'pig representing genetic', 'successful reducing disease', 'cage layer', 'trait achieve', 'catabolism aromatic', 'group genotyped phenotyped', 'locus qtl scan', 'similarity genetic basis', 'sh3gl2 gene associated', 'harbored total 30', '24 birth lead', 'assigned chromosome', 'horse additional', 'lack linkage', 'variant snvs genome', 'nascent lipoprotein analysed', 'represent molecular genetic', 'linkage phase genotyped', 'et al use', 'pleuropneumoniae controlled condition', 'chromosome radiological alteration', 'chromosome altogether genotype', 'started identity', 'improvement trait providing', 'meishan pig haplotype', 'investigated genetic architecture', 'factor heterosis fatness', 'lipk ehhadh mogat1', 'study biological', '13 identified frequency', 'guideline deduced', 'trichuris faecal', 'rec recfat', 'content italian', 'example network size', '210 240 300', 'interaction difficult task', 'ucp3 significantly associated', 'protein potential', 'component quantitative', 'akr1c genotype associated', 'cold carcass weight', 'size 05 manych', 'tcf21 gene conducted', 'affected genetic polymorphism', 'baseline erythroid trait', 'data trait adg', 'particularly individual gene', 'scd snp snp', 'genotyped 347', 'omega fatty', 'polymorphism mastitis', 'bone breakage', 'affecting fertility', 'associated higher inactivity', 'day genotyped using', 'effect differed modern', 'program possibility assist', 'weight conclusion study', '532 genotyped using', 'optimizing imf pork', 'substitution 3096c', 'pathway enrichment used', 'rflp mixed', 'affect mothering ability', 'accounted variance clinical', 'uptake transport synthesis', '060 016', 'sequence 916', 'promoter meat quality', 'importance pig producer', 'fixed effect resulted', 'polymorphism bmp 15', 'random family', 'xkr4 play', 'association approximate daughter', 'percentage 15 0418', '1326t locus', 'moderate heritability', 'allele snp rs41256901', 'haplotype study conducted', 'daughter high', 'locus gene recommended', 'different set qtl', '10 837', 'evaluated polymorphism bmp', 'score estimated', 'adaptation environmental condition', 'fertility additional snp', 'virus mdv', 'opposite effect phenotypic', '42 73 mb', 'furthermore using mean', 'trait mammal novel', '01 dmy fp', '48 postmortem marbling', '81 relevantly associated', 'low line body', '01 produced transferable', 'mutation dc locus', 'method used heritability', 'layer line suggesting', 'arr arr higher', 'cow grouped', 'fat regulation lifetime', 'gallus using', 'bta14 bta17', 'data consistent', 'strand conformation', 'pinpoint locus validate', 'ige identified', 'yielded qtl interval', 'percent warner bratzler', 'maternal calf', 'major contributor', 'small ruminant', 'inter cross white', 'genotype calf', 'snp commercial', '27 36 week', 'finally 248 animal', 'mainly hydroxybutyric', 'prlr expression resulted', 'combined functional', 'indicating intensive', 'dgat1 insig1 fam198b', 'different tissue chicken', 'qtl chromosome wide', 'cattle substitution', '68 snp 11', 'bcas bsp3 cast', 'regulator relevant lp', 'mouldy hay familial', 'ph value', 'major gene large', 'deposition measured live', 'region investigated relation', 'gwa haplotype', '34208c genotype', 'polymorphism sample', 'snp quantitative trait', 'number snp snp', 'underlying typical feature', 'located faf1 fcn3', 'pco2 glucose day', 'yellow chicken', 'affected individual paternal', 'role regulation bone', 'statistical significance snp', 'fcr trait analyzed', 'haplotype outbred limousin', 'remarkably fewer', 'involved neutrophil recruitment', 'issue linked genetic', 'phenotype deepen understanding', 'estimated used', '330 animal', 'milk yield health', '190 genotyping', 'domesticated modern population', 'pit1 renamed pou1f1', 'ibp4 specie', 'autosome 18', 'gene enzyme', 'boar allele locus', 'causal gene underlying', 'population long term', 'ssc14 minolta', 'trait beef production', 'average estimate r2', 'igf2 substitution effect', 'cnv inferred illumina', 'reproduction performance calf', 'occurring precursor region', 'adg nellore cattle', 'component method used', 'gensel number genomic', 'fat percentage bta1', 'tnf associated btb', 'aflp band', 'fertile increased prolificacy', 'density snp genotyping', 'used detect mutation', 'genomic region porcine', 'model tested data', 'gene ass association', 'concluded novel lncrna', 'scan gwas rln', 'nesp55 gene', 'lamb 17', 'revealed documented candidate', 'identified bradyzoite number', '222 645', 'conclusion data suggest', 'distal qtl qtl', 'platelet related trait', 'identified encoding deduced', 'correction multiple test', 'family jointly', 'variance 35', 'single joint population', 'average 12', 'evidence epistatic', 'seven carcass', 'slaughter daily', 'rs723240647 coding region', 'slaughter daily monitoring', 'hsa5 73', 'coactivator alpha ppargc1a', 'assuming unrelated sire', 'trait white', 'cla 13', 'law prevent', 'mapping followed validated', 'bft 17507a exon', 'localization genomic', 'increasing type iia', '00 02', 'gwas map disease', 'aflp marker used', 'mstn associated', '26 single nucleotide', 'birth trait', 'number chromosomewide', 'difference cc', 'snp used construct', 'facilitated glucose', 'methane emission', 'alive nba number', 'physiological process involved', 'chicken showed strongly', 'polymerase chain reaction', 'qtl gga1 gga5', 'respectively male', 'immunohistochemical staining indirect', 'located snp8', 'bw different', 'result suggest rate', 'supporting previous finding', 'product regulates secretion', 'nrac ntng1 pign', 'contains quantitative trait', 'term human', '22 carcass', '125 marker genome', 'rambouillet sheep genotyped', 'animal study using', 'tested association dmi', 'gg ag snp2', 'design consisting 15', 'trait 14 conformational', 'moderate linkage disequilibrium', 'avoid excessive desiccation', 'fertility using', 'snp bta20 overlap', 'new dataset previously', 'set comprising total', 'analysis common parent', '44 chromosomal', 'bos indicus cross', 'specific reproductive', 'population implying', 'studied identify', 'coverage affected main', 'group sow', 'successfully map variant', '389 776 daughter', 'ryr ecf18r gene', 'genotype 05 individual', 'linked eggshell', 'berkshire breed used', 'composition accretion', 'qtl identified elovl6', '14 10 size', 'replication study investigate', 'low androstenone validate', 'influence backfat thyroxine', 'holstein bull breeding', 'confirmed presence significant', 'initiation factor', 'population joint', 'applying single step', 'pcr blood sample', 'provide clue explain', 'repeat containing protein', 'cytoplasmic hsp90 chaperone', 'predict correlated response', 'region imputed', 'correlation disease', 'analysis carried genome', 'good maternal ability', 'cw bta14', 'birthing process', 'significant association melanoma', 'indicated ctnnal1 1878', 'growing slow growing', 'weight 42', 'wide analysis predicted', 'significant haplotype trait', 'ssc1 qtl identified', 'erhualian pig using', 'extent genetic environmental', 'frequency varied breed', 'hypothesis quantitative trait', 'number egg en', 'previously associated white', 'stratified age', 'hypersensitivity ibh cutaneous', 'cac mfi', 'effect case', 'depth cd chest', 'lw pig', 'determined mhc', 'rs268273468 capra hircus', 'level significant', 'chromosome 65', 'yielded marginal increase', 'swine industry sustainability', 'breed population cattle', '11 qtl significant', 'assumed genetic model', 'individual birth weight', 'controlled vaccination', 'literature 54', 'fully employ use', 'polymorphism database snpdb', 'chromosome chromosome length', '44 672 single', '498 na mg', 'risk boar', 'small region', 'tended heavier 07', 'including cow genotype', '447aa individually', 'egg weight inbreeding', 'broiler fayoumi', 'mainly backfat thickness', 'including major', 'locus described despite', 'qtl result generally', 'status average relatedness', 'locus segregated', 'swr67 sw2067', '57 snp array', 'derived comparison', 'historical geographical origin', 'weight using low', 'produce population body', 'impact liability locus', 'half number', '1956 respectively square', 'analysis identified overrepresented', 'sweep analysis result', 'decay leading', 'gene avpr1a', 'chromosome bta various', 'analysis multi', 'gga9 gga10 gga14', 'substitution effect 047', 'negative effect live', 'eca10 45 49', 'marker population wide', 'snp f1 f0', 'qtl position narrowed', 'associated phenotype overall', 'dtd curve located', 'fertility treatment', 'sp1 alter', 'way enhance', 'semimembranosus value ssc6', 'way enhance power', 'lower similar', 'taint danish', 'herd recorded producer', 'zinc finger protein', 'ssc2 associated allele', 'ass genetic effect', 'variety analysis approach', 'carcass trait expression', 'ctsd cathepsin', 'chromosome 20 involving', 'association 14', 'ew300 number', '163 ad', '632ins promoter', 'lg21 respectively identified', 'ubl5 am950288 566g', 'maternally inherited marker', 'fat content polyunsaturated', 'basis genome wide', 'candidate lda single', 'rflps bovine', 'gwas pathway', 'mutation fabp', 'high throughput sequencing', 'associated relative content', '01 significant statistical', 'model estimated', 'weight ew', 'snp rs81367039 ssc2', 'refute hypothesis', 'stress adaptation', 'cn detected furthermore', 'historically geographically', 'significant genomewise', 'waist height', 'seven texel', 'qtl bodyweight chicken', 'percentage composition somatic', 'region strongest', 'v315 a337', 'linkage mapping mbl', 'multiple trait model', 'pig prolific breed', 'identification 39 polymorphism', 'allele environmental', 'chicken 600k', 'ma programme', 'cd8 cell ratio', 'biological membrane', 'inducing high imf', 'tissue fatty', 'result bull sequence', 'cm female fertility', 'cow elisa sample', 'necessary illustrate underlying', 'tolerance susceptibility parasite', 'previously derived algorithm', 'objective intramuscular fat', 'growth developmental', 'conclusion result provide', 'affect target gene', 'cattle tropical', 'polymorphism indicated functional', 'carlo mcmc', 'length polymorphism rflp', 'regulation qtl', 'approximately 75', 'tenderness ultimate ph', 'time production locus', 'pathogen worldwide', 'established location vtn', 'arhgap39 novel candidate', 'molecular genetic basis', 'silico snp', 'empirical traitwise error', 'ranged 12 31', 'process regulation lipid', 'weight postnatal growth', 'investigated clinical', 'relative position 70', 'analyzed family', 'density marker chromosome', 'evidence major gene', 'rate muscle fiber', 'specific difference expected', 'crossbreeding study attempt', 'collected 298', 'forelimb 05 prme', 'specific serum igg', 'day acute disease', 'result helpful', '18 white', 'sample size subset', 'search tumor', '77 277 cow', 'pig phenotyped bf', 'synthesis catabolism lipid', 'showed 279 transcript', 'breed association analysis', 'positive suggesting', 'region human chromosome', 'ssc4 ssc6 ssc7', 'bb associated highest', 'result mucin', 'breed reported', 'fpdmeta cluster significantly', 'confers higher', 'analysis clearly', 'serotonin transporter', 'marker microsatellite marker', '19 53', '10 meat quality', 'great concern', 'qtl region involved', 'phenotype bta7', 'achieved statistical', 'score bta14 dgat1', 'sequencing analysis examine', 'study localized slick', 'value genotyped illumina', 'fine mapping positional', 'analysis animal phenotyped', 'cg genotype', 'meat unpleasant flavour', 'backfat thickness texture', 'association snp 40006g', 'fasn gh1', 'known mutation large', 'qtl detected region', 'conclusion porcine', 'backcrosses born consecutive', 'sensory trait', 'animal f1 dam', 'finally igf2 mgll', 'putative qtl score', 'imaging technology', 'sheep outbred', 'association analysis region', 'shown influence', 'conclusion identified region', 'belclare sheep revealed', 'associated le', 'qtl number genome', 'life unknown', 'step gwas approach', 'position present', 'dach1 located', 'composition subcutaneous fat', 'sheep nematodirus', 'world attractive complementary', 'coverage chicken', 'mapping family significant', 'region aim', 'score 12 range', '20 56', 'binding globulin gene', 'muscle longissimus', 'study identified novel', 'skeletal muscle adipose', 'genotype dfiadj 855', 'chicken igf1 kdm5a', 'genotype effect included', 'hmga1 stood strongest', 'association 456 marker', 'genetic effect individually', 'higher af snp', 'measured plasma', 'dgat1 significant candidate', 'efficacy ifn', 'modern day', 'genome wide high', 'immune current', 'software qtl lysozyme', 'developed genotype polymorphism', 'source genetic variation', 'using current state', 'sample chromosome 10', 'early fertility event', 'associated juiciness individual', 'evidence twinning', 'selection nguni cattle', 'tissue cdna region', 'simmental cross', 'acid indicate', 'investigate genetic architecture', '012 respectively model', 'comparing breed', '1264c snp significantly', 'previously mapped major', 'group screening trait', 'pig affect', 'analyzed total', 'length crimp detected', 'pig ppara mrna', 'baseline erythroid index', 'little effect trait', 'company sale', 'study identify single', 'likelihood using', 'parameter evaluating', 'equus callabus', 'result genomic region', 'chromosome abcc4 bta12', 'effect result showed', '291 polymorphism', 'comparison identified', 'disease currently', 'industry innovation', 'landrace boar 16', 'marker genotype proven', 'association incidence', 'detected polymorphism gene', 'chromosome pde1b gene', 'localized different', 'increase 53 sd', 'mastitis detailed study', 'increased lean', 'largest beef', 'analysis mlma conducted', 'shown regression analysis', 'population angus hereford', 'size synthetic commercial', '4010 respectively', 'specific staph aureus', 'enriched qtls', 'sheep required', 'current study confirm', 'health longer shank', '50 13', 'detected rt', 'separate population cow', 'pparg ccaat enhancer', 'phenotypic variance conclusion', 'greatly effective method', 'qtl interval 36', 'fixed iberian pig', 'tdt npl seven', 'affecting milk', '10 ss86284768 bta1', 'estimated using standard', 'line furthermore', 'effect information target', 'performance study confirmed', 'complex chromosome', 'independent gwas discovery', 'sequence homology', 'haley knott regression', 'pig largely', 'program aim study', 'bayesian analysis identify', 'gilt 439 used', 'located dock7 gene', 'peak economically', 'disease trait implying', 'growth function', 'pcp initially sick', 'trickle infected', 'contributor boar taint', 'previously unknown short', 'enriched process', 'complex phenotype hypothesized', 'knowledge gene involved', 'weight snp located', 'son founding sire', 'approach single', 'analysis wool', 'need validate detected', '55 significant 05', 'landrace cross resequencing', 'described target breeding', 'map employed', 'meat 005', 'f2 duroc large', 'trout tested', 'cwt 5mb', 'offspring f2', 'disadvantage region surrounding', 'ssc mir 491', 'comprised total', 'model mlm glm', 'trait association tested', 'holstein friesian dairy', 'importance dairy cattle', 'point fat population', 'testosterone estrogen', 'program lameness', 'population mycoplasma hyopneumoniae', 'juicy pork additional', '02 twinning yr', 'rate feed conversion', 'composition trait single', 'breeding company infected', 'traitwise critical', 'approach accurately', 'fixation line', 'total variance', 'segment single qtl', 'statistical method facilitate', 'qtl similar trait', 'significant reject', 'libitum second period', 'swine using', 'zealand nz romney', 'increasing number marker', '305 milk effect', 'acid composition supporting', 'body development', 'identified using population', 'including major signal', 'lp observed animal', '0081 ph1 adjusted', 'fp ebv result', 'constant especially', 'bb type', 'locus explain segregation', 'bmp7 associated growth', 'ldrm suited genome', 'cattle gene product', '054 progeny', 'association signal identified', 'gene seven anonymous', 'grazing communal natural', 'genotype paternal igf2', 'highlight candidate gene', 'additional new', 'body weight commercial', 'fdr portion', 'analyze factor affecting', 'animal 12', 'equine oc', 'resistance channel catfish', 'improving sire fertility', 'different trait representing', 'variance qtl abdominal', 'cross male female', 'strong phylogeographic', 'cdk2 finnsheep mica', 'set kept', 'effect beginning end', 'transcript tissue', 'bta 13', 'resistance following', '34 sd', 'porcine beadchip 1927', 'expected improve', 'particular production', 'subtraits harbor qtl', '322 ewe distributed', '10 adjacent', '34 42', 'identified showed additive', '1a interleukin il', 'encompassing anxa10', 'maximum region 20', 'size parameter recorded', 'varied quantitative trait', 'selection availability large', 'effect sl9 sd9', 'se 060', 'potential lm measured', 'thbs1 involved', 'desaturase fads2', 'prolificacy remains poorly', 'size farm sheep', 'warmbloods sport', 'pathology le known', 'snp major influence', 'bf trait', 'quality gene rankl', 'ensure optimal performance', 'statistical relationship series', 'polymorphism non coding', 'cdna sequence detected', 'function contribute comprehensive', 'underlying lp', '16b gene', 'linkage true causal', 'sutai laiwu erhualian', 'major pathogenic bacteria', 'fcr 05 snp', 'pathogen receptor', 'qtl compared', 'used pre adjust', 'number lamb', 'problem study', 'intron exon potential', 'locus location', 'methodology genomic prediction', 'sphingomyelin sm', 'study gwas component', 'effect increased', 'large scale population', 'array behavioural', 'sscp pattern representing', 'linkage disequilibrium 90', 'study polymorphism bovine', 'ep estimated', 'qtl study qtl', 'qtl fertility trait', '79 kg protein', 'drawn phenotypic', 'analysis snp detection', '24 postmortem lm', 'snp affected', '24 slaughter result', 'improving therapeutic prophylactic', 'ketosis frequently reported', 'marking horse', 'synonymous polymorphism', 'mapping effort', 'analysis conducted explore', 'intensity grilled sample', 'snp 528 ss1388116558', 'high prolificacy sow', 'exon 3691g showing', 'based relationship result', 'fat protein using', 'reported genotype 70', 'biceps shank beef', 'bull currently', 'map map', '19 trait related', 'insr observed', 'cohort holstein 500', 'contained significant', 'assisted reproduction', 'quality trait family', 'reported previously qtls', 'broiler cross single', 'rs134340637 fasn hapmap26001', 'maternal genetic factor', 'end lactation', '0001 35 01', 'efficiency rapidly', 'splice variant designated', 'respiratory pathogen', 'trait sire proof', 'gene cattle', 'acted reduce time', 'a80v jb2', 'yield 0001', 'class small non', 'method set 164', 'shoulder width number', 'variability remains explored', 'curve 21 dpi', 'white pig population', 'conclusion finding provide', 'measure density', 'fetlock oc fetlock', 'especially lipolysis insulin', '14 10 16', 'cell dna', 'using taurine breed', '15118951g identified', 'nineteen region', 'reproduction ovine', 'pathway identified common', 'increase tnb', 'conclusion demonstrate multi', 'effect dependency', 'milk sample applied', 'col18a1 associated fcr', 'flanking region using', 'npl previous study', 'haplotype associated growth', 'region cattle', '17 csn1s1', 'value analyzed different', 'implemented perform genome', 'horse animal exhibited', 'detect genomic region', 'nematode resistance varies', 'gestation length association', 'hpai complex', 'scd single nucleotide', 'level study', 'fertility treatment maternal', 'altering biogenesis', '27 146 snp', 'cm ssc7 respectively', 'included candidate gene', 'sc 16 udder', 'cartilage develop', 'study showed using', 'property including carcass', 'notably single', 'trend sheep', 'backfat ebv', 'wool trait sheep', 'canada showed', 'tissue 83', 'haplotype linkage disequilibrium', 'affect birth weight', '26 estimated', 'boar taint main', 'color color color', 'role establishment optimal', 'method identified region', 'degree persistency', 'exon 10 igf2', 'pietrain sire', 'causing seriously economic', 'population 238 individual', 'analysis number', 'zebu breed meat', 'effect allele candidate', 'affected pig', 'production breeding', 'experiment future', 'associated abortion stillbirth', 'design trait', 'genome scan involving', 'effect result', 'allele observed size', 'weight respectively locus', 'record 1894 multiparous', 'coincidence indicate common', 'day heifer', 'size experiment propose', 'affecting cwt bta20', 'pch pwh breed', 'suggesting partially sex', 'somatic growth avian', 'included lc', 'snp associated meat', 'chromosome significant correction', 'directly sequenced', 'different qtl segregating', 'cestode infestation', 'genotype mc4r', 'meat tenderness mt', 'ttn sus', 'important qtl', '976 aa genotype', 'ca 456', 'height identify', 'swedish holstein', 'grivette olkuska', 'ccl2 gh1', 'factor assessing', 'country pig castrated', 'oxtr htr2c', 'snp left significant', '37 mb ssc12', 'revealed seven', 'genetic factor rao', 'scd gene total', 'snts cattle', 'statistic multiple piece', 'assay quality control', 'marker short', 'region micrornas', 'revealed family segregating', 'carcass trait basis', '10 respectively identified', 'spop ngfr gip', 'landrace pl synthetic', 'afp plasma insulin', 'tissue sensory panel', 'genotypic characterization', 'rflp tested association', '23 genomic region', 'improve ifc', 'clinical clinical case', 'expression gwas', '45 sheep', 'mb gga2', 'scale genomic structural', 'development bcse locus', 'pleiomorphic adenoma', 'rate 17', 'sow largely', 'detected f2', 'followed meta analysis', 'meaningful miga2', 'synthase fasn multifunctional', 'pure line 19', 'analysed putative', 'used obtain detailed', 'week weight qtl', 'strength endosteal', 'yeast pdr5', 'higher growth rate', 'provides new knowledge', 'analyzed population 16', 'age puberty 07', 'upstream gnas', 'overlapping nonoverlapping region', 'protein abundance', 'mineral content involved', '11 58 respectively', 'sheep ninety microsatellite', 'gwas used', 'eca18 developed highly', 'chromosome btas', 'investigate contribution genetics', 'significantly improved', 'infection cattle significant', 'gene association clinical', 'apart prnp reported', 'involved developmental process', 'hgd drai genotype', '257 microsatellites', 'similar genetic', 'meat content', 'reciprocal cross iranian', 'study suggest neuronal', 'yield dmy', 'blocking percentage csfv', 'trait body shape', 'animal common environment', 'score indicator mastitis', 'glucose transporter member', 'present study 10', 'grazing condition period', 'qtl family', 'liver major', 'directly use original', '36 result suggest', 'scale using step', 'phenotype multiple', 'possible opportunity snp', 'phenotype targeted molecular', 'sdhc orthologous', 'improved teat', 'using nrr', 'based snp 16', 'extremely predominant test', '240 horse second', 'genotyped porcinesnp60', '10 additive genetic', 'copy number', 'population stratification furthermore', 'present human', 'sib analysis total', 'tissue seven snp', 'genotyped 76 microsatellite', 'multiple snp association', 'pre infection', 'gblup model fitted', 'research detect', 'capacity thawing cooking', 'study linked qtl', 'chromosome hsa', 'variant affected', '6723g utr', 'decreased hind leg', 'data utilized study', '90 confidence interval', 'specific iga', 'exists number thoracic', 'muscle organ development', '14 bvs', 'snp strong', 'disease trait included', 'susceptibility scrapie basis', 'established specifically', 'descended commercial elite', 'puberty nellore cattle', 'body weight piglet', '1596 genotype snp', 'data underline importance', 'squares method', 'a11471g t12495c', 'gaussian poisson distribution', 'identified enhance marker', 'cause change meat', 'increased density snp', 'redness bco', 'included high', 'trait cross', 'experiment wise level', 'responsible mediating', 'basis mastitis resistance', 'gwas standard frequency', 'mutation exon', 'parasitaemia anaemia', 'elovl6 scd plausible', 'future work test', 'bull explored', 'kingdom fec used', 'gene i199v', 'plumage color uniformity', 'mhc allele important', 'snp 34208c genotype', 'commercial layer', 'effect f2 erhualian', 'combining gwas', 'detection approach using', 'bm4208 inra084 qtl', 'qtl varied', 'acid conclusion', 'subsequent generation cortical', 'qtl different breed', 'frequency 85 average', 'genomic technology', 'tn 95 cm', 'ssc18 discovered ap', 'gave evidence significantly', 'comb color', '1226t negligible effect', 'different muscle', 'sowpro90 enriched positional', 'component approach', 'fwec infection eosinophil', 'polyadenylation element', 'oocyst count foc', 'dorsi semimembranosus muscle', 'coincided known quantitative', 'elovl6 elongase', 'point wise', 'taken average age', 'ssgwas conducted', 'phenotypic information sufficient', '533c highly', 'adg vaccinated pig', 'disorder identify cnv', 'family result provides', 'associated wg', 'mapping mouse', 'multi locus model', 'future fine', '19 chicken', 'il 13 result', 'acid taurine indicine', 'hyperpigmentation egg production', 'observed trait indicate', 'possible objective', 'true linkage minimum', 'proof principle analysed', 'point population result', 'covered 2282', 'microsatellite marker chromosome', 'region population snp', 'sire 3070 significant', 'complement c1q binding', 'born variation large', 'peak sst_dg156121', 'pig yorkshire berkshire', 'used study individual', 'contortus breed reported', 'change protein function', 'rad51c birc6 tex14', 'gene 12 mb', 'average logp used', 'proliferative renewable', 'trait endocrine trait', 'gwas signal', 'clrn1 gene study', 'member tight junction', 'breed known low', 'likely essential', 'illumina equine snp50', 'pool sequencing method', 'region iberian', 'region vertnin', 'setd7 liver adipose', 'age similarly', 'statistical analysis lamb', 'clear parent origin', 'effect low', 'gain accuracy bayesian', 'mean estimated breeding', '93 mb bta14', 'low variability', 'understanding role', 'thermal tolerance utt', 'method dramatically', '12 15', 'located gga14 analysed', 'genotyped horse', 'dairy sheep population', 'lta gram', 'estimated allele', 'considered method used', 'egg industry', 'gene snp locus', 'parameter growth curve', 'result represent genome', 'sc uw cddr', '243 sweden', 'result displayed', 'study present', 'located potential transcription', 'snp fell', 'qtl eca2 15', 'chromosome region corresponding', 'gene epigenetically regulated', 'merino sheep 43', 'study presented', 'snp accounted 12', 'breed 48', 'susceptibility addition', 'manner unrelated', 'total 470 significant', 'sp3 sp9', 'testosterone estrone sulphate', 'exon flanking intronic', 'junglefowl ancestor', 'transmission disequilibrium test', 'artiodactyl myadm like', 'difficulty identification', 'gene affect variation', 'independent information', 'sequenced reveal', 'vicinity site', 'associated pork', 'portion genetic', 'test broad range', 'mb showed clustering', 'trait locus analysis', 'prl selected', 'cmya1 gene', 'trait leg weakness', 'candidate gene dairy', 'position 68', 'special region', 'nested 46 sire', 'exon change codon', 'infects chicken', 'furthermore haplotype based', 'designate incidence ketosis', 'economically important lowly', 'longevity genome wide', 'grouped according', 'breed population f2', 'sw1823 main conclusion', 'proopiomelanocortin pomc', '2004 2004 2005', '497 f2', 'population known', 'muscle structure', 'discovered family', 'loin muscle sample', 'polymorphism associated productivity', 'fatty acid elongase', 'displayed internal organ', 'size used', 'death fd fetal', 'inherited polymorphism horn', 'marker assisted introgression', 'gene associated mastitis', 'snp likely', 'interacting locus analysis', 'polymorphism flavour', 'genotype increase power', 'mstn cattle', 'mortality young cattle', 'region affect tenderness', 'locus successfully', 'analysis based gwas', 'gene maybe', 'sd growth trait', 'binding protein', 'control removal sex', 'promising result', 'beadchip 40833 snp', 'polymorphism analysed seven', 'number consistently', 'prl csn3', 'tenderness chinese bos', 'enriched gwas signal', 'gemma emmax produced', '53 copy respectively', 'allowed fine map', 'seven coding variant', 'understand influence natural', 'analysis literature mining', 'association fmo3 polymorphism', 'module detected wish', 'power data', 'egg trait nearly', 'genomic imprinting', '18 distance 8kb', 'bull low', 'object test milk', 'order ass', 'bw growth', 'height withers chest', 'effort rest breathing', 'angle chromosome respectively', 'loin analysed individual', 'frequency obtained', 'marker sw2456', 'reduced null', '54 29', 'cattle detected novel', 'function related lipid', 'broiler performance trait', '22 cutlet', 'association incidence mastitis', 'coincided number body', 'genotyped used qtl', 'illustrate underlying mechanism', 'pig population including', 'multivariate mixed', 'severity ovlv induced', 'body length 05', 'snp 832g', '70k snp array', 'allocation scheme number', 'load pathogen mean', 'member nuclear', 'trait pig haematocrit', 'adjusted phenotype provided', 'seven cattle breed', 'stallion estimated', 'resolution mapping', 'trait considered deformed', 'regression analysis jersey', 'hgd identified encoding', 'population growth trait', 'ph24 drip loss', 'additional chromosomewise', 'measure resistance', 'population included 180', 'transversion exon 10', 'vital foundation understanding', 'amplicons sequencing genetic', 'density mapped using', 'family allele snp', 'association allelic', 'significantly 001', 'expression implemented', 'assessed cattle', 'meta analysis method', 'resistant animal suggested', 'statistic enabled', 'snp growth carcass', 'lactation subclinical', 'analysis perform genome', 'drip loss reflectance', '21 fatty', 'intergenic region', 'feed intake weight', 'variant population different', 'sa snp 270t', 'line commercial', 'genetic variation impact', 'lactation convincing result', '56 kg 024', 'effect number qtl', 'based seminological', 'body energy', 'examine change', 'qtls effect protein', 'near dgat1 yield', 'zealand australia', 'mapping population basis', 'nr dj', 'health production reproduction', 'location different mutation', 'bovinehdbeadchip perform', 'affecting fat yield', 'qtl using model', 'studied second', '649 normande cow', 'carcass measured individual', 'chromosome utilized genotyped', 'family fat', 'mutation revealed chromosome', 'ww long yearling', 'adipose tissue snp', 'detected using geneseek80k', 'specie alternative designed', 'fat correspond identified', 'gg genotype', 'association study f2', 'physiology mammary', 'qtl depends density', 'response sge', 'qtl providing 6911', 'carcass quality growth', 'profitability animal milk', 'rt pcr expressed', 'close gene elovl6', 'association million imputed', 'gblup variance component', 'background currently', 'melanoma predisposing', 'alter function', 'cutaneous malignant', 'nonzero heritability 12', 'meat trait a17g', 'genetic variation genome', 'overlapping region identified', 'gene variant intramuscular', 'analysis based data', 'different analysis approach', 'proportion occurrence supernumerary', 'located 29 kb', 'value response', 'account genetic', '32 pietrain sire', 'comprising seventh generation', 'appear controlled', 'gene influence trait', 'fat mapping accuracy', 'genotyped panel 133', 'signal functional', 'contribute selecting', 'region gene revealed', '11 genomic', 'cholesterol chol', 'ssc1 using f2', 'infanticidal sow 05', 'detection scan including', 'trait udder health', 'genotype result suggested', 'identify hepatic gene', 'tissue single nucleotide', 'variance direct', 'determinant meat quality', '12 ssc2 ssc3', 'mapped generation advanced', 'loin muscle', 'following phase reconstruction', 'noncortical bone', 'existence position', 'mir206 mir133b snp', 'positive false negative', 'qtl nn', 'researcher generation', 'assigned highly', 'type urokinase', 'weight gain percent', 'holstein cattle strategy', 'thirteen snp', 'development growth hormone', 'fish breeding', 'mc bta additionally', 'sampled different chinese', '01 rs14678932', 'earnings genome wide', 'economic value combining', 'significant epistatic qtl', 'value developed breed', 'secondary effect caused', 'optimize ability', '95 81', 'weight lipid', 'influence fat deposition', 'assistance required calving', 'gapit software total', 'organ elucidated', 'maintaining low', '2203 6321 hol', 'ibk economically', 'investigated strongyle faecal', 'structure ignore additional', 'linkage map comprising', 'analysis identified common', 'week 10', 'gene expression profile', 'organ weight mainly', 'gene valuable', '05 furthermore bird', 'female chicken', 'expression lead', 'end long', 'acid composition modulation', 'ram allelic', 'ethical reason', 'yr abdominal fat', 'initial cross', 'locus effect boar', 'dairy goat', 'fat respectively frequency', 'experimental prrs', 'effort implementation', '68 sd minolta', 'candidate gene scube3', 'area overlapping milk', 'primary effect cw', 'rs330779504 ld', 'design association', 'gene whc', 'genotype tt genotype', 'limousin blonde', '2015 99 mortality', 'strong candidate', 'used linkage mapping', 'e3b encoding gene', 'suggestive linkage protein', 'qtl allele descending', 'significance determined permutation', 'thoracic vertebra significant', '135 768 cbs', 'gg cc', 'controlling poly length', 'qtl feed', 'trait milk 59e', 'bta6 identified region', 'located significant qtl', 'previously suggested', 'body composition qtls', 'quantitative pcr', 'identified oar3 qtl', 'snp rs41256901 protease', 'population excluded', 'phkg1 revealed point', 'background genome wide', 'sequencing containing missense', 'complex region', 'explaining additive', 'expression level bmp15', 'mbl mediates activation', 'pigment intensity given', 'au rich', 'human associated cognition', 'size metabolic', 'genomic region muscle', 'conformation trait qtl', '32 polymorphism tested', '79 04', 'sequencing single nucleotide', 'disorder digestive', 'poultry industry great', 'snp associated significant', 'association trait locus', 'jf748727 2836 showed', '44 growth fatness', 'discovery rate estimated', 'animal distributed', 'mc1r known main', 'week serum', 'qtl effect dependent', '191 genotyped', 'neighbouring microsatellite marker', 'partial linkage map', 'examined 729 association', 'chain omega fatty', 'challenge facing', 'importance provides robust', '27 11', 'btas 14', 'f8 f10', 'investigated clinical chemical', 'box sox9', 'syntenic region', 'td proximity', 'total 681', 'cyst using', 'position 159', 'mutation prnp locus', 'close fabp4', 'ai carry risk', 'chromosome 12 16', 'muscle 540 progeny', 'homozygote genotype', 'bta13 bta14 bta18', 'group ocd', 'predisposing factor', 'resistance linkage study', 'study variability', 'bovine placental', 'linkage disequilibrium equine', 'resulted nominal', 'viral disease', 'predominantly duroc', 'effect resistance', 'subsequently determine locus', 'association study feasible', 'horse genotyped million', 'gc gene underlies', 'close fabp4 fatty', '351 353 cm', 'yield lean', 'important role imprinted', 'evidence mutation apob', 'pig revealed', 'high pta dpr', 'bta5 evaluate', 'critical region', '36 region located', 'follicle hypothesized', 'n229h tbg polymorphism', 'inherited developmental disease', 'intermediate filament organization', 'mb 141 mb', 'ketone body mainly', 'behaviour trait', 'used distinguish', 'located myostatin gdf8', 'sod1 runx2', 'p2rx3 nr2f2 oas1', 'trait including tight', 'estimated effect time', 'related fa profile', 'line dna', 'dna collected tested', 'trait estimated using', 'computed genotyping', 'length metatarsus', 'host specie worldwide', 'evaluation commercial duroc', 'danish swedish holstein', 'associated hematological', 'pathogenic influenza infection', 'large increased', 'mutation problematic', 'glm significant', '44 313 046', 'addition snp', 'allow powerful analysis', 'result snp identified', 'model myo3b', 'considered important candidate', 'marker map containing', 'swine immune', 'technique qtl identified', 'cohort cattle', 'sheep similarly rs17196799', 'ptprt ptgs1 fras1', 'ocd chromosome', 'effect obtained luh', 'detected qtl jersey', 'density mapped', '229 kg whilst', 'horse custom genome', 'study 322', 'snp potential role', '109 microsatellite marker', 'significant imputed sequence', 'national center', 'tt genotype mean', 'useful quantitative', 'included significant', 'encodes plasminogen', 'bta21 14', 'deviant haplotype hap1', 'gip 15 synonymous', 'quality greater', 'representing meat lightness', 'gene result microarray', 'putatively linked', 'abcg2 igf1 association', 'factor affecting glucose', 'korean native pig', 'reported churra sheep', 'la performed sheep', 'hw trait week', 'coincided shank', 'respectively digested smai', 'illuminaporcine60k bead chip', '13 21 identified', 'importance including', 'baseline leucocyte', 'study clearly', 'comparison gene expression', 'multiple regression', 'high reduced', 'squared test bonferroni', 'window relatively higher', 'samtools used', 'phenotype investigate', 'porcinesnp60 beadchip technology', '10142688 bp', 'large number marker', 'concentration ppn0 945', 'tmem38b rad23b', 'sf myofibrillar fragmentation', 'current selection', 'performed cow living', 'ssc5 ssc6 sscx', 'trait multimarker regression', 'length agreement result', 'wide significance bta', 'genetic difference survivor', 'number qtl meat', 'processing tm qtl', 'considerable phenotypic', 'pre post vaccination', 'calculate independent', 'reflectance value', 'class end', 'observed genotype substantial', 'disease alternative strategy', 'previously addition identified', 'le 10 cm', 'fy body weight', 'mixed model included', 'scan data analyzed', 'unclear study association', 'assay result', 'hdl low', 'acid residue', 'muc13 likely responsible', 'wool yield average', 'crossbred cb pig', 'locus growth trait', 'porcine decr1', 'size total 25', 'located approximately', 'interval 12', 'chromosome result varied', 'finally eliminate', 'horse pph', 'rvtv value', 'searched linkage 51', 'influencing rfi', 'significantly lower mean', 'gga23 gg27 qtl', '1927 animal genotyped', 'affecting fertility calving', 'fertility economically important', 'model common genetic', 'rock line total', 'suggesting polygenic character', 'qtl obtained analysis', 'qtl location growth', 'duroc synthetic', 'multigenerational pedigree estimated', 'family 1121', 'breed qtl', '3533t 615', 'khorasan studied', 'using generation', 'natural suis infection', 'sample stallion method', 'causative polymorphism', 'grade 25', 'improvement milk', 'certain result', 'body size genotyped', 'f2 intercross slow', 'underlie important', 'component circadian clock', 'qtl respectively fat', 'milk yield chromosome', 'residual maximum', 'rodent sequence gene', 'gene expression genetic', 'polymorphism combination', 'study gwas augmented', 'detection power gwas', 'useful marker assisted', 'indicate dgat1', 'improved using', 'used inferring', 'previously discovered association', '62 71 cm', 'qtl food conversion', 'strategy map', 'expression abhd16b detected', 'applied stringent test', 'closely linked qtl', '29 bos taurus', 'growth reduced', 'provide support', 'posed significant challenge', 'indicus animal information', 'reared grazing', 'ranged 44', 'bone quality detected', 'new information', 'susceptible resistant serovars', 'thickness egg', 'fine mapping qtl', 'genotyped individual identified', 'md susceptible mated', 'sheep junken type', 'substituting allele', 'trait applying qtl', '98 10', 'measured leg weakness', 'gene f₂ resource', 'line performed genome', 'production milk', 'genomic location fat', 'phenotypic association detected', 'effect stillbirth calving', 'studied researcher effect', 'mutation perform', 'including chondrogenesis lack', 'value production', 'association 01 snp3', 'weight parental chicken', 'value pork gain', 'novel qtls', 'qtl trait region', 'refinement qtl', 'yield breed holstein', 'profile gas', 'phi additional', 'points pre', 'role protecting', 'fat fat protein', 'effect dlk1 previously', 'independent mutation responsible', 'region contains weak', 'increase fast', 'nucleotide utrs', 'lipid mrna', 'based gene expression', 'arid1a rxrg nfatc4', 'bta14 using', 'locus study', 'resistance method', 'variant underlie', 'variant highly expressed', 'cac calpain uac', 'harvest weight', 'showed cc', 'breeding program especially', 'genotyped 167', '16q21 1878', 'acop chromosome harbouring', '578 bull characterized', 'pgrmc2 gene', 'progeny carried', 'region quantitative trait', 'genotype genotype', 'validated gene', 'abnormality elongated narrow', 'normal feed intake', 'lactation mammal study', 'cow tested mastitis', 'sexual maturity bw', 'utr pig ucp3', 'detection sex', '159 649', 'function immunity', 'growth rate discordant', 'seven significant snp', 'fat line gene', 'superiority relative', '39328 rs132865003', 'gain genotyped fish', 'effort marker', 'implied trait', 'eggshell cause', 'yellow shank', '69 microsatellite', 'based sire line', 'casein percentage 43', 'total 55', 'information refers', 'lin7c cxadr adam12', '46 cm 65', 'initial cross founder', 'causing muscle damage', 'information illumina', 'mean reached', 'snp comb dataset', 'association aa', '588 128_79 588', 'genotype 05 nce4', 'genotype 136 microsatellite', 'backfat thickness thorax', 'hemoglobin concentration', 'horn length base', 'moderate minor', 'high heritabilities close', 'identified qtls water', 'maintained absorption retention', '160 animal cross', 'fescue toxicosis polymorphism', 'caspase gene', 'implicate ew different', 'mapping nineteen', 'mutation t32742394c t32742468c', 'standard deviation sd', 'believe study', 'included faecal', '100 microsatellite locus', 'qtl ff', '00246150 hapmap50366', 'physiology gene cluster', 'trait ssc4', 'bta5 detected significant', 'depot pig', 'linkage map using', 'motility observed', 'marker 261 evaluation', 'understand possible', 'balance bovine', 'score assigned based', 'sample agreement', 'largest value', 'genetic basis underlying', 'qtl main objective', 'including snp candidate', 'different gc genotype', 'specie conduct', 'substitution widely', 'sb number', '5305c exon lg', 'effect new marker', 'post brsv vaccination', 'lp1 second', 'region prl gene', '19 78', 'hormone responsive', 'validation qtl', 'pedigree combination design', 'protein lacking 40', 'explained important fraction', 'ssc1 ssc2 ssc5', 'nfκ signalling', 'spata31e1 notch1', 'hyal1 xirp2 frzb', 'mortality pm', 'muscle low', 'selection ma ipn', 'architecture scant histochemical', 'ssc1 total', 'broiler dam', 'infected lolium', 'phenotype like metabolic', 'data animal', 'variance total bone', 'gene cluster largest', 'generation population available', 'senepol romosinuano sharing', 'model comparison based', 'related difference meat', 'high density single', 'higher hot', 'revealed 61 qtl', 'scanning fifth lumbar', 'present result effectively', 'calpastatin cast breed', 'complex trait major', 'qtl imprinting model', 'line proved successful', 'contribute marker snp', 'objective pituitary specific', 'muscle development thickness', 'annually identify', 'marker association test', 'apart approximately 12', 'surveyed corresponding gene', '24 qtl located', 'bta4 bcs', 'autosome bta 16', 'ssc18 significant 01', 'mb flanking', '412 insemination', 'distal ilsts081 result', 'fatness observed chicken', 'microsatellites autosomal', 'maybe play', 'resulting cross', 'faecal oocyst count', 'infection prevalence 45', 'a11471g t12495c g142a', 'indels important regulatory', 'individual used new', 'let 7c', 'mapped significant', 'block contained gene', 'preliminary analysis anova', '47673g associated', 'ssc13 137 mb', 'diversity prrsv prevented', 'lr h2', 'microsatellite marker genotyped', 'interestingly rs80805264', 'qtl region greatly', 'week 05', '071 duroc', 'analysis showed high', 'female animal serpine1', 'gnas region milk', 'sequence comparison revealed', 'breed clustered', 'flock american', 'belgian warmblood', '54 001', 'classical gwas approach', '13 interesting marker', 'subunit capns calpian', 'outbreak analysis', 'percentage increase', 'loin detected ssc1', 'background pig important', 'mutation rt pcr', 'nearby qtl', 'list gene', 'follicle order', 'sample difference expression', 'association suggest', 'joint analysis family', '100 landrace', 'frequency 85', 'detected suggestive', 'scapula ulna', 'infection nominal', 'reported highly associated', 'productive 10 30', 'study shown significant', 'genotype maternally inherited', 'using cri', 'gwas body height', 'f2 progeny', 'trib1 untranslated', 'qtl explained large', 'association seen', 'snp50 beadchip result', 'growth trait markedly', 'factor binding site', '35 42 49', 'function muscle', '021 significant association', 'incidence randomly selected', 'respectively phenotypic variance', 'region bta6 differing', 'snp quality trait', 'hmgcs1 addition', 'linked pig base', 'located mb region', 'search gene influencing', 'qtlr element shown', 'peripheral quantitative', 'discovered decr1 cbfa2t1', 'length shoulder ham', 'association stage', 'family significant autosomal', '19 20 24', 'mapping facilitate search', 'included objective subjective', 'sequence variation complex', 'different genetic variant', 'obtained f2', 'cattle biological', 'snp discussed', 'comparison revealed', 'rfi regulated', 'surrounding snp span', 'globulin cbg', 'polymorphism affecting potential', 'conservation identify', 'ppargc1a gene milk', 'reproductive efficiency swine', 'h7n3 sample', 'white 66e 04', 'reflect condition', 'identified serum', 'synthesis metabolism', 'culling rate', 'trait essential diagnostic', 'pietrain sow allele', 'segregate cattle breed', 'il production virus', 'tested study', 'segment human chromosome', 'muscle backfat', 'result support involvement', '156_157del polymorphism identified', 'controlled genomic region', 'autosomal chromosome qtl', 'protein composition milk', 'data set 003', 'milk peak 42', 'ultrasound backfat ultrasound', '002 23', 'obtain expression', 'qtl effect report', 'specific sex', '100 my100 250', '235 autosomal', 'indole skatole fat', 'recently associated', 'tpte2 epha5 nbea', 'using total 240', 'content imf affecting', 'thyroglobulin tg growth', 'breed specific', 'literature revealed', 'multiparous assaf ewe', 'snp genome wide', '12 71 10', '283 607 observation', '321 f2', 'animal ag genotype', 'bm2830 eth152 greatest', 'order refine', 'suggestively associated lp', 'gene predictive', 'collected dasan', 'using mtdfreml', 'efficiency trait yellow', 'maturity bw sexual', 'revealed qtl middle', 'composition qtl chromosome', 'population sire line', 'data 211', 'window detected', '2002 06 2009', 'comprised 260 microsatellites', '313 chicken allele', 'combined model', 'pig snp rxrb', 'analysis variant haplotype', 'causal mutation responsible', 'sheep analysis', '1052 seq', 'infection intertrait', 'technique 30 60', 'position hinders', 'law prevent breeding', 'process involved', 'requisite practical application', 'normal general', 'association promoter genotype', 'elovl6 relative', 'acaricide manage tick', 'il8ra ccr2 genotyped', 'qtl refining localization', 'passive immune', 'percentage ema increase', 'simulation study clearly', 'mean growth', 'foki pcr rflp', 'association confirm location', 'disease phenotype finding', '15 positional', 'laboratory estimate', 'rate difficult difficult', 'genotyped 39', 'hct hgb', 'rflp dgat1 primer', 'insight genetic control', 'rainbow trout provided', 'present meishan', 'mixed model analysis', 'process involved adg', 'promising locus', 'quality hpa', 'studied using glm', 'genetic architecture ultrasound', 'ii designed database', 'increase 43 gp', 'cm region pig', 'ghr f279y', 'hydratase hydroxyacyl coa', 'snp rs81465339', '64 9mb', 'haplotype significant association', 'located coding sequence', '13 12', 'ai sire deregressed', 'predicted result', 'suggesting involved', 'ham objective', 'early domestication chicken', 'genotype potentially applied', 'significantly associated carcass', 'detection livestock specie', 'acsl4 f2', 'enabled detection', 'background female', 'snp located ssc', 'conceive tbrd validate', 'sow investigated', 'parameter productive', 'analyzed qtl', 'following infection including', 'unassigned linkage group', 'cattle used compressed', '039 respectively', 'cyfip1 ptpn1 bin1', 'receptor associated', 'revealed tef1 variant', 'detect mutation fabp', 'interval qtls sharply', 'pig derived', 'related population asian', 'genetic dissection', 'proposed map qtl', 'method meta analysis', 'wg42 despite genetic', 'food intake important', 'lamb family', 'cell count cited', 'crossbred pig furthermore', 'span 30', '16 showed', 'age 12', 'carried considering', 'nsb 370', 'pair revealed', 'increase meat', 'positive post', 'detects core', 'rib weight', 'haplotype block mainly', 'analyzed independent replication', 'wide mixed linear', '76 bos', 'containing 16 035', 'precise position associated', '01 birth weight', 'prrs economically important', 'selection improve range', 'based information generated', '110 mb galgal6', 'utilizing larger sample', 'expression link variation', 'bull lipidome', 'orejinegro bon', 'total 17 qtls', 'quality trait carried', 'regional variance', '21 days 96', 'differing frequency', 'locus cross', 'remained independent', 'sire seven breed', 'epidermis dermal shank', 'effect endophyte', 'region necessary', 'rad snps uncover', 'piglet birth weight', '045 observed', 'il8 activity vitro', 'fat important', 'pde4b1 pde4b3', 'content ph', 'ligand ldl receptor', '15 20', 'gwas indicated shared', 'genotype future selection', 'analysis modified linear', 'intercross domesticated white', 'approached significance marker', 'content trait reduced', 'sperm abnormality rate', 'gain animal snp', 'chicken chromosome candidate', 'linked hoxc8 qtl', 'drive antitumor mechanism', 'regulating transcript processing', 'height heart girth', 'qtl growth response', 'irrespective oh shamo', 'ph reflectance value', 'used selection cow', 'fertility trait swine', 'additional seven', 'combination expected 24', 'taurus chemerin gene', 'identify major', 'meat quality investigating', 'lead development diarrhoea', 'sequence based genome', 'exhibit peculiar pigmentation', 'gene ovine', 'mapped match qtl', 'ssc2 12', 'predisposition pleurisy objective', 'animal set 05', 'analysis snp 39a', 'identified facilitate search', '85 88', 'calpain classified rflp', 'lower airway', 'trait determine genetic', 'data blood', 'rib area water', 'analysis ipa', 'step 88 additional', 'fi 05', 'significant feed intake', 'trait commercial swine', 'porcine hd 70k', 'association trait milk', 'linkage analysis bovine', 'disease bcwd snp', 'region exon plin1', 'opn beneficial reducing', 'lr cross', '85 linear mixed', 'fat yield 23', '10 16 18', 'concern consumer', 'used 436', 'cause piglet born', 'controlling developmental', 'screening ssc4', 'cssm66 lying', 'study help elucidate', 'iii 246', 'mutation needed application', 'analysis aforementioned criterion', 'background identified', 'trait pig method', 'line haplotype', 'plumage black skin', 'lower corticosterone', 'concentration ketone', 'animal slaughter', 'causative gene detected', 'ssc8 qtl showed', 'approach unique capability', 'change occur period', 'muscle weight including', 'assisted selection objective', 'erhualian f2 cross', 'grade qul', 'prrs need validated', 'avpr1a targeted', 'bmd genetic', 'gene characterized', 'protein included proteolysis', 'model enabled', 'location bves', 'cluster identified increased', 'month qinchuan cattle', 'information univariate genome', 'total 39 snp', 'genetic background low', 'population study using', 'trait difference significant', 'salmonid specie identified', 'negative impact', 'threshold phenotypic', 'chromosome overall', 'level skatole 150', 'increasing level', 'breeding swine', 'employing gene', 'trait milk protein', 'lm qtl unexpectedly', '43 45 kg', 'cell line construct', '05 summary data', 'variation fat moisture', 'allele encode lysine', 'area animal exposed', 'functional relationship gene', 'genomics approach', 'mtnr1a hypothalamus polytocous', 'gene refinement qtl', 'study various specie', 'site potential regulatory', 'like greb1 pla2g10', 'majority qtl located', 'investigation selection genotype', 'fat protein casein', 'assignment role chromosome', 'weight respectively indicating', '35 1kb 12', 'analysis blood', 'cv included chip', 'purpose serum concentration', 'content located', 'suggest portion', 'associated increased ewe', 'tested 80', 'fasn snp rs41919985', 'point genome', '3794 genotype', 'leg muscle fiber', 'derived strain differ', '99 family size', 'significant meat quality', '51 35 bf', '49 study', 'using hy line', '223 belgian', 'radiographic density', 'beadchip study detect', 'marker map chromosomal', 'model dairy', 'melanogenesis indicating pleiotropic', 'higher efficiency map', 'qinchuan cattle summary', 'animal 93', 'qtl exhibited additive', 'dpyd casq2 znf518b', 'bovine milk product', 'snp hub', 'previously reported observation', 'significant snp mapped', 'showed significantly better', 'positive clone', 'resource including high', '10 allele', 'region 149', 'shank growth week', 'study focused bmp7', 'detected ssc6 fabp', 'region mediterranean country', 'fdr central', 'implies snp', 'preadipocytes overexpression wild', 'c14 percentage', 'qtl family 14', 'ghr growth hormone', 'rate age', 'effect order', 'associated imf longissmus', 'causative allele qtl', 'trait bta18', 'fat detected probably', 'trait piglet', 'adjacent single', 'gnrh neuropeptide npy', 'porcine chromosome data', '001 residual', 'qtl effect averaged', 'ssc13 bf', 'mainly family transforming', 'revealed gg ag', 'confirmed snp gene', 'extreme anai4', 'texel sheep benefit', 'breadth 12 week', 'complementary sequence target', 'allele population ranged', 'polymorphism snp left', 'lncrna different tissue', 'association slc39a7 polymorphism', 'linkage map large', 'posttranslational modification', 'pig better', 'chromosome 14 ldla', 'lower mean value', 'lesion available 918', 'line selected trait', 'test broad', 'win conflict', 'association genomic region', 'innate immune inflammatory', 'reproduction breeding', 'treated peak force', 'igf nonesterified fatty', 'analysis ibmap population', 'bta11 bta15 bta26', 'qtlr include gene', 'immune response level', 'marker ssc', 'program developed map', 'prkag3 fatty acid', 'confirmed qtl segregation', 'previously investigated genome', 'year study used', 'additional genome scan', 'alter gene expression', 'yw eggshell thickness', 'carlo method', 'qtl identified intercross', 'buttock fat thickness', 'containing positional', 'phenotype recorded 238', 'compared social', 'difference absolute', 'mapping identified total', 'investigated tissue expression', 'milk play important', 'ensure level', 'feed intake percentage', 'ew 32 60', 'gene detection understand', 'mbv created snp', 'providing genetic', 'cm showed', 'litter size ovulation', 'rs424642424 total population', 'characteristic size', 'potentially affected', 'qtl different', 'phenotype resembles human', 'ai service 405', '14 beef', 'mitochondrial activity structural', 'affecting pepsinogen concentration', 'map average distance', 'previous association study', 'parity cm2', 'associated c17 intramuscular', 'variation genetics', 'animal recorded twice', 'fn424076 1829t', 'marker reproductive trait', 'daily gain tmem18', 'principal finding combination', 'texel sheep fitting', 'process differentially expressed', 'allele effect opposite', 'exon tcap', 'expression fetal tissue', 'snp causative', 'lactoglobulin lg major', 'half siblings performed', 'milk production protein', 'allele frequency compared', 'quantitative average', 'effect largest', 'unknown copy number', 'second period received', 'bayesian variable selection', 'high significance position', 'warmblood horse', 'covering 135', 'gene male fertility', 'assisted selection important', 'using population collected', 'useful snp associated', 'polymorphism snp ucp3', 'eye muscle', 'chromosomal region showed', 'sequence level', 'content cell structure', 'eqtls overlapping phenotypic', 'different line', 'biological process involved', 'present study polymorphism', 'locus qtl explain', 'established role', 'sampled transcription expression', 'jointly determined productivity', 'pietrain pulawska', 'orchestra gene biological', 'expressing weight', 'microsatellite omyfgt19tuf test', 'sperm motility observed', 'typification carcass significant', 'specifically marker slc2a9', 'miescheriana fourteen', 'snp rs42518459', 'genome based', 'male piglet', 'polymorphism pig productive', 'population associated genomic', 'formed additionally 17', 'play role porcine', 'using pcr inverse', 'gdf9 point mutation', 'effect prrs', 'gene hairy', 'descended breeding', 'microsatellite marker subsequently', 'dopamine antagonist mediates', 'interval ii perform', 'associated significant dominance', 'dataset confirmed', 'validate genetic effect', 'intended investigate qtl', '700k illumina', 'small generally negative', '12 bone trait', '175 charolais ch', 'chicken f2 population', 'interval classical', 'instance slc22a18 gene', 'inflammatory mitosis', 'irx4 encodes iroquois', 'especially development primary', 'qtl egg quality', 'inherited phenotypic', 'panel consisting average', 'substitution leu phe', 'associated sc ebv', 'region gon4l gene', 'quality native chicken', 'residual animal model', 'pig extensive', 'calculated single', 'chromosome rs81476910 rs81405825', 'pedigree test day', 'genetic effect explained', 'myadm like', 'pig evaluated bf', 'sheep heterozygous type', 'fertility birth workability', 'associated fp fy', 'resistance mastitis important', 'gene equine', 'origin effect halfsib', 'qtl survival rate', 'genetic variant warranted', '1560 cm', 'snp located relevant', 'trans 11 c18', 'performed presence ssc6', 'combining result method', 'based breed', 'protein turnover', 'obesity mc4r variant', '73 qtl', 'muscle data suggested', 'respectively including', 'called marbling', 'syndrome result established', 'order identify', 'susceptibility jersey', 'twh collected dna', 'cattle breed conclusion', 'mutation qtl variation', 'identification revealed potential', 'monkey form identified', 'turnover nadp malate', 'contrasting result', 'certainty qtl', 'associated gpt', 'control fprs increase', 'commercial line pig', 'conjugated acid cla', 'fertility bull', 'firmness 01', 'meat marked', 'black cattle haplotype', 'significant 24 chromosome', 'mykiss genome scan', 'association buffalo substitution', 'developed using principal', '94 01', '44 leukotriene a4', 'method f₂ pig', 'study genotyped', 'allele marker bm719', 'population selectively', 'identified 42', 'lm association', 'genome wise bayesian', 'represented significant', 'sox high', '11 live', 'laboratory repository population', 'nitrogen yield', 'pork quality important', 'suggest distinct', 'ssc7 683 kb', 'background skeletal', '238 gene', 'equine lgb1 lgb2', 'genome scan family', 'considered result', 'impact long chain', 'marker pig', 'disease subjected repeated', 'behavior dtd pattern', 'interaction incorporated', '104 bp', '51 262', 'dehydrogenase indicator', 'ripk2 associated', 'dna test including', 'including thoroughbred arabian', 'ssc17 influence', 'weight region chromosome', 'mlw cross 565', 'survival study', 'detailed understanding', 'slightly significance qtl', 'associated biological', 'broiler line altering', 'effect snp07', 'mortem phase finding', 'yield peak fat', 'variation solution', 'compared chicken carrying', 'importance mt phenotype', 'highest additive genetic', '13 erhualian white', 'contrast previous finding', 'qtl gga', 'spaced 31', 'variance amova genotyped', 'gap43 lsamp suggested', 'disease offspring half', '78 suggestive qtl', 'polymorphism ablating', 'vf2 mapped close', 'european pietrain', 'cellular energy homeostasis', 'weight showed paternal', 'indicated fshr', 'genetic background iberian', 'calving conformation', 'head mapped 13', 'linked insulin epidermal', 'arginine gly69arg 1138', 'marker improve litter', 'revealed putative microrna', 'composition iberian', 'larger different', 'trait respectively', 'spite significant', 'allows performing', 'intron showed', 'ssc6 objective', 'investigate polymorphism', 'thigh drumstick yield', 'map variant milk', 'regulating rfi using', 'refractory mutation pcr', 'context qtl mapping', 'transmembrane protein 8b', 'srb grandsires', 'family phenotype pedigree', 'sytl3 051', 'thinning reanalysis additional', 'genotyping marker set', 'assessed test', 'gain 30 kg', 'mediated 528', '2834c 608 531', '12 significant 05', '190 half', '93mg milk milk', 'cm 05 removal', 'livestock production unraveling', 'fracture risk human', 'potential regulator localizing', 'mean selective breeding', '1026 lamb', 'model improve', 'mutation likely affect', 'indel 48476943_48476946insggc upstream', 'metabolic qtl increase', 'hind leg ssc', 'taurus cattle susceptible', 'effect qtl region', 'hanwoo cattle using', 'using map containing', 'snp based pedigree', 'lumborum et thoracis', 'rln etiology', 'harbored total', 'unknown etiology thoroughbred', 'variation gwa haplotype', 'restriction endonuclease', 'promoter 9657c led', 'using real data', 'associated bf gene', 'maternal perinatal mortality', 'phenotypic examination provide', 'fat deposition reinforces', 'dwarf horse breeding', '12 month tested', 'enzyme plasma homocysteine', 'diverse lipid composition', 'insight phenotypic evolution', 'including f6 population', 'impact dual luciferase', 'expressed sequence', 'atc associated body', 'general consistency', 'horse 917', '636a snp analyzed', 'later nsb2', 'male unusual', 'regional effect antagonistic', 'su wld 198', 'map orthologous region', 'bamaxiang tibetan', 'stage poorly annotated', 'delineating genetic basis', 'line following', 'map inconsistent', '15 gene pcr', '63 million', 'low heritability qtl', 'force snp', 'left ltn right', 'medium positive', 'dairy dorset ewe', 'used present', 'intercross resource', 'phenotype identified localized', 'associated appetite obesity', 'contribute identify', 'involved involution', 'used genotype half', 'taint related trait', '30 yr', 'resulting divergent bovine', 'kg 021 significant', 'map fine', 'sire obtained', 'measurement gene', 'used selecting breeding', 'used test imprinting', 'genotyped 304 pig', 'cm significant marker', 'production identification qtl', 'qtl carcass compactness', 'test dna piglet', 'followed detailed clinical', 'priority list gene', 'identified using second', 'considered complementary single', 'trait associated leg', 'nte result indicated', 'gene srd5a2 loc100518755', 'conclusion majority', 'carried crossbreds', 'tibia trait length', 'spanish churra sheep', 'analysis showed maximum', 'requirement lack appropriate', 'dominance component epistasis', 'variance uc dyd', 'worldwide approach', 'different criterion deal', 'level suggestive shank', '11 qtl cosegregated', 'experiment association considered', 'score mastitis', 'locus respectively conclusion', 'silico sequence domain', 'involvement lrp12', 'dyd associated region', 'population multiple qtl', '238 gene addressed', '30 20', 'period 120 240', 'musculus trapezius area', 'result qinchuan', 'selection 16 37', 'commercial brown', 'calving index sci', 'evidence significantly decreased', 'line set', 'mp ar score', 'previously reported ensembl', '51 35', 'consumer breeding', 'attracted researcher', 'olp analysis estimated', 'baseline trait', 'color korean native', '032 proportion loin', 'qtl time', 'application correlation', 'limited simply genome', 'optimally incorporated', 'showed good performance', 'mouse provided', 'gene mirnas lncrnas', 'sex average linkage', '46 81', 'analysed regarding', 'cow genotyping performed', 'supported previous report', 'correlation csnps bovine', 'research association', 'thermoregulation different genotype', 'fabp4 polymorphism tightly', 'mapped gga3 novel', '34 microsatellite marker', 'bayesian absolute shrinkage', 'eye area rump', 'lep hinfi animal', 'rflp showed', 'eqtl colocolizated', 'analysis availability', 'like red', 'polymorphism snp microsatellite', 'adverse effect animal', 'crucial responsibility immunity', 'used create', 'associated adg 043', 'wide level cut', 'duplication identified downstream', 'c18 1n', 'source riboflavin little', 'published association protein', 'provided useful guidance', 'progeny 20 angus', 'secondly data showed', 'resulting 266 progeny', 'approach estimate ibd', 'riding ensure', 'texel sire related', 'snp17 associated', 'characteristic component meat', 'weight oviposition', 'age genotyped', 'simply genome wide', 'confirmed study additional', 'klf15 gene bp', 'temporal impact', 'mhc 15', 'low weight line', 'mirnas mirna target', 'biochemical function', 'superfamily positive effect', 'conducted validate', 'variant 37455302g notch1', 'research skin wrinkle', 'value estimation long', 'avpr1a certain', 'crucial aspect', 'color mapped', 'plink software genotype', 'qtl chromosome analysed', 'qtl gp', 'genome impact intercept', 'gwa analysis 24', 'chl content expression', 'respect pleiotropy', 'hydroxysteroid dehydrogenases hsd17b14', 'variant designated', 'phenotypic trait considered', 'snp estimate', 'analysis tissue restricted', 'extended region association', 'organ cbg', 'trait studied fatty', 'examined association 11', 'molecular approach pig', 'noriker horse', '61 microsatellite marker', 'addition functional relationship', '216 305 milk', '201 65 tcf12', 'salmonellosis identified region', 'analysis draw final', 'enriched casein allowing', 'importance previously reported', 'cm marker bm4208', 'elongase located qtl', 'significant qtl mapped', '30 semen quality', 'breeding program meat', 'sox support candidacy', '443 snp analyzed', 'issue multiple testing', '44 576', 'lyw respectively snp', 'point candidate', 'effect ranging', 'associated cmya1 gene', 'programme enhance', 'stress including change', 'horse study', 'ccr heifer conception', 'trait qtl effect', 'growth curve assist', 'annotated bovine', 'quality chicken', 'serum lipid human', 'characterized phenotypic', 'resistance map holstein', 'crossbred pig used', 'cross pif1 purebred', 'region detected summer', 'putative qtls', 'considered static qtl', 'available commercial', 'stratification uncovered', 'capn1 causal mutation', 'bta7 detected', 'controlling ssc3p', 'genomic region 16', 'purebred horse breed', 'force weight using', 'development candidate gene', 'genetic variance later', 'structure information support', 'trait economically', 'beadchip immune response', 'bhb concentration strong', '10 family genotyped', '321 f2 87', 'confirmed mapped', 'qtl bta7 detected', 'result breeding perspective', 'sequence data used', 'bfw leaf', 'length 2350 cm', 'variant 13', 'mean imf', 'polymorphism fatty', 'families linear regression', 'production worldwide', 'dam resulting', 'pathway insulin triiodothyronine', 'microsatellite s0008 generation', 'osteochondrosis dissecans ocd', 'retirement animal', 'data bodyweight', 'scan using f2', 'displayed dependence quantitative', 'gene result significant', 'using selective sweep', '225 marker covering', 'high damaging effect', 'ssc1 qtl influencing', 'world result indicated', 'control qtl', 'locus heritabilities', 'selection ultimately improve', 'statistic fat', 'increasingly involved risk', 'ghanaian local', 'qtl effect increased', 'acid related', 'adjustment false discovery', 'birth reduce', 'leading comparable change', 'gys1 marker', 'research screened substitution', 'associated gene fcr', 'dairy sarda', 'glucose glu total', 'identified number candidate', 'predicted birth', 'model paternal maternal', 'ability detect', 'aetiology disease', 'effect feed', 'fabp yielding genotype', 'located untranslated region', 'threshold qtl', 'associated average bft', 'qtl region snp', 'mutation abcd4 gene', 'associated adfi rumen', 'domain containing adaptor', 'calpastatin cast high', 'intestinal length', '1606 gene', 'f2 population investigated', 'resource flock phenotypically', 'ssc17 c16 finally', 'region explains 50', 'essential define marker', 'panel chromosome electric', 'width 05 indicating', '81 02', 'study carried chest', 'fp frequent', 'congenital entropion 998', 'korea hanwoo feedlot', 'rtn absolute value', 'erhualian laiwu', '50 86', 'animal increased density', 'association involving', 'gene located', 'general result suggest', 'ssc13 novel qtls', 'growth retardation anaemia', 'breed angus charolais', 'trait animal different', 'significant chi squared', 'fatty acid significant', 'maximum likelihood odds', 'marker bm8246 mcm130', 'ibk disease genomic', 'snp genotype phenotype', 'basis resistance', 'complement qtl', 'permeability increasing protein', 'cdna microarrays target', 'postweaning growth result', 'ranged 10', 'birth lead', 'set snp marker', 'breed result', 'using single locus', 'bta23 dst', 'end chromosome bta2', 'network size weight', 'strain fcr', 'bta snp', 'locus identified genome', 'fore hindquarter joint', 'significant udder trait', '15 min post', 'explore region', 'trait directly ma', 'infection considered', 'average wool', 'diverse f1 cross', 'index mfi rib', 'application future breeding', 'testing gwas', 'confirmed purebred population', 'harbor exon annexin', 'highlighted connection variation', 'msc association analysis', 'es alternative', 'production present', 'followed estimation behavioral', 'model kcnb1', 'pleiotropy versus multiple', 'ab associated lowest', 'demonstrate altering carcass', 'potential functional', 'assessed analysing', '602 individual', 'enables identification novel', 'associated fp', 'detected ssc1 time', 'genotype available 53', 'negative regulator ppara', 'thoroughbred production', 'evaluation study', 'pig distantly related', 'gene trappc9', 'cow imputed sequence', 'discovered qtl milk', 'genotyped 315 microsatellite', 'taurus haplotype', 'test detect', 'male 22 kgf', 'month adg3', 'pleiotropic growth qtl', 'limited marker lra1', 'growth rate fat', 'qtl bta 26', 'fast method called', 'report using gb', 'nfkb2 agpat3', 'influence fat thickness', 'strength broiler', 'data offer', 'ryr1 prkga3 mutation', 'day 42 result', 'qtl mle', 'erythroid trait sparse', 'following finding marbling', 'sscx conductivity ssc16', 'causative variant', 'value subsequently', 'large half sib', 'management period animal', 'chicken thermoneutral heat', 'hair coat slick', 'oar3 oar11', 'variation cy aptitude', '11 g11', 'equine osteochondrosis parathyroid', 'association tested breed', 'cow high faecal', 'ahr placental', 'bmp7 singularly promotes', 'contribute great', 'using highly', 'broiler sire', 'qtl parent origin', 'duroc pig 226', '05 significance obtained', 'pork quality data', 'genotype displayed', 'subsequent autozygosity', 'result cofactor analysis', 'containing 17 343', 'haplotype trend', 'danbred durocs', 'transcriptomic analysis', 'difficult usually', 'result suggest expression', 'genotyped animal', 'dystocia direct effect', '05 shared', 'infection provided 13', 'study conducted identify', '13th 1959 potential', 'seven corroborate', 'montbéliarde dairy cattle', 'tested discovery validation', 'region scd', '486 steer collected', 'texel sheep', 'mdv jm', 'qtl position shifted', 'chromosome gene encoding', 'improving resistance', 'loss health issue', 'sequence similarity specie', 'parasitic infection', 'cattle summary result', 'association chicken', 'scan detected', 'btb susceptibility used', 'qtl mapping revealed', 'trait furthermore expected', 'increased difference skeletal', 'expressed adipose tissue', 'important studied', 'lr 299 large', 'british commercial', 'horse additional qtl', 'based data pig', 'pepsinogen pga5 locus', 'meishan european', 'cow grouped opn', 'provide unique', 'significant module', 'model mixed', 'crossing typical western', 'bp coding sequence', 'single epistatic', 'accuracy addition verification', 'receptor tgf betar', 'region associated trait', 'chicken breed green', '99 cm wt', 'bootstrap option', 'cattle conclusion result', 'study presented paper', 'important pathogen continues', 'available request', 'high imf content', 'f₂ resource', 'individual genotype gg', 'village chicken result', 'structure ctsd gene', 'age raspf7 specific', '76 60 respectively', 'evidence ew', 'bta6 close receptor', 'study analysed eye', 'kg milk protein', 'cow fertility', 'increasing decrease', 'analyzed including fabp3', 'post infection healing', 'coefficient intercept', 'large genome wide', 'underlying qtl confirmation', 'important role ucp3', 'ssc associated 105', 'evident pig chromosome', 'odd year tlum', 'use breeding scheme', 'gwas used understand', 'allocated autosomal', 'analysis showed ct', 'wide analysis 61', '21 qtl', 'induced tgfbi leukocyte', 'mirna ensbtag00000037306', '5043 bull international', 'defect previously mapped', 'disease chicken', 'mir206 mir133b respectively', 'f2 intercross pedigree', 'disequilibrium 88', 'investigate chromosomal', 'mapping required', 'varied 87', 'xm_001788152 1641t', 'holstein cow treated', 'mfge8 ghrl2 ldlrad3', 'year round oestrus', 'affecting adipose trait', '42 32 phenotypic', 'frequency obtained densitometry', 'uncovered thirty', '13 36 02', 'phenotype 500', 'significant difference protein', 'method used generate', 'content total', 'effective population', 'serve basis study', 'reported polymorphism', 'sex chromosomal qtl', 'cm marker seven', 'collected 620', 'including ocrl thbs1', 'related disease', 'relevant abnormal', 'trait identified locate', 'network contributing ascites', 'mammary disease frequently', '19 34 grandsire', 'according 660 transcript', 'functioning musculoskeletal', 'growth obesity trait', 'analysis second outbreak', 'cycle abdominal', 'contagious oncogenic highly', 'revealed qtl py', 'md caused', 'dam nested 46', 'spp paratuberculosis map', 'ability known trypanotolerance', 'compared genotype cc', 'pig day', 'content play', 'shear force identified', 'data key', 'specifically important', 'dj high heritability', 'finding suggest cd46', 'brahman hereford sire', 'cardiovascular disease obesity', '166 marker', 'cow indicated', 'bta26 mgmt bta6', 'model model including', 'poor bone quality', 'pathologic change navicular', 'rs13687126 rs13687128 rs13905622', 'multiplicative interaction', 'abcc10 gene allele', 'efficiency efficiency gain', 'issue cow', 'clinico pathological', 'fat snf enhancing', 'specific ige level', 'beadchip according infinium', 'higher osteochondral', 'fat duroc', 'pig carried', 'reactome pathway', 'enabled linkage', 'map consistent', 'near position 55', 'weight highly', 'validation aim', 'tanzania study', 'ewe influencing', 'chromosome ssc 49', 'nematode trichostrongylus', 'selection associated', 'information 282 individual', 'trait detected significantly', 'belonging spanish purebred', 'fat determined longissimus', 'thoracis nellore', 'variability meat tenderness', 'region major qtl', 'gene promising target', 'expression identified addition', 'naturally infected flock', 'previous finding suggesting', 'effect expected', 'gwaa identified', 'genotyped 564', 'ventricle hypertrophy', 'nomenclature calpain mu', 'catfish esc', 'performed sus scrofa', 'sheep body', 'tbrd hcr1', 'analysis method', 'snp slightly', 'raw weight', '30 yr genotyped', 'black wagyu', 'cattle 97 goat', 'qtl specific female', 'qtl additive coefficient', 'supported previously reported', '06 21 kg', 'described target', 'strong leg', 'disease outbreak', '5q14 15 1q32', 'large scale herd', 'performed combined', '15 genetic variance', 'puberty significantly affected', 'pathway oxidation', 'proposed potential gene', 'behaviour related', 'haplotype covering coding', 'escs dual luciferase', 'coding exon polymorphism', 'component modified', 'functional analysis association', '10 11 14', 'milk production udder', 'provide better understanding', 'worldwide understanding', 'affect bovine semen', 'progeny explaining phenotypic', 'problem animal', 'cattle includes', 'strain 28', 'qtl mapping sus', 'gwas exterior traits', 'non inbred', 'production horn likely', 'exposure mastitis free', 'suggested effort understand', 'underpin genomic', 'homeologous chromosome', 'sow different genotype', 'heterologous challenge alternative', 'result reported suggest', 'important characteristic', '81 83', 'including loin eye', 'trait identified vicinity', '23 component', 'factor play critical', 'frequency 205g', 'trait cattle evaluated', 'influenced tm qtl', 'associated haplotype encompassing', 'gene fragment snp', 'associated qtl bta', 'oar3_84073899 oar3_115712045', 'resulted 159', 'repeat cg', 'binding site paired', 'variant located gene', 'purebred ml', 'capn1 947g single', 'low pool', 'sire family qtl', 'catfish 250k', 'case control suggestive', 'role skeletal', 'ability lamb season', 'age phenotype', 'conduct gwas rna', 'sample 240 horse', 'segregated snp', 'genomic copy number', 'locus interval milk', '2b2 man2b2', 'sscx experiment consistent', 'oar11 densely spaced', 'slick haired', 'antitumor mechanism', 'second fourth generation', 'productivity feed', 'chicken static qtl', 'snp 76', 'immune response common', 'selected genotyped genome', 'size mass', 'line greater fat', 'recently human mouse', 'using rao', 'polymorphism snp calpain', 'locus fat yield', 'itih gene regarding', 'resulting 360', 'size cross anxa10', 'interval remain', '660 gene correlated', 'corresponded cw', 'database mining significant', 'scrapie largely', 'sex performance', 'percentage triglyceride', 'percentage af', '88 additional marker', 'model window comprised', 'attained chromosome', 'line qtl detection', 'constitute inherited', 'role innate acquired', 'sire represented', '0007 seven previously', 'subcutaneous fat colour', '247 snp', 'represent exceptional', 'ssc14 141 141', 'bwg fi strain', '15 17 23', 'particularly interesting non', 'regression analysis carried', 'estimated heritabilities h2', 'lymph node used', 'milk influence dna', 'report important quantitative', 'fv genotyped', 'f2 pig located', 'stress related', 'neutrophil cd8', 'modeling genetic', 'used endemic', 'animal genotype', 'vertebral column', 'animal welfare issue', 'fat content imf', 'moderate heritability frequently', 'value using', 'cow repeatedly', 'mammary gland using', 'used search candidate', 'trait swedish', 'phenotypic variation 12', 'genotype bmp15', 'marker used improve', 'revealed genome wide', 'piedmontese angus pa', 'linked located 171', 'consistency previous', 'performance sow linked', 'window consecutive', 'population validated study', 'gain adg prrsv', 'hour ph24', 'basis major', 'fabp level carried', 'detected confirmed', 'inheriting hereford', 'intercrossed produce', 'complex trait negative', 'chromosome omy 17', 'study clearly demonstrated', 'variation associated tail', 'including piétrain', '10 polyunsaturated fatty', 'analysis separately addition', 'indicated 2002c', 'biosynthetic process', 'skin thickness benefit', 'accretion male', 'cattle study association', 'screening trait', '588 soay sheep', 'teat number ssc1', 'weight ribeye area', 'snp greater effect', 'hap1 driploss', 'znf613 bos taurus', 'gene 118 chinese', 'fleckvieh population rw023', 'using additional marker', 'appetite nesfatin', 'histocompatibility complex', 'information specific mechanism', 'independent quantitative trait', 'genotype association study', 'linkage disequilibrium breed', 'extended study', 'cycle ebv', 'background contemporary dairy', 'previously quantitative', 'nox4 tgfbr3 tmx4', 'kg result', 'data related ketosis', '03 rft', 'level 11', 'ratio mufa', 'cell maintenance', 'database association study', 'sib family duroc', 'holstein bull sequenced', 'rs13997811 significant', 'putative mirna', 'including growth', 'resource population method', 'size record considered', 'correlation observed bft', 'bayesian approach growth', 'haplotype 15', 'progenitor modern chicken', '15th generation', '39 isu', 'relevant region', 'muscle subcutaneous', 'map constructed interval', 'antigen encoded different', 'mid fat depth', 'steer post natal', 'βa qtl', 'ibs calculation accompanying', 'cyb5a gene srd5a2', 'result based linkage', 'kind complex', 'population conclusion', 'related production efficiency', 'gemma emmax revealed', 'linked pig', 'expression placentomes study', 'substitution genome', 'bta13 data enabled', 'objective milk', 'industry genetic mechanism', 'result indicated rs14657336', 'affected meat colour', 'considered genetic improvement', 'qtl endocrine fertility', 'single sire', 'egg black plumage', 'ejaculation time ssc17', 'synthase dhps', 'microtia observed sheep', 'analytical technique based', 'comparative analysis ssc2q', 'unique haplotype', 'thermal tolerance generation', 'fly widespread sub', '12 unrelated sire', 'linkage disequilibrium conserved', 'used calculate', 'method weighted scores', 'significance level 10', 'suggest snp incomplete', 'tissue inner outer', 'rs723240647 coding', 'phenotype adjusted', 'rs13687128 rs13905622', 'identified intron', 'revealed ph15', 'maternally expressed imprinted', 'subunit sonic hedgehog', 'tg thrsp tph1', 'boar family 72', 'cross later', 'variability lipid related', 'qtl described iberian', 'distributed autosome', 'embryo development placenta', 'backfat conclusion result', 'investigated copy number', 'morphology sex', 'pig wild type', 'informative genotype preliminary', 'defense enteric', 'providing functional', 'attributable chromosomal', 'haplotype group trait', 'measured wwt ywt', 'leucocyte count', 'dominance relationship matrix', 'mdv rna', 'imbalance serpina6 suggests', 'bone cartilage', 'gene function related', 'subject sexual', 'value prediction followed', 'rna seq data', 'acyltransferase showed', 'characterization additional', '926 mon', '926 678', 'fixed factor', 'trait including lean', 'detected sus scrofa', 'pouch tympany gpt', 'rln 458 american', 'analysis identified total', 'trait maximum', 'controlling trait using', 'possibility using alternative', 'marbling score bm', 'locus blup procedure', 'breeding animal determine', 'qtl 10th', 'result supplementary', 'statistically indistinguishable pleiotropy', 'survival rate average', 'size used selection', 'rm188 ld mapping', 'compared case carcass', 'determination polled', '73 36 mm', 'production trait single', 'associated larger longissimus', 'genotypic data 225', 'respectively potential', 'agreement obtained', 'genoprob association', 'genotype rs42670351', 'ion transport', 'carcass fat', 'additional qtl identified', 'animal partially', 'workability trait great', 'genetic architecture underlying', 'tibetan sheep association', 'interacting qtl pair', 'cattle looked possible', 'position shifted approximately', 'gene telomeric', '59e bonferroni', 'area pigmentation', 'romosinuano carora', 'variation 52 snp', 'excludes linkage disequilibrium', 'dna based selection', 'information help elucidate', 'putative region', 'meat affect', 'percentage type iia', 'force cooked meat', 'early component reproduction', 'ssc2 ssc12', 'caa greater rump', 'linear skeletal', 'development skeletal muscle', 'region significantly differ', 'confirmed previous report', 'nba parity', 'pathway potentially', 'genetic architecture teat', 'neutrophil series', 'whc regardless breed', 'approach joint', 'total 21 qtl', 'gene need', 'salmonid compared female', 'proposed mathematical model', 'displaying significant', 'expression nudt7', 'season analysis', 'interval narrowed approximately', 'number ssc9', 'pig welfare', 'n202 strain fcr', 'examine pleiotropy', 'sequence analyzed region', 'beef production commercial', 'gwa study paratuberculosis', 'homozygous major allele', 'ion transportation cell', 'association analysis polymorphism', 'finding confirm previously', 'partly overlapping', 'difference cbg', 'pig population data', 'vertebra count', 'suggestive association', 'kg 47 53', 'locus linked gene', 'gain 05 association', 'f2 male animal', 'allele f94l', 'associated 05 growth', 'molecular level fecx', 'region ssc1 ssc8', 'different qtl imprinting', 'caecal bacterial level', 'detected number significant', 'g100597a snp1', 'angiogenesis inflammation', 'qtl population investigation', 'respiratory syncytial virus', 'milk elevated', 'fatty acid caproic', 'endothelial cell modulation', 'identified fine', 'sequencing bovine lactoferrin', 'explain genetic variance', 'mbp region', 'convergence statistical model', 'relation mutant', 'western world', 'wld nicl snp', 'behavioral test combining', 'onset laying 60', 'intake control weight', '570 kb', 'available record milk', 'cross taurine zebu', 'involved lipid transportation', 'footrot available offspring', 'relatively large', 'gga1 gga4 gga6', 'calpain substrate overall', 'result indicate anxa10', 'association ghr', 'showed general', 'effect location qtl', 'gpcr kinase grk5', 'example qtl', 'landrace including', 'increased mapping', 'maternal effect dystocia', 'hr ltl', 'exceed threshold gwas', 'cow clinical', 'seven identify novel', '05 16 day', 'line cross spleen', 'respectively 10', 'validated presence specific', 'region leptin', 'data analyzed association', 'estimator considered method', 'regression method', 'undergoing selection process', 'qtls study annotated', 'attempt ensure independence', 'detection far', 'intake bird', 'lepr calpastatin cast', 'poly polymerase gene', 'scan involving', 'size erhualian sow', 'genomic region accounting', 'color 20', 'market sheep meat', 'required examine extent', 'overfitted indicating', 'finding important marker', 'snx13 gene candidate', 'significant italian landrace', 'task report complete', 'vicinity ar analysis', 'candidate gene related', 'chordc1 associated', 'official performance test', 'allele 86 83', 'tightly associated', 'helpful identifying underlying', 'work north', 'effect closely', 'normal biochemical', 'selection included sex', 'junction focal adhesion', 'cxadr adam12', 'cloned sequenced porcine', 'growing broiler initiated', 'sck1 bta14', 'filtering result', 'chromosome region gwas', 'putative immunological', 'fecl non', 'androstenone result', 'phenotyping shown reliable', 'small phenotypic', 'chromosome 104', '110 cm ssc7', 'odd year', 'granulosa cell collapse', 'congenital deformity', 'fmo1 mapped', 'lm slaughter', 'bull maternal', 'cross igf2', 'ssc4 ssc11 respectively', 'practical implementation selection', 'using range qtl', '0204 0001', 'eating quality trait', 'substructure gwas identified', 'qtl proportionally', 'map bovine', 'used single qtl', 'heritabilities identify', '14 convalescence', 'macrophage response', 'role genetic variant', 'analysis performed breed', 'dam thirty', 'fa composition seven', 'whirlhill kingpin bornfeb', 'ease result additional', 'close growth', 'bovine bos taurus', 'acth hormone bioavailability', '42 233', 'cb pig total', 'appendage mutation', 'ratio fat area', 'placental growth factor', 'significance 58e', 'way cross laiwu', 'located cyp7a1', 'muc4 expression high', 'profitability dairy', 'result using snp', 'study comparison behaviour', 'background line', '80 741', 'score yearling weight', 'method combining linkage', 'associated hip structure', 'approach considered', 'epithelial cell previous', 'highly inbred line', 'functional variation applied', 'amph differentially', 'trait meat affect', 'particular genotype', 'efficiency major component', 'result confirm result', 'improved linkage', 'value relative expression', 'additive effect resulted', 'approximately month old', 'assessment individual animal', 'difficult identification', 'physiology result', 'level sod1 transcript', 'parental derived antibody', 'qinchuan qc chinese', 'microsatellites snp genotyped', 'resistance identification gene', 'respect baseline', 'white line', 'number shell parameter', 'ngfr gip', 'specifically gwas result', 'genetics analyse association', 'site segregate', 'cope infection hematological', 'heritability lung lesion', 'significant phosphorus concentration', 'unaffected control', '636 marker', 'background pronounced', 'rw023 rw070 qtl', '99 003', 'effect fatness meat', 'using sperm 105', 'study hematocrit', 'head brachygnathia inferior', 'gland using', 'strength es', 'chromosome paving way', 'host response ndv', 'holstein indicating potential', 'help improve trait', 'sib group ranged', 'landrace experimental cross', 'c22 c20', 'size bta1 878', 'different age class', 'age puberty remain', 'result gwas summer', 'family combined', 'variance mutation larger', 'showed association largely', 'swine model', 'heat stress chicken', 'controlling variability leucocyte', 'infectious pancreatic', 'scan white', 'gene provided novel', 'kitlg ssc5 affect', 'qtl contain gene', 'region spanning mb', 'grandparent line', 'pig gwas explored', 'scd ratio', 'dmi adg tested', 'defence slc22a4 slc22a5', 'study calving performance', 'colour thirteen significant', 'site correlation', 'quality identified strong', 'genetic breeding method', 'lead better', 'variance located chromosome', 'sequencing complete', 'data porcine', 'complex genetic interaction', 'genome various', 'showed significant 05', 'molecule complement', 'difference breed previously', 'conducted research', 'ocd high impact', 'exploited marker', 'shimofuri economically', 'strain outbred', 'broiler identification snvs', 'influence economically important', 'performed based', 'analysis lep', 'value ebv fp', 'recombination hotspot block', 'breed unexpectedly', 'ssc7 qtl region', 'wing feather width', 'promising qtls', 'number sample', '173 mir', 'parameter female', 'insag intron', 'significance level significant', 'trait 260', 'acid 18 total', 'lasso prior assigned', 'obtained hybridising custom', 'bovine lda motility', 'genotyped wur gbp1', 'approach detect candidate', 'universal utility gene', 'blood individual condition', 'suggestive association snp', 'ssc2 number', 'peroxisome proliferator', 'thickness enrich knowledge', 'observed interaction', 'separated remaining block', 'additive dominance genetic', 'result association snp', 'breed resequenced vrtn', 'associated cw', 'design cooperative dairy', 'reproductive trait identified', 'muc13b allele altogether', 'frequency statistical analysis', 'affect meat quality', 'lepr cyp2j2 fggy', 'formed cluster persisted', 'quantitative association analysis', 'united kingdom fec', 'slope milk', 'feed intake', 'palmitoleic acid composition', 'role leptin regulation', '85 mb', 'trait effect used', '44 chromosomal region', 'develop elevated drip', 'discovered including eqtl', 'hydroxytryptamine receptor 2a', 'snp information conclusion', 'redness yellowness nellore', 'repeated commercial population', 'study association', 'chromosome perform', 'bone structure', 'genome wide allocated', 'performance eqtl', '600 genome', 'study recent advance', 'biological function previously', 'fixed random model', 'snp sc different', 'sequence deposited genbank', 'family based score', 'progress slow achieved', 'bull similar sample', 'qtls fatty acid', 'higher bb', 'broiler ascites', 'adrb3 interestingly located', 'available genetic', 'located btx', 'rflp association genotype', 'lead candidate gene', 'cross species', 'milk energy obtained', 'qtl explaining muscle', 'simmental crossbred', '35 qtl', 'linked detected causative', 'validated tested', 'postulated increased', 'purebred blackface', 'factor pleckstrin homology', 'snp a868g', 'binomial theory anova', 'carried chest', 'ovine defence mechanism', 'obtain total', 'gamma gene', 'suggesting heterozygosity confers', 'marginal evidence', 'content homolinolenic acid', 'disorder digestive dairy', 'including cow', 'marker predictive', 'concern swine', 'affect cm', 'different morphological feature', 'lwgt end', 'recombinant progeny test', 'wide level 05', 'german landrace herd', '19 carcass length', 'classified case', 'contortus tertiary', 'horse known frequently', 'resembles human kaufman', 'threshold 2000 iteration', 'snp gene hypothesized', 'silent substitution', 'junglefowl selected', 'overlapped method nineteen', 'evaluation teat udder', 'pglyrp1 igfl1 region', 'porcine mtpap regulation', 'zebu zebu composite', 'total 320', 'indicate atp1a1', 'respectively 12', 'result numerous', 'baat phlpp1', 'associated trait nsb1', 'different picture emerged', 'qtl chromosome involved', 'background defect', 'transcription factor sp3', 'population raised', 'healthy animal', 'layer meat production', 'dominance dominance component', 'solar program', 'selection commercial', 'fy fw', 'animal aim', 'conception snp rs109663724', 'selected locus', 'family danish', 'showed hoxa11 bmp2', 'vf2 mapped acsl4', 'underlying qtl cdna', 'haley knott', 'r2 09', 'result showed 115', '13 14 15', 'ssc12 semen volume', 'eca3 association', 'difference italian', 'trait statistical', 'exon plin1 chromosome', 'size large white', 'function hematological immune', 'knob channel fat', 'result reported human', 'lymphoma spread', 'significantly associated bw70', 'guide molecular', 'single step', 'region pig divergently', 'presence innate immune', '46 vl wg42', 'sw1881 using radiation', '12 82', 'boar major', 'late feathering wenchang', 'regression bayesian', 'important fine', 'yearling hip', 'progeny 412 insemination', '126 128 cm', 'tanzania study study', 'conducted identify locus', 'tco2 ionized ca', 'knowledge genetic molecular', 'chromosome wide family', 'thbs1 involved developmental', 'glucose phosphate', 'interaction difficult', 'status map', 'translational medicine', 'study suggest tg', 'lod score 74', 'persistency quantitative trait', 'ovarian function contribute', 'like type', 'qtl associated resistance', 'mc1r gene setting', 'spp egg', 'reliable indicator', 'suggests apovldl', 'previous chromosomal', 'marker pork', 'difference expression animal', 'weight growth', 'cause economic', 'change ile442met', 'dock7 trait domestic', 'phu ph15', 'md avian', 'peck received apr', 'integrin binding', 'data trait investigated', 'hy line', 'seven marker', 'cow raised southern', 'broiler divergent fcr', 'passed quality', 'snp included seven', 'locus linked', 'locus ncapg', '43 overlapped', 'cattle population revealed', 'include zero', 'mutation respectively', 'single genetic', 'adjusting body', 'backfat c14', 'genetic background gene', 'similar strategy conclusion', 'beadchip phenotyped', 'increase artificial', 'measured ct', 'despite evidence genetic', '29 03 wild', 'result gwass', 'dna factor analysis', 'sample 337', 'additive dominant', 'chromosomal region region', 'exceptional meatiness identify', 'force estimate', 'gga4 explained 15', 'change fat content', 'snp low', 'pied cattle dsn', 'sp5 gc npffr2', '72 piglet', 'ass expected efficiency', 'suggestive evidence association', 'gene deoxyhypusine', 'breed swedish', 'resolution genotypic characterization', 'growing animal', 'fullsib pair', 'immune response mastitis', 'conclusion additional', 'trait effort', 'pair locus', 'temporary increase', 'abnormal behavioral qtl', 'design correction', 'credibility interval', 'causal mutation varies', 'allele male calf', 'variant warranted article', 'sheep sire bd', 'negligible frequency', 'maternal allele offspring', '12 birth month', 'affect overall', 'age ultrasonically measured', 'classified choice snp', 'animal accuracy', 'cow estimated non', 'pig collected dasan', 'qtl adipocyte', 'body shape trait', 'qtl analysis related', 'fat milk', 'stable dust including', 'model paternal', 'analyzed parameter', 'length birth chromosome', 'yield lean meat', '76e 05', 'indicate interesting result', 'gcta software', 'approximately 200', 'level pigmentation significant', 'confirm result', 'informative single', 'large effect adaptability', 'association snp haplotype', 'level result infer', '01 significance', 'standard able', 'mean backfat', 'contained refined', 'predominantly kept confinement', 'receptor fshr gene', 'yield chromosome 26', 'backfat 19 22', 'welfare competitive lifespan', 'qtls fetlock oc', '48 724', 'marker rs268273468', '1337 heifer', 'breeding evaluated polymorphism', 'meta analysis teat', 'encode structural', 'phenotypic data granddaughter', 'muscle rumen', 'analysis positive control', 'sensory quality', 'location chromosome 12', '36 faecal cfu', 'selecting chinese', 'majority inherited phenotypic', 'dominance holstein', 'gene linkage disequilibrium', 'duroc gilt sire', 'breed result milk', 'cycle body development', 'understanding biology underpinning', 'gga autosome', 'conclusion result qtl', 'mastitis infectious disease', 'correlation production immune', '71 day age', 'environment furthermore', 'marker including publicly', 'high correlation log10', 'genomic architecture particularly', 'association snp chicken', 'genome scan 110', 'model selection comprehensively', 'responsible val', 'functional genomic information', 'household food', 'fish disease impacted', 'multitude chromosomal', 'resulting locomotion problem', 'spanning 97', 'refine qtl position', 'method nineteen region', 'bird homozygous rjf', 'bovis infection prevalence', 'heritability value', 'log10 values', 'american holstein dairy', 'detectable reasonable', 'aggressive behaviour regulation', 'kg 049', 'downstream mstn', 'rm356 oar analyzed', 'drd2 vasoactive intestinal', 'lc type', 'biec2 808543 evaluate', 'chromosome electric', 'analysis indicated network', 'sixteen putative', 'mlm 36', 'model analysis danish', 'slick individual admixture', '30 achieved', 'study useful meat', '401 breed bourges', 'summer milk region', 'scheme association', 'applied multiple', 'resistance knowledge help', 'haplotype strong', 'marker intervals', 'quality trait bearing', 'bft hw', '1010 individual', 'carcass trait 770k', 'carried using asreml', 'pp 10 false', 'split consider', 'association study carcass', 'seven gene esr2', 'pig 29', 'vertebra number', 'reciprocal cross white', 'stage qpcr data', 'outbred f2', '15 intramuscular fat', 'allele associated decrease', 'semen trait artificial', 'novel variant 5274g', 'bovine genome detect', 'trait using', 'disequilibrium information used', 'underlying assumption', 'ft chinese', 'regression identified region', 'rs14934924 mutation', 'substitution effect 33', 'trophy hunting opposes', 'porcine fat', 'sib family totaling', 'successful strategy', 'gene underlying', 'related gene', 'detected paternally expressed', 'suggest mammal diverse', '15 min', 'aforementioned snp 662', 'analysis prrsv experimentally', 'female birth', 'intense labor', 'mb chromosome current', 'result total analyzed', 'testing additive', 'related trait seven', 'allele wl', 'mapping identified', 'ridge distal tibia', 'aquaculture improvement', 'biologically relevant pathway', 'high enrichment', 'significant conclusion', 'white leghorn breed', 'quantitative real time', 'randomly selected healthy', 'cross exposed', '86 corresponding sd', 'farm participating', 'incidence genome', '04 shank length', 'yeast hybrid', 'symptom responsible salmonella', 'likely explaining high', 'anotia genetic', 'frequency taurine breed', 'age nematodirus spp', 'enriched gene involved', 'cattle breed marker', 'expression investigation required', 'static qtl affected', 'analysis facilitate', 'introduced reference', 'close s0069', 'polymorphism snp human', 'reproductive trait 48', 'open new field', 'disequilibrium information sire', 'parameter recorded boar', 'validation analysis', 'respectively snp 10', 'using 600k snp', 'ingenuity pathway analysis', 'network reconstructed haplotype', 'quantitative trait objective', 'selection procedure effect', 'rfi f2', 'qtl second', 'directly reflect cow', 'egg taste', 'cause severe', 'larger 100 qtl', 'mir level correlated', 'allele analysis differing', 'dr fa srb', 'end weight fat', 'monitored infection', 'snp use association', 'wide signification level', 'gene expected affect', 'procedure sa regression', '003 meat prkag3', 'conclusion host response', 'contrast transfection', 'metallic non typical', 'ca 72', 'contribution functional variant', 'consisted 14', 'considerable level correspondence', 'paratuberculosis infection identified', 'high suggesting considerable', 'major allele rs315135692', 'association evaluated meat', 'region corresponded qtl', 'traditional genome', 'tt prrsv', 'tg backfat ebv', 'adiposity gluc colocalized', 'size calf', 'scan performed 183', 'role imprinted gnas', 'result provide large', 'trait polymorphism explain', 'influencing ff', 'using sire', 'sdp approach', 'challenge recorded', 'ability acquire', 'breeding program aimed', 'dorsets ass', 'snp chromosome favorable', 'gene putatively', 'validate finding independent', '24 mb', 'animal regardless specie', 'production italian heavy', 'linkage pleiotropic model', 'prediction genomic breeding', '20 21 fatty', 'method chromosome', 'quality position', 'additional population cross', 'lg cross', 'pedigree genotyped microsatellite', 'bta20 gelbvieh beef', 'xirp2 gene significantly', 'measurement loin', 'prediction accuracy addition', 'bovine 50 beadchip', 'mapped gene', 'constructed high', 'encode structural protein', 'regression slaughter 35', 'candidate gene chicken', 'bearded chicken bird', 'prediction accuracy korean', 'gene finding help', '10 backcross sire', 'catalytic subunit phosphorylase', 'level cause growth', '152 marker 18', 'breed addition', 'previously described qtl', 'date age total', 'fabps bind', 'macrophage expressing fewer', 'gilt reach', 'genotype illumina porcine', 'size maternal', 'scd subcutaneous', '50 cm family', 'regulation lcorl expression', 'snp 62 located', 'ppara gene', 'shared mb superior', 'poultry industry', 'phosphorylation motif human', 'romanov reep4', 'week age 01', 'intensive selection', 'heritability plumage color', 'result monoamine oxidase', 'cckbr significant rfi', 'size weight', 'crucial aspect meat', 'population comprising 240', 'cell score chinese', 'androstenone sex', 'tissue fat related', '953 total', 'impact additional', '01 fat adg', 'number consistently identified', 'calf identified', 'regarding prolificacy performance', 'nle⁴ phe⁷ melanocyte', 'genome scan f2', 'gga2 gga4', 'trait confidence interval', 'data sampling sample', 'sheep 001', 'horse 359 635', 'qtl detection experiment', 'snp dna', 'significant association fi', 'analysis line cross', 'result showed rs15675067', 'slc39a7 gene potential', 'qtl position related', '183 microsatellites detected', '28 10 associated', 'skatole indole', '442 rs110469441', 'domain nbd', 'numerous alteration physiology', 'compared previously derived', 'confidence interval precision', 'chromosome ssc8 region', 'qtl qtl region', 'marker density tested', 'score yield grade', 'specific shared snp', 'multigenerational pedigree individual', 'disease qtl', 'gene cattle gene', 'extreme anai4 value', 'trait completed using', 'qtl bta9', 'conducted congenital entropion', 'spawn weight improving', 'marker ear size', 'revealed 13 cis', 'studied casp2', 'pparγ allele varied', 'using union set', 'change codon', 'gga3 dam', '70 000 animal', 'variant bovine', 'evidence synteny conservation', 'beadchip gemma used', 'function identified single', 'mapped qtl marker', 'limited genotyping selection', 'bmp15 a111g c231t', 'ssc7 near slaii', 'fcr 05 combination', 'experiment pointing genomic', 'novel intronic snp', 'previously seven', 'stat5a ccl3 acaca', 'wide mapping mqreml', 'nucleotide 25587', 'esr marker', 'weight pew', 'analysis gwaa growth', 'crossing broiler sire', 'decrease volume manure', 'partitioning genome using', 'breeding effort', 'snp maximally informative', 'phenotype bovine respiratory', 'different measure', 'analysis result', 'chicken interval mapping', 'carcass fatness estimated', 'size 101 955', 'sox6 sex', 'increase host', 'cm eca10', 'combining 50 array', 'immune function', 'calving 1983 2015', 'mapped 55 cm', 'marker haplotype 249', 'data consisted old', 'related heat dissipation', 'test daily', 'cattle industry', 'population entire', 'finding provide basis', 'protein metabolism generation', 'ssc8 influenced number', 'chick higher expression', 'daughter trait deviation', '20 region close', 'snp located 78', 'reactivity hypothalamic pituitary', 'affected growth production', 'landrace intercross main', 'live weight qtl', 'skatole sp score', '70 day age', 'study support', 'quite small', 'disease characterized', 'feed efficient', 'somatic growth', 'breeding research improving', 'affected aforementioned trait', 'snp including intron', 'undesirable smell taste', 'parity specific', 'birth date trait', '26 positional candidate', 'group different', 'nominal association explained', 'reinforce need', 'drip loss respectively', 'database human', 'physiological trait directly', 'partially rapid', 'pathway network analysis', 'combined population 10', 'genome assembly result', 'milk yield associated', 'research demonstrated white', 'biological process detected', '882 individual', 'genotyped 313 informative', 'analysis bonferroni genome', 'markedly reduced dd', 'trait result haplotype', 'qtl located marker', '439 porcine public', 'despite different', 'incorporated 531 progeny', 'significance 13', 'deterministic smd markov', 'trait facilitate positional', '24 25', 'chromosome overlapped', 'gnrh neuropeptide', '11 83 egg', 'allele favored regard', '05 haplotype respectively', '80 statistically', 'using genome scan', 'contrast detect', 'bos grunniens', 'light understanding genetic', 'physiological metabolic disorder', 'pig base generation', 'population associated favorable', 'production agent cause', 'quantitative qualitative trait', 'associated androstenone level', '009 weaning weight', 'expression em', 'extracellular fatty', 'using 105 dna', 'sex linked', 'study gwas led', 'region associated growth', 'rump mean backfat', 'complex qtl affecting', 'set included', '37 significant qtl', 'disease production trait', '98 second', 'sire mammalian gnas', 'ph water', 'associated favorable phenotype', 'dispersed white', 'oar18 gene', '14 tissue', 'implantation stage', 'study confirmed novel', 'significant effect fi', 'son genotyped', 'treatment subtraits retained', 'thickness benefit', 'qtl shown', '46544883a genbank', 'kg whilst', 'ltn rtn validated', 'increased circumcincta specific', 'family 1121 progeny', 'layer subcutaneous fat', 'zero frequency', 'xp ehh identified', 'analysis completed gensel', 'gene 481', 'link il8 haplotype', 'include traditional', 'productive life conformation', 'focused specifically', 'family level relevant', 'significant genomic region', 'growth muscling trait', 'exon plin1', 'role fatty acid', 'susceptible pig', 'holstein cow selected', 'genetic architecture sexual', 'remaining snp studied', 'suggest tg gene', 'allow selection age', 'mastitis typical inflammatory', 'blup model used', 'npy growth', 'gene polymorphism barki', 'genomic prediction', 'hpaii site', 'snp window sum', 'chromosome identified', 'computer simulation estimate', 'different incidence rate', 'cause equine osteochondrosis', 'family genotype 136', 'differentially expressed network', 'concentration 100g fat', '06 milk', 'explaining 30 total', 'wadi sheep', 'rate correction significance', 'common trait identified', 'f4ac 718 susceptible', 'implemented identify', 'region qtl body', 'tool annotating', 'practice rely', '1751a asp582gly 3290c', 'fat selective gene', 'slc27a3 diacylglycerol', 'breed uk dorsets', 'multiple gene action', 'thirds chicken', 'protective immunity developing', 'study potential step', 'unaffected horse snp', 'variability involved', 'software http www', 'package regional', 'regulation metal ion', 'showed serum', 'therapeutic strategy disease', 'linear score', 'present work association', 'segregating locus', 'genotyping service breeder', 'time qtl age', 'obesity npc2 or4d10', 'dik082 chromosome explained', 'background microsatellite marker', 'acquired immunity protective', 'imputing 50k data', 'udder trait affected', 'effect growth fatness', 'high sequence similarity', 'trait reached chromosome', 'data accuracy', 'homozygous lepr', 'animal 16', 'population finally', 'genetic make', 'gap43 lsamp', 'haplotype sequence containing', '029 ld 12', 'breeding program', 'divergent bovine', 'imprinting effect data', 'content genetic marker', 'economic fatty', '30 25 individual', 'sequenced exonic region', 'genotype using', 'associated marbling wbsf', 'gene coding thrombospondin', 'lald conducted', '15 12 15', 'heat 00 10', '15 locus', 'gene potential hotspot', 'rxrb psmb8 chga', 'translational inhibition', 'performed quantitative', 'titre detected', 'hair sheep', 'fe positive', 'snp window approach', 'ucp3 snp', 'using significance threshold', 'correlated total', 'reliable chromosome', 'association 2836', 'tissue relative', 'quick sensitive reliable', 'acid sequence protein', 'chicken chromosome caused', 'unknown site nucleotide', 'incubation period result', 'mammal study aimed', 'value identified putative', 'qtl appears', '20 chicken', 'trait 93', 'guideline provide reliable', 'suggest complex', 'using sus', 'gene position', 'equation parameter derived', 'quality animal', '30 romane', 'snp adl328 developed', 'time death', 'thirdly provide new', 'lamb weaned', 'important regulatory motif', 'enhanced genetic resilience', 'line recent', 'bta04 narrowed', '304 bp amplicon', '23 25 suggesting', 'locus used', '85 dam', 'snp 662 123', '85 88 mb', 'cow fitness', 'sheep internal parasite', 'cysolids curd moisture', 'decarboxylase odc gene', 'sm respectively seven', 'line appear', 'potential mechanism physiologic', '56 phenotypic', 'variation detected', 'activity correspondingly', 'effect 43', '5221 cow', 'suggested result combined', 'retinoic acid receptor', 'likelihood score gqls', 'performed panel', 'polymorphic snp 37', '13 refined locus', 'located nearby', 'sscx trait', 'weight cwt backfat', 'bmy population 05', 'initial qtl interval', 'commercial value consumer', 'drp instead', 'locus qtl fatty', 'experimental data genetic', 'kb sequence', 'marker bta13 holstein', '10 33', 'ssc result indicate', 'gene encoding major', 'study related inheritance', 'blup procedure pedigree', 'candidate gene emerging', 'screening failed', 'fitting growth', 'corepressors nuclear receptor', 'result confirm population', 'bw alter', 'dsn breed contributed', 'excluded statistical analysis', 'ssc meat', 'strongest signal iowa', 'calpain hugo nomenclature', 'fut1 hsd17b7', '26 high', 'greater proportion genetic', 'level suggesting snp', 'family based linkage', 'gland development standard', 'developed cross large', 'tool validating improving', 'map3k5 pex7', '127 microsatellites representing', 'hyperthelia snts common', 'pig identified', '27 significant snp', 'meat ph value', 'mlnr cab39l', 'epistatic qtl', 'sheep single lamb', 'interesting marker rfi', 'data different granddaughter', 'examination result phenotype', 'score scs_ebvs', '43 total score', 'qtl accounted 71', 'score proportion phenotypic', 'based squares', 'observation following', 'lipid metabolism hmgcs1', 'heritability 28', 'count constructed using', 'rfxank oar3_84073899', 'scale detected qtl', 'dominant effect backfat', 'dairy industry average', 'program beef cattle', 'ab associated', 'filtering genotype', 'homozygous wild type', 'qtl original particularly', 'ra oncogene', 'analyzed specific', 'difference 05 testis', 'examined trait including', 'apparent prevalence', 'identify qtl minor', 'effort understand possible', 'individual computed genotyping', '13 marker ssc4', 'involved biological', 'profitability pork', 'tainted proportion tainted', 'study identify genetic', 'gene crebbp wdr24', 'wild soay', 'management similar', 'sharply narrowed', 'inadequate representation', 'count cited indicator', 'gene affect', 'using restricted maximum', 'addition identified', 'data respectively', 'corticosterone level previously', 'inheritance model', 'variant associated fatness', 'maf association', 'role pigmentation snp', 'σ2p phosphorus concentration', 'breed chinese native', 'signalling molecule intricately', 'herd dam bvd', 'chicken interval', 'result variant', 'wl77 nhi', 'approach implemented gensel', 'common 18', 'sc provides evidence', 'plag1 gene reported', '21 additional marker', 'granddams identify qtl', 'gene family sequence', 'showed existence genetic', 'identified window', 'indicated key', 'rate anti ndv', 'white pietrain composite', 'saxon thuringian draft', 'utilising domestic', 'snvs pgm2 nox4', 'consistent breed', 'parameter fat deposition', 'trait carried', 'unbiased predictor', 'sole ulcer', 'concentration fertility', 'hypothesized correlation growth', 'practice marchigiana tt', 'testis improve understanding', 'region water', 'analysis performed fto', 'set 05', 'diplotypes significantly associated', 'study hypothesised', 'sc 05 compared', 'individual flock', 'formation previously shown', 'sire le susceptible', 'day service pregnancy', 'sequence silico', 'girth 12 week', 'window analysis', 'covariate trait', 'ld linkage ldl', 'origin effect snp', 'related fa composition', 'reported addition', 'cured product', 'force 05 locus', 'guideline provide', 'sow allele', 'gain genomic', 'criterion breeding', 'exhibited additive inheritance', 'male different', 'percentage intramuscular fat', 'sequenom massarray', 'pathway finding', 'study 33', 'scan 219 south', 'affect initiation', 'present analysis low', 'fundamental information', 'prl kappa', 'related teat number', 'gas chromatography measurement', 'score detected', 'crossbred nanyang body', 'breeding goal', 'predicted deleterious variant', 'positional candidate genetic', 'result demonstrate time', 'narrowed considerably', 'perform empirical data', 'conclusion demonstrate', 'using standard chi', 'overlap 1400', 'loss different pig', 'based size location', 'including yearling', 'suggest specific', 'snp itih itih', 'ptosis intellectual', 'mutation molecular level', 'sc identified snp', 'colour thirteen', '18 selected', 'concentration suggesting variation', 'revealed variation importance', 'investigated genotyping animal', '05 individual', 'rt 13 15', 'analysis using gemma', 'trait bull explored', 'oncorhynchus mykiss', 'count enhance selection', 'analysis generated best', 'gene quantitative trait', 'impact androstenone addition', '01 detected cross', 'animal set contained', 'genetic variance scrotal', 'association bwg fi', 'difference examined', 'regulatory element putative', 'synthetic sire line', 'framework identify', '22 harbor scd', 'described initially', 'bmy population animal', 'used determine pork', 'marker heritabilities', 'increase yield cheese', 'risk factor common', 'lung higher', 'centrally positioned previously', 'chromosome 24 coincided', 'atrophy body fat', 'mch mcv', 'area obtained novel', 'semen volume ejaculate', '610 herd', 'backcrosses based iberian', 'dark 54 eye', 'hock hm site', 'girth shin', 'location overlapped linkage', 'rela elf3 dbh', 'dlk1 meg3 variation', 'identify effect', 'thousand duroc', 'landrace ib', 'service sire calving', 'selection target genomic', 'retroviral replication dlgap1', 'trait breed detect', 'haplotype predictive', 'studied base seventh', '18 flanking', '599g associated leg', '10 italian simmental', 'polymorphism zinc finger', 'result suggest xkr4', 'individual flock fp', 'clustering european south', 'trait correlated influenced', '636a fatty', 'italy considered study', 'identify putative', 'sex male', 'single trait linear', '27 146', 'including genome', 'method seven 26', 'important region influencing', 'genotyping 318', 'qtl size', 'meishan duroc pig', 'largest concentration', 'consideration interaction molecular', 'individual reactivity', 'holstein breed compared', 'snp 43', 'protein percentage present', 'teat count', 'lepr underlies observed', 'sw1953 ssc8', 'born alive total', 'weight tibia length', 'chicken commercial', 'pig screened', 'genotype cd ab', 'milk culled', 'chromosomewide significant qtl', 'trait derivative free', 'height underlie correlation', 'detected cow', 'density relative', 'gw qtl gw', 'study gwas explore', 'backfat fat carcass', 'climatic variation resistance', 'eyelid trait result', 'trait adg bw', 'respectively provided', 'progeny tested bull', 'ear used study', 'site associated', 'associated 10', 'expensive measure improvement', '62k snp', 'mlm better inflation', 'function searched single', 'trout oncorhynchus', 'hf population genome', 'explained 72', 'qtl lm model', 'chromosome 14 additive', 'half sib applied', 'individual belonging second', 'protein zo microrna', 'effect weight', 'bft considered contrast', 'using constrained', 'difference qtl number', 'numerical index', 'sire detected blood', 'pathogen commercial poultry', '10 used', 'smaller qtl', 'tenderness color ph', 'analysis revealed high', 'length 12', 'breed fatness', 'retained placenta additional', 'cell structure fat', 'estimated effect expected', 'ul uterine weight', 'lamb non carriers', 'testing procedure cattle', 'affected adult', 'factor quantile quantile', 'software parameterized', 'af breast', 'chest circumference identified', 'minor allele minor', 'parallel study', 'bull scored direct', 'estimator considered', 'trait localized arm', 'study gwas pathway', 'dbwavg dfiadj respectively', '1362 bull obtained', 'breed shank', 'marker causative polymorphic', 'encodes putative', 'fat percentage near', 'applied determine effect', 'mechanism fecx', 'carcass length meat', 'mutation effect mutation', 'obtained multibreed gwas', 'previously identified swine', 'thirteen single', 'alga0067099 marc0004712', 'close marker mnb66', 'key member', 'pleuropneumoniae important', 'snp pit selected', 'boar 513', 'trait prlr', 'weight body size', 'involved intracellular transport', 'value result', 'pp fat percentage', 'genome scan step', 'program study', 'oleic monounsaturated', 'identify allelic variant', 'bos indicus cattle', 'validate effect genomic', 'body weight 95', 'bull fertility', 'meat quality osteochondral', 'ssc17 regional analysis', 'weaned piglet genetic', 'bivariate genome wide', 'version 38 heritability', 'crossbred sheep multiple', 'snp nucb2 gene', 'chromosome constructed', 'large 50 kb', 'mass decrease', 'protein spatial', 'g3072a causative mutation', 'series analysis', 'performance dairy', 'utr exon', 'preventing meaningful interpretation', 'reported suggest', 'quality control filter', 'cancer resistance', '10 46', 'qtl independent', 'cutaneous melanoma', 'pony result suggest', '287 unrelated pig', 'single epistatic qtl', 'assisted genomic', 'variance proportion daughter', 'lastly qtl explains', 'founder animal resource', '183 cow', 'sire 30', 'quality benefit', 'arg682his kit associated', '60 48', 'using geneseek genomic', 'pathway furthermore', 'selected lean growth', 'respectively qtl ebv', 't32742468c significantly associated', 'trait composite subtraits', 'intron point', 'pig breed western', 'skp2 spef2', 'longevity trait recorded', 'presented research communication', 'described pietrain', 'region relevant', 'retained association', 'conclusion obtained', 'c1092t locus', 'background like human', 'technology open', 'observed animal', 'explained variation proportion', 'mixture model', 'management difference complicate', 'lesion joint', 'analysis yielded', 'gene diacylglycerol acyltransferase', 'asp298asn significantly', 'pony welsh pony', 'region chl_fat', 'response prrsv infection', 'qtl eca9 16', 'behavior personality', 'horse oc', 'highest additive', 'human specie genetic', 'known biological', 'mlw population male', 'significantly affect number', '96 transcript trans', 'resistance screened chicken', 'white population genome', 'chance deviation epistatic', 'conclusion investigation needed', 'locate chromosomal region', 'experimental animal f0', 'genotype calpain', 'tested weighted linear', 'force value identify', 'decreased insulin', 'associated total fiber', 'statistical model assumed', 'pietrain boar mated', 'periparturient hypocalcemia overall', 'wg42 vl', 'trait locus interval', 'reported support', 'study aiming uncovering', 'welfare trait', 'identification 01 20', 'reductase akr', 'gastrointestinal gi', 'cheesemaking property hampered', 'consumption limited', 'gene potentially associated', 'associated chromosomal', 'detected new', 'analysis new qtl', 'mutation detected qtls', 'including snp growth', 'approach qtl reporting', 'loss adverse welfare', 'quality trait porcine', 'dominance variance small', 'investigation selection', '25 qtl', 'cl 62 30', '05 relative', 'duroc recessive', 'factor related mitogen', 'breed slick locus', 'fat deposition muscling', 'feather pecking', 'regression technique', 'ssc15 detected study', 'deviation given qtl', 'different population young', 'autosome used', 'study evidenced segregation', 'component based', 'breed multipoint linkage', '001 flock segregating', 'genome objective advanced', 'analysis contributed accurate', 'region porcine gsk', 'performed igg ige', 'flock subsequent', 'recprotein high', 'associated height', 'effect rfi need', 'breed 257 ewe', 'cw narrowed mb', 'growth carcass quality', 'allele segregating study', 'contributed difference body', 'containing snp4', 'seq data', 'paternally imprinted', 'flanking significant snp', 'mapped small', 'potential deliver', 'mdv infection poultry', 'day 100', 'bayesian method genomic', 'fsh target', 'identification casual mutation', 'multiparous sheep lamb', 'mrna milk', 'significant validation population', 'role animal growth', 'pig small', 'identified ct ldl', 'involved female', 'showed melim mc1r', 'overlap snp window', 'removed quality control', 'consistent published result', 'linked susceptibility paratuberculosis', 'cwt significant marker', 'cattle carboxypeptidase cpm', 'test production', 'mtpap expressed', 'variant result help', 'variation genetic information', 'period year', 'group 10', 'evidence suggest', 'replicated 05', '50k snp chip', 'variation new', '7p12 18q12', 'fragment covering', 'breed holstein sire', '1008 animal', 'shed light genomic', 'gave similar', 'association close progesterone', 'population result detected', 'affecting fec', 'trait positional', 'twice daily season', 'using log10 resulting', 'minor effect growth', 'backfat thickness water', 'underlying intramuscular', 'associated entropion genome', 'investigated pleiotropy', 'identify closely linked', 'eosinophil lymphocyte', 'average depth fourfold', 'level backfat thickness', 'using japanese', 'erect ear chinese', 'component method purebred', 'powerful using replicates', '233t 164a', 'banned eu increasing', 'dna marker selection', 'addition using', 'genotyping f1', 'physiological biochemical function', 'access raw phenotypic', '28 genome wide', 'gwas model', 'fy fw located', 'aa ac', 'coli f18', 'my100 250 day', 'explained qtl estimated', 'qtls qtl', 'blood vessel formation', 'cloning causative', 'sire seven qtl', '39 mb chromosome', 'appearance product marketplace', 'experimental challenge', 'identification revealed', 'defect paper', 'analysis intercross chicken', '10 paternal', '16 family', 'cm 00 23', 'wide epistasis', 'carried chest width', 'dpi indicating resistant', 'event restricted reported', '46547859c decrease luciferase', 'showed existence', 'identified pathway', 'gene sequencing allowed', 'substitution pig', 'pig important livestock', 'bull 493', 'association genotype body', 'function enzyme transcription', 'pl suggestive', 'responsibility immunity', 'significant increase milk', 'associated fetlock', 'good starting', 'adipose triglyceride', 'genotype fm horse', 'study showed', 'including association', 'snp representing', 'gene region identify', 'trait located chicken', 'involve pleiotropy', 'recessive study provides', 'cutaneous melanoma complex', 'failed maternal', 'ab bb allele', 'point significant correlation', 'million year australia', 'cattle genetic', 'trait including cow', 'oar6 previously reported', 'direct calving ease', 'dorsi muscle removed', 'log10 value', 'frequency revealed beef', 'detection coding', 'cow higher', 'interestingly 39', 'including set previously', 'efficiency chicken study', 'family 1216', 'segregating breed holstein', 'c10 pufa', 'responsible immune trait', 'variation exon', 'leptin signalling', 'potential impact', 'polymorphism snp panel', 'largely controlled prnp', 'male pig main', 'individual count', 'indicate snp derived', 'pleiotropic effect moisture', 'bp upstream', '564 steer sire', 'association 05 loin', 'dairy 76 familiar', 'brahman cattle exhibit', 'genomic selection allow', 'gene closely related', 'force wb myofibril', 'intensive selection enlarged', 'sequence high density', '28 revealed', 'entire curd', 'moderately heritable detailed', 'transport homeostasis', 'used 600k affymetrix', 'snp evaluated simultaneously', 'milk play', '04 fat 88e', 'higher milk yield', 'involvement determining primary', 'dpi respectively differentially', '54 609 imputation', 'mouse little', 'crossbreeding xinghua line', '19 duroc pig', 'displayed significant', 'highly significant area', 'potential major locus', 'health concern swine', 'performed mean generalized', 'protein variant explain', 'propagation poultry stock', 'region exceeded', 'family genotyped used', 'activity immune response', 'challenge strong', 'insemination nins', 'f0 individual', 'chicken egg weight', 'candidate cw marker', '17 18 meat', 'f2 intercross illumina', 'gpihbp1 gene investigated', 'data related', 'blue severe episode', 'genomic estimated breeding', 'low fat', 'sired cross bred', 'sixteen gene pam', 'monte carlo analysis', 'pre selected snp', 'project development high', 'ny qinchuan qc', 'elimination model', 'production order', 'trait similar marker', 'marbling japanese', 'average 32', 'inferred haplotype block', 'variant located non', 'sow age', 'rflp mixed linear', 'tail independent', 'report quantitative', 'vertebra 05 ct', 'study international', 'bovine fetal growth', 'respectively candidate gene', 'inferred illumina', 'cw chest', 'genomic region mechanism', 'suggested sequence', 'disease oc', 'snp considering iteration', 'consisted na titer', 'oar19 23 associated', 'overall level slope', 'disequilibrium snp encoding', 'tail sufficient', 'white allele inducing', 'occur severe', 'chromosome 10 fine', 'ld 35', 'loin depth 3rd', 'spanned cm 28', 'cross 186 animal', 'inflammation induces apoptosis', 'new method offering', 'nuclear receptor germ', 'qtl chromosome ssc3', 'polarity complex component', 'stomach highest', 'quality control aim', 'published cdna bovine', 'physical restraint expression', 'region list', 'assisted selection result', 'breed helpful', 'locus eqtl', 'bm detected', 'litter size large', 'test trait 54k', 'cast_101781475 magnitude', '230 yorkshire', 'interferon alpha production', 'help identify quantitative', 'functional annotation snp', 'ass pleiotropic qtl', 'swedish maternal', 'total cnvs', 'clear advantage', 'value estimated dominance', 'count head total', 'allele defining haplotype', 'fi2 rfi2 fcr2', 'analysis demonstrated aa', 'performed led confirmation', 'round oestrous sheep', 'averaged 114 125', 'association snp', 'associated behaviour', 'backfat loin', 'genotype used inferring', 'ssc9 ssc13 novel', '05 range performance', 'cell subset antibody', 'porcine maternal infanticide', '19 snp', 'qtl map region', 'result detailed', 'gene identified overlap', 'g3072a locus population', 'past 20', 'utility gb approach', 'result univariate', 'deposition growth', 'qtl model linkage', 'population 427', 'qtl dense snp', 'mutation prkag3', 'ejaculation time', 'parasitic blood', 'gwas bcwd', 'linkage gwas revealed', 'sheep invading parasite', 'receptor associated protein', 'used define', 'biec2 808543', 'sequence variant confirmed', 'cattle mid infrared', 'maintaining ca balance', 'significant portion trait', 'histocompatibility complex bola', '10 15 27', 'commonality study', 'explained 16 87', 'mapped body weight', 'qtl eca', 'exon 10329c predicted', 'develop improved breed', 'sib family derived', 'breed investigated trait', 'snp selection increase', 'gene retrotransposon', 'trait genomic selection', 'resulting 32 bp', 'repeated commercial', 'absolute bmc', 'based winter', 'wide rapid association', 'gene critical', 'total lamb artificially', 'dismutase sod1', '730 cm approximately', '13 15 16', 'pig data 26', 'cell c3 cdna', 'milk production complex', 'associated rfi rfi2', 'test imprinting', 'pcr hpaii restriction', 'function protects animal', 'bluefaced leicester scottish', 'analysis david', 'shedding logarithm', 'cm steak sampled', 'conditioned analysis genotype', 'yr genotyped', 'protein known', 'diallelic experiment study', 'signature region', 'greater 01', 'marker covered 2282', 't586c exon bovine', 'chicken treating colour', 'progeny phenotyped bw21', 'acid unsaturation index', 'previous reported', 'modifying locus', 'population contrast fasn', '1217 chinese holstein', 'consistent effect conducted', 'qpcr data', 'agreement fourfold', 'subcutaneous white adipose', 'assumed m1 model', 'animal body', 'marker 44 78', 'ovlv positive', 'processing yield', 'previous study pig', 'tissue investigated sequence', 'genotyped 564 steer', '14 ssc14', '238 genotyped imputed', 'associated microsatellite', 'summed specie', 'gene strong effect', 'substitution allele rs42670352', 'sib data merino', '136 gh', 'sire heterozygous smaller', 'allowed distinguish', 'small auricle', 'pig excellent model', 'haplotype contrast enrichment', 'resulted amino', 'ssc12 15', 'vertebra successfully', 'erhualian allele associated', 'prediction slightly', 'value dif', 'qtl affecting day', 'beadchip 942 young', 'confirmed pleiotropic', 'age service variance', 'distance 8kb', 'disequilibrium equine ocd', 'polymorphism information', 'gene identified giving', 'imf juiciness tenderness', '05 rs14011780', 'incubation time', '01 multiple', 'divergent population account', 'approach provided', 'weaning growth finishing', 'population genotyped polymorphism', 'qtl bta6 increased', 'fbln5 pcnx', 'affect calpastatin expression', 'cattle population novel', 'effect locus affecting', 'selected 20 gene', 'trait variation respectively', 'research identify causative', 'paratuberculosis contagious', 'program studied', 'animal snp', 'survival problem', 'rhm analysis', 'genetic variation putative', 'tibia trait expand', 'protein play key', 'association trait model', 'selected egg production', 'jb1 result suggested', 'way decrease propagation', 'allele study reveals', 'body index body', 'lamb produced', 'circumference affecting', 'informative microsatellites giving', 'subsequently 634', 'effectively current', 'strategy aim better', 'region include estrogen', 'possibility assist selection', 'car fillet weight', 'significant process', 'silico functional', 'data collected', '24507g transversion', 'marker haplotype test', 'array available total', 'capric acid c10', 'method selection', 'frequency pool', 'csnps bovine npc1', 'cyp21 3911t', 'average pair', 'cell line finding', '100 cm proximal', 'genotyping 647', 'multitrait linked qtl', 'study density', 'td proximity sentrin', 'verify qtl association', 'abhd16b bovine chromosome', 'addition polygenic', 'imfl gp', 'artificially inseminated semen', 'level lw', 'population imputation', 'interval large', 'candidate gene 93', 'mrna longissimus dorsi', 'heterozygous male founder', 'control suggestive association', 'neighbourhood le 10', 'expressed placenta', 'impact marginal area', 'liver association consistent', 'locate candidate', 'detect genomic locus', '05 partial imprinting', '12 fold difference', 'objective develop', 'ga gg genotype', 'va ratio association', 'oar3 addition', 'tarnish perception', 'crossing charolais sire', 'eca upstream lcorl', 'gene bta26', 'snp cattle association', 'su rf model', 'identified known gene', 'nn 05', 'individual cheesemaking property', 'sexual chromosome', '01 plw', '97 10', 'previously associated abdominal', 'dbwavg dfiadj result', 'vienna austria', 'iia muscle', 'infection position putative', 'pig population high', 'antigen sla', 'included transcription factor', '1370 8044', 'leghorn cross', 'effect muscle mass', 'promising tool', 'list quantitative trait', 'fbxo32 known atrogin', 'polymorphism snp pit', 'identified database', 'refined dc', '200 unrelated', 'rs17196799 rs17193181', 'test statistic', 'containing irx4 encodes', 'correlation meat trait', 'including vocalization', 'protein concentration fat', 'gwas 455 pig', 'entire exon', 'good candidate affecting', 'breed specific common', 'regression multi trait', 'line analysis ovulation', 'vessel formation previously', 'infection based diagnostic', 'vertebra chinese western', 'mqts qinchuan cattle', 'candidate gene potential', 'muscling 12 vf2', 'vertebral development', 'cm assumed eu', 'dorsi muscle contribute', 'premium cut', 'receptor tlr2 toll', 'rh mapping result', 'associated rfi', 'porcinesnp60 beadchips', 'far significant association', 'milk genetically similar', 'indigenous bovine breed', 'gene following trait', 'effect occurrence osteochondrosis', 'genotype influenced percentage', 'anxa10 female embryo', '01 435aa 447gg', 'novel insight muscle', 'encoding corticosteroid', 'level largely consistent', 'qtl vs qtl', 'season year birth', 'domestication acted reduce', 'create putative', 'locus address hypothesis', 'model gene ryr1', 'snai2 pim1 directly', 'random sire', 'associated increased mastitis', 'located chromosomal', 'analysis trans eqtls', 'extensive measurement range', 'gene current', 'genotyped awassi', 'ratio lifetime', 'scan result', 'additive genomic scan', 'catecholamine indicates', 'affected single nucleotide', 'release bovine genome', 'chromosome sw1037', 'association behaviour', 'allele systematically', 'lesion showing lesion', '18 bos', 'thickness analyzed', 'variant complete', 'animal qtl interval', 'detected significant snp', 'primary ciliary dyskinesia', 'meta analysis improve', 'revealed haplotype single', 'il production', 'putative qtl adg', 'level supported', 'block analysis identified', 'association analysis snvs', '01 regression', '789 fish', 'multiple method used', 'snp 793g', 'breed multipoint', 'data animal selected', 'association fdr', 'indicating resistant animal', 'p450 ii', 'hock oc estimate', 'nucleotide large white', 'boar minzhu', 'mutation modifying locus', 'quality trait snp', 'italian local breed', 'affecting teat number', 'white composite founder', 'number ranging zero', 'production reduces', 'clinical model study', 'depth 6723gg', 'locus qtl discovery', 'age 48w', 'important studied indicator', 'contribution functional', 'purpose total 330', 'snp suggestive significance', 'using mainly drug', 'vole human', 'number tn result', 'horn wov total', 'cm ssc7 tn', 'region gdf8 oar2', 'pl study confirmed', 'frequency 136', 'syndrome investigated 2007', 'genotyped 62 163', 'qtl region showed', 'color measurement representing', 'dissected mll estimated', '26 642', 'high impact', 'log10p values pathway', 'involving candidate', 'coli finally', 'association detected twinning', 'ssc2 showed', 'trait quantitative', '105 dna', 'animal charolais', 'significantly associated rfi1', 'genotyped genotyped', 'control categorical', 'height wh', 'friesian animal candidate', 'stage growth relatively', 'revealed 42895', 'midpoint metabolic weight', 'line objective study', 'genomic region exploited', 'bta somatic', 'used linear mixed', 'redundant cnv', 'grew faster based', 'use genomic', 'ultrasound backfat', 'multi qtl model', 'combination analysis transcript', 'multiple trait shared', 'analysis longissimus dorsi', 'igf2 intron3', 'study fold', 'human mc4r gene', 'btb case control', 'common region', 'qtl effect hatch', 'study comparison', 'phenotypic trait group', 'influencing trait region', '1018 bp region', 'larva l3', 'promoter region ovine', 'norwegian dairy cattle', 'infection level cause', 'frequency ai', 'included number pig', 'control snp tested', 'brangus cattle allele', 'assuming alternatively gaussian', 'herd 850', 'wl bird', 'reveal interaction qtl', 'variation contribute', 'burden length female', 'gilt parent', 'respect comb color', 'underlying polymorphism', 'gene snp stearoyl', 'qtl block', '130 132 cm', 'lrguk study', 'traditional method', 'phenotype database confirm', 'unravel molecular', 'ldl circulating blood', 'analysis gene based', '5305c mix type', 'large effect reduce', 'satisfying relaxed test', 'homologous distal', 'conclusion hanoverian stallion', 'carcass performance', 'tissue map 245', 'region flank qtl', 'effect accounted additive', 'integrated qtl analysis', 'sscp polymerase chain', '83 upregulated downregulated', 'region ssc2 orthologous', 'sequence coverage', '934 male female', 'aim work better', 'development bcse', 'production composition trait', 'based standard scoring', '199 225', 'report time qtl', 'highly significant marker', 'individual 588', 'study pathway selective', 'breed appeared', 'lean muscle area', 'architecture pig', '717 animal carcass', 'animal used study', 'biological pathway underlying', 'regressed additive effect', 'result suggest specific', 'hereford approximately', 'ma bone trait', 'sensor quality', 'estimated restricted', 'associated cortisol level', 'predisposes significantly', 'marker significantly', 'milk yield 82', 'genotyped ss319607402', 'rate feather growth', 'receptor gene', 'advantage ld helped', 'identify functional property', 'data set analysis', '10 qtls exceeded', 'including 63', 'previously detected quantitative', 'cell vivo', 'probability corrected', 'fat yield content', 'biogenesis mirnas binding', 'record bovine', 'resulted confirmation qtl', 'known breast biology', 'chromosome direct maternal', 'phenotyped ejaculated volume', 'expression presented', 'improving power gwas', 'significant additive association', 'following fine', 'fat weight large', 'genotype map', '29 11 06', 'snp effect improved', 'identified allele', 'validation larger', 'bl trafficking', 'bta14 cwt', 'interval 25', 'polymorphism 0e 07', 'placenta embryo hypothesized', 'strain c57bl outbred', 'level broiler leghorn', 'bird measured growth', 'h2h2 greatest pbm', '862t tnfsf11 124', 'involved bone muscle', 'present founder population', 'ovarian follicle hypothesized', 'ileum length body', '24 month dna', 'resistance carried using', 'trait swine muscle', 'cause information', 'defining animal risk', 'overall study provides', 'utr creates', 'g150r m259t', 'lp defined', '21 chromosome respectively', 'cross iberian', 'effect second significant', 'performed ghr', 'indicated network interacting', 'identified combining gwas', 'larger sample animal', 'bull calf charolais', 'exemplarily population', 'jolliffe criterion', 'mammal imprinting', 'population pig 226', 'validation result study', 'genotype multiple snp', 'dgat1 newly identified', 'gg genotype meat', 'fat content suggestive', 'population mapped locus', 'essential success', 'family including 4993', 'year tlum nucleus', '27 associated difference', 'remaining rs41919999', 'melanoma performed genome', 'contained rfi qtl', 'extreme high', 'partly overlap', 'fy py respectively', 'prkcq conclusion genetic', '0002 associated', 'coq9 egfr candidate', 'jxau population causing', 'approach effective', 'lcorl gene goal', 'immunoglobulin igg blocking', 'utr duplication', 'located second', 'variant snp associated', '379 gray', 'marker covering autosome', 'understanding complexity', 'related total', 'fp association detected', 'expression analysis snp', 'collected 599 lamb', 'value ebv sc', '610 herd test', 'expression bend', '35 candidate region', 'pietrain f2 dupi', 'aquaculture industry muscle', 'gc neuropeptide', 'control lameness', '10841g 10893a 10936g', 'weight water content', 'combination significant experiment', 'luciferase reporter assay', 'cm 23 mb', 'polymorphism snp promoter', 'sequenom massarray sequenom', 'genetic basis test', 'functional role xenobiotic', 'fdr chromosome', 'produce meat unpleasant', 'snp determined', 'study indicating', 'associated bw withers', 'complex heterogeneous disease', 'association inferred simplem', 'result previous finding', 'lead allelic imbalance', 'haplotype bmp7', 'total 75', 'fine mapping identifying', 'ssc1 ssc6 showing', 'costly effect', 'ejaculation phenotype', 'combination eqtl detection', 'f2 broiler', 'south african cattle', 'joint trained panellist', 'mutation failed undergo', 'regression allows', 'tested random', 'analysis carcass', 'animal candidate', 'cattle carcass', '617 kb downstream', 'owner based questionnaire', 'result quantitative', 'suggesting mutation reliable', 'commonly evaluated milk', 'aim study fine', 'measure 23', 'support published study', 'fat thickness conclusion', 'structural domain gpihbp1', 'leptin gene japanese', 'reproductive tract', 'alive dead positive', 'follicle count', 'locus located intron', 'period result indicate', 'production knowledge mechanism', 'ptpn1 bin1 herc3', 'gwas revealed 30', 'porcine result reported', 'expression function identified', 'sw2456 sw1608', 'clinical mastitis spink5', 'detect candidate causal', 'haplotype ld analysis', 'scd subcutaneous fat', 'vasopressin receptor 1a', 'seventy male', 'resulting fatal bite', 'visual inspection live', 'feed efficient cattle', '14 sigma 0011', 'trait highly significant', 'microsatellite marker', 'interval milk fat', 'level late', 'underlying biological pathway', '26 68', 'experimental cross charolais', 'chromosome 37 38', 'phosphorylation mitochondrial pathway', 'population belong intermediate', 'il8ra ccr2', 'overlapping qtl multiple', 'regulation expression mtpap', 'total 40 individual', 'vitamin metabolic', 'reciprocal cross silky', 'high sequence', '10 week', 'validation analysis genotypic', 'acid composition fat', 'exhibiting large', 'lep 1382c lep', 'polymorphism responsible difference', 'snp rxrb gene', 'cross white leghorn', 'performed divergently', '787 significant', 'heritable ranging', 'sequence revealed', 'slaughter result suggest', 'test marker', 'bootstrapping result', 'analysis sire minor', 'gene role regulating', '27 mb haplotype', 'cross result', 'better elucidated', 'complex trait affecting', 'fasn genotyped', 'selection cm', 'gga2 gga3 gga6', 'indicated indirect', 'meat color lightness', 'min ultimate ph', 'broad scale mapping', 'testing genomic', 'experiment involving', 'biochemical pathway', 'associated mp', 'impact swine industry', 'muscle meat marked', 'genotyping combination', 'intramuscular fat nitrogen', 'level region ssc4', 'tlr identified', 'tmem18 skeletal muscle', 'single canonical', 'loin detected', '16 day', '30 litter', '05 result indicate', 'explained improved predictability', 'quality grade genotypic', 'equal 05 bayes', 'mll estimated', 'horse breed rhenish', 'chicken different genetic', 'obesity biological', 'performed 183 cow', 'study spanish', 'resource present work', 'tga statistical', 'differential transcription', 'including data presently', 'binomial trait result', 'proximity qtl cited', 'sex specific qtl', 'week age carcass', 'interval remained large', 'effect 435a', 'organoleptic physical', 'assessed analysis mid', '13 18 rfi', 'localization demonstrated', 'interval bovine chromosome', 'morphological feature pig', 'candling reveals spot', '071 004', 'polymorphism identified genotype', 'power identify', 'approach selected snp', 'suggested refinement cm', 'parity cm3', 'pcgs potentially causative', '20 cm 14', 'traitwise error rate', 'angularity chromosome', '169 newly', 'region identified sheep', 'significant snp simultaneously', 'unknown mutation', 'extended family seven', 'qtl conjugated linoleic', 'week fi2', 'tail bta11 region', 'cattle denominated cholesterol', 'mtdfreml using', 'ascites incidence identified', 'efficiency better understand', 'trait alp lac', 'sib family total', 'subset 19 586', 'nan yang', 'body capacity size', 'study polymorphism slc39a7', 'score genotypic', 'seven valid single', 'tdt mixed model', 'regression model ax', 'correlation 84', 'frame exon', 'suggest rumen', 'dorsi muscle using', 'using interval analysis', '532 expression', 'yield deviation deregressed', 'located sscx', 'effect 16 eqtls', 'ago earless sheep', 'cause morbidity mortality', '12 level', 'brsv vaccination identified', 'protein impacting secondary', 'potential cation', 'sequencing novel snp', 'reproductive trait u6', 'associated milk yield', 'finger btb domain', 'snp exon 10329c', 'steer family', 'analysed snp rs13849241', 'black cattle study', 'polymorphism insertion', 'complex underlying architecture', 'line f1 male', 'effect porcine fat', 'identified significant qtl', 'suggesting possible apply', 'alive birth nba', 'f2 cattle', 'acid balance', 'animal respond infection', 'teat essential', 'qtl lean', 'correlated meat quality', 'dairy cow addition', '671 marker', 'compression force dry', 'located region', 'order analyze', 'comparative gene', 'based silico analysis', 'grivette polish olkuska', 'chinese cattle using', 'total 27', 'mutation position 3481bp', 'leading lower protein', 'fat bta14', 'weight r2', 'study genotype rt', 'population result indicate', 'pathophysiological change oc', 'great potential', 'level body', 'mapping performed model', 'association angus', 'nucleotide polymorphism arl4a', 'structure calcium', 'marker mcse3f14', '50 total', 'analysis ssc2q', 'resistance ipnv estimated', 'snp 278a gu253337', 'ayrshire population', 'locus association analysis', 'circumstance maximum', 'association adfi adg', 'ch snp', 'snp detect qtl', '16 genomic region', 'snp tested significant', '315 f2 animal', '74 94 82', '90 282', 'increase number teat', 'significance level region', 'genetic mutation', 'coverage qtl', 'known effect', 'bovinesnp50 beadchip wssgwas', 'analysis gene region', 'seven erythrocyte', 'kg live', 'time demonstrated complex', 'family individual', 'allele phenotypic effect', 'targeted region refined', '2010 2011 reaching', 'milk sample single', 'overlapping qtl region', 'particular phase', 'dog orthologous chromosome', 'level total snp', 'study categorical', 'content anxa9', '05 furthermore individual', 'nicotinamide phosphoribosyltransferase', 'molecular marker covering', 'ion soluble protein', 'pure breed', 'risk salmonella', 'major component adaptive', 'genotyped sire assigned', 'observed mapping precision', 'hg low lg', 'intron camkmt', 'independent pool 100', 'hampshire pig', 'hypoxia inducible', 'concern bighorn sheep', 'qtl selected', 'thickness body', 'quality study', 'progeny randomly', 'identify evaluate relationship', 'better body weight', '13 region associated', 'kdm5a gene snp', 'significantly associated rbc', 'improvement programme hampered', 'microsatellites genome scan', 'yield phosphorous', 'analysis indicated c34t', 'bull scan genome', 'bta18 second putative', 'background cow', 'involvement vrtn', 'immune response term', 'program quantitative trait', 'bta20 16 67', '640 heritability variance', 'daughter design animal', 'exist arm', 'lap3 ncapg', 'line profiled', 'polish landrace pl', 'process differentially', 'variation respectively conclusion', 'chromosome best evidence', '30 140 kg', 'identified predicted', 'performance lean', '2333 animal individual', 'capn1 cast', 'snp3_t snp43_g', 'moderate low', 'weight ultrasound', 'region chromosome 65', 'background harness', 'intestine liver serf', 'opposite homozygous', 'chip illumina genotyping', 'dgat1 involved', 'joint analysis breed', 'quality measure result', 'locus prkag3', 'minolta retn cfd', 'analysed marker causative', 'used assist identification', 'genetic make aim', 'hpai identified performing', 'studied sample 2713', 'analysis conclusion high', 'highest posterior', 'resistant yn', 'significant association prkag3', '44 50 intramuscular', 'study demonstrate altering', 'coinciding qtl region', 'interactivity gene known', 'fat1 human genome', '68 trait', 'approximately 175 day', 'affected 21 077', 'binding globulin', 'large white revealed', 'gwas genetic dissection', 'sscp genomic', 'trait explain', 'gene evaluated prior', 'described method', 'sw2409 sw839', 'uk mapping', 'understand genetic', 'affecting cm sc', 'gene harbored cluster', 'number individual', 'depend aim', 'map abcg2', '25880 gene', 'identified bta 15', 'postcalving development', 'nol1 chd4 associated', 'demanded genome', 'average qtl size', 'retrotransposon gag', '12 significant qtl', '14 moderate large', 'level body weight', 'strategy diversely affected', 'panel genotype', 'disease metabolic', 'interestingly snp', 'qtl affecting egg', 'finnish yorkshire population', 'calpain genotype accounted', 'german schleswig saxon', 'model multitrait qtl', 'conclusive interaction', 'amidst strong environmental', 'f1 bird', 'shamo inferior white', 'reggiana identified 17', '34 20', 'identified snp metabolic', 'overall qtl', 'cooking loss', 'efficiency week', 'overall mutated mstn', '18 qtl bta29', 'beadchip technology used', 'phenotypic variation meat', 'cockfighting breed', '15 additive genetic', '61 quantitative', 'population fine mapped', 'level homological sequence', 'potentially follow', 'ho explained majority', 'erhualian constructed inra', 'milk mlk fat', 'index milk production', 'located nearby position', 'snp significance', 'pathogenic disease compared', 'fat content carcass', 'sire direct contribution', 'population marginal', 'polymorphism cast', 'mating 99 sire', 'resource pig', 'genotype real', 'affecting bmp15 molecular', 'wide qtl region', 'family composed', 'height electropherograms', 'ss chain', 'exploration study', 'zealand sample sample', 'described production trait', 'spectrum genetic', 'study investigate distribution', 'using multipoint', 'identified comparison', 'snp change biological', 'pig 434', '282_79 533', 'bovinesnp54 beadchip performed', 'disequilibrium linkage analysis', 'protein addition percentage', 'white small erect', 'imprinting important epigenetic', 'candidate structural protein', 'controlling shank length', 'lactoglobulin lg content', '22 24 previously', 'chicken result', 'gwass based', 'prevention treatment', 'usually defined female', 'including intron', 'platform marker assisted', 'blanco orejinegro bon', 'identified mutation c522t', 'data substantially reduced', 'member kcnd2 wh', 'response resistance', 'total 306 polymorphic', 'utr 1040t', 'yield effect', 'ssc16 addition selected', 'longer sheep linkage', 'report qtl', 'identify tissue', 'ssc7 ssc8 ssc13', 'level segregation previously', 'offspring half sib', 'using linkage information', '140 mb 141', 'holstein f2', 'snp ss411628932', 'length pietrain pi', 'array applied 1000', 'widely expressed tissue', 'chromosome additional marker', 'highlighted 877', 'intervals maximum', 'w2cl conclusion genomic', 'class daughter', 'base circumference', 'detected 7547 unique', '23 total trait', '446 slaughtered approximately', 'successive iteration based', 'result useful selection', 'threshold 47 qtl', 'change arg315cys cleavage', 'bta10 study showed', 'comparison 17', 'respectively kegg', 'boar eliminated population', 'useful optimization prediction', 'arl4a snx13', 'ensembl database overrepresentation', 'animal welfare study', 'non spotted breed', 'identified trait 10', 'captured informative snp', 'birth weight modeled', 'identified total 865', 'demonstrate feasibility qtl', '14 sigma 0003', 'challenge spleen', '12 16 17', 'vl moderate 30', 'chromosome effect calving', 'analysis conducted infected', '130k snp', 'rs135423283 rs135576599', 'heterosis cryptic', 'trait recorded 825', 'hsp90aa1 map region', 'affect protein', 'applied identify', 'bta 14 contrast', 'sheep genotype ac', 'fowl detect', 'performed fitting', 'qtl located similar', 'cwt 001', 'suggested discovery', 'identified temperament', 'generation today high', 'studied farm', 'study provide opportunity', 'hypothesis performed genome', 'measure tenderness identified', 'explained mb', 'sire region', 'tissue testosterone estrone', 'twinning 014 018', 'international genomic evaluation', 'time compared', 'holstein indicating', 'composition longissimus dorsi', 'novo synthesized fa', 'genotyped tnf gene', 'daughter design detect', 'determinant palatability beef', 'difference milk', 'region seven', 'level permutation test', 'nanyang breed snp', '750 investigated', 'head 649 f2', 'test association estimated', 'defined marker', 'adipose trait', 'significant 41', 'maximum significance', 'number type iia', 'sa measured', 'marketplace previous analysis', 'based reference', 'marker log10', '100 breast feather', 'intercross f19 sutai', 'region tested', 'hanwoo method', 'phosphorylated form', 'average 19 month', 'phenotypic value using', 'trait linearly transformed', 'fst influence wool', 'dxa peripheral quantitative', 'showed close', 'study identified number', 'applied semen trait', 'domestic chicken material', 'important trait trait', 'gain test average', '10329c predicted', 'fbxo32 previously shown', 'v371m analysis', 'fish mapping localized', '61 suggestive significant', 'encoding non smc', 'interval bw', 'duroc sequence', 'trait identified suggestive', 'age concluded', 'beef cattle economically', 'assign weight 49', 'respectively single', 'treatment seventh day', 'subsequent increased productivity', 'ion binding calcium', 'genotype making snp', 'value bw ww', '14 chromosomal region', 'aries breed columbia', 'microsatellites collected', 'mechanism underlying lp', 'nearly equal frequency', 'representing major polymorphic', 'dh genomic region', 'coding gene csrp3', '243 pronounced association', 'provides important mineral', 'qtl influencing rfi', 'affected calf size', 'protein ibp4', 'low 285 cow', 'establishing efficient', 'igf1 examined', 'measured number trichostrongylus', 'gene function contribute', 'mc4r genome sequence', 'positive selection repression', 'qtl number piglet', 'qtl cluster gene', 'performed fine', 'population cow inclusion', 'acid sequence highly', 'causal mechanism underlying', 'intercrosses iberian landrace', 'detectable hbt', 'resolved increased', 'molecular biological', 'fertility opposite', '881 single nucleotide', 'matrix original ebv', 'association analysis lld', '23 autosome chromosome', 'history marked', 'mainly devoted production', 'beta lactoglobulin genotype', 'result detect snp', 'protein polymorphism', 'protein assessment', 'function increasing evidence', 'perfect linkage disequilibrium', 'economic trait', 'sixth seventh', 'replication host', 'mammary tissue larger', 'intramuscular fat affect', 'piglet intermediate', 'glycosylation cn', 'result showed nucleotide', 'qtl duroc', 'dairy trait contemporary', '16 german holstein', 'snp fst', 'needed order', 'hsd17b7 ibsp ocln', 'subjected behavioral', 'pair wise genomic', 'rs41919992 rs41919984 rs41919986', 'acsl1 gene silico', '001 level', 'highly polymorphic', 'adjust qtl', 'seven polymorphic site', 'breeding value subcutaneous', 'weight egg afe', 'identification single', 'wise interaction analysis', 'positioned csn1s1 marker', 'improved romney breeding', 'mapped microsatellite marker', 'myostatin negative', 'pecking fp', 'distributed 28', 'especially fast', '21 dpi heritabilities', 'frequency frequent', 'primarily chromosome', 'associated increased susceptibility', 'collected steer germplasm', 'trait pig study', 'affecting trait related', 'percentage 60 cm', 'snp70 beadchip', 'trappc9 arhgap39 gene', 'economy breeding company', 'associated 001 carcass', 'transformed pcv', 'ci 27 13', 'dissected mll', 'lactation olp', 'confirmed position', 'explored genetic polymorphism', 'affecting growth average', 'association marker chromosome', 'estimate non yield', 'population greece bf', 'ancestry result', 'etec k88 strain', 'proportion total', 'completely effective', '13 15 21', 'sow different paternal', 'pig extensive variation', 'ovary weight ow', 'commercial dam', 'located near genomic', 'direct maternal effect', 'mastitis overall health', 'cross significant association', 'ovine defence', 'swine industry', 'gene distance', 'growth result', 'snp a59v', 'effect myofiber', 'suggested potential', '23 standard additive', 'trait segregating chromosome', 'improve hen welfare', '167 genotyped', 'cis vaccenic', 'trait phenotypic measure', 'generated study inform', 'retained placenta retp', 'result qtls', 'extensive research feather', 'process mitochondrial function', 'brown preadipocytes haplotype', 'fat percentage qtl', 'predominant test population', 'accurate positioning', 'townes brock pallister', 'necessary illustrate', 'used predict milk', 'early growth week', 'cap telethonin', 'hydrolysis ncapg', 'contour feather current', 'located upstream gnas', 'mate choice deplete', 'reproductive longevity aim', '14 sire', 'snp illumina bovinehd', 'chromosome 12 locus', 'week dqsl2', 'yearling hip height', 'affected pp remarkably', 'teat increase', 'insag higher expression', 'lead increase growth', 'yield measured', 'pleiotropic association', 'weight measured second', 'val 24', 'secondly confirm', 'available level marker', 'breed analysis moderately', 'born nba', 'like quantitative', 'improve meat production', '31 snp', 'live animal target', 'putative qtls scan', 'rank based', 'population explained', 'shear force tenderness', 'involve single gene', 'gene qinchuan cattle', 'snp cattle', 'marker chromosome chromosome', 'cut threshold value', 'adhesion pressure', 'chronic inflammatory disease', 'moderately heritable trait', 'opn animal', 'color phenotype hen', 'tissue perfusion disturbance', 'boars genotyped presence', 'pathogen trait', 'composite animal conclusion', 'experiment identified', 'gene associated trait', 'selection animal beta', 'analyse influence transcription', 'accuracy genomic information', 'dna polymorphism promoter', 'effect separately', 'month individual genotype', 'adulthood confirms earlier', 'allele significant', 'variance monte', 'nearby ccnd1 fto', 'g2 generation nucleus', 'skatole maternal paternal', '01 dbwavg dfiadj', '20 10 06', 'present report sheep', '02 gwaa using', 'analysis gene', 'flanking control', 'associated numerous', 'gilt associated 05', 'future study aimed', 'sample 2189', 'conducted residual', 'infection bvd pi', 'wither height', 'genome locus affecting', 'polymorphism resulting', 'necessary fully employ', 'fertility herd', 'investigated analysis', 'knowledge gene chromosomal', 'allele frequency', 'myf gene', 'acid cd46', 'prkag3 causative mutation', 'structure study', 'variant bovine fabp4', 'intensification worldwide', 'free control animal', 'detected study', 'synthesis enhances opportunity', 'pig breeding purpose', 'indicator mastitis', 'associated spleen bacterial', 'detection epistatic', 'total 596 yorkshire', 'locus sex specific', 'chinese native', 'method significant region', 'performance trait', 'gain prediction', 'multiple pathogenic disease', 'fa component', 'characterized associated', 'detect true', 'qtl inaccurately', 'breeding value 804', 'different ncapg 1326t', 'growth rate breed', 'insufficiently oxygenated series', 'regulation concordance result', 'scenario rf', 'phenotype studied included', 'immunization overall', 'md defining', 'mutation mutation', 'breeding purpose', 'examined fiber', 'greater japanese wild', 'loin fit', 'macrophage response infection', '152 parity', 'thickness thorax', 'population jxau', '15 il 15', 'analysis highlighted nr3c1', 'variation coding', 'genotype 45', 'caused abnormal hindgut', 'mc5r cd83', 'fst hapflk approach', 'trait clearest effect', 'genotype slaughter weight', 'value temperature 45', '20 parental bird', 'analysis extended multiple', 'accession fj515744', 'gene length dna', 'calving ease ebv', 'period animal fed', 'zcchc2 phlpp1 gene', 'bta03 01', 'novel food', '42 manchega', 'family genotyped 257', 'growth associated skeletal', '152 marker', 'associated snp 8068', 'cattle animal growth', 'report polymorphism imprinting', 'high statistical power', '18 phenotype bta', 'assign genotype', 'eca 16 17', 'contribute expression', 'gene tcf12', 'marker public', 'lumborum ltl driploss', 'trait locus spanning', 'line comparisonwise threshold', 'mb 14 45', 'cm associated body', 'milk detected', 'available substantial', 'based rest', 'specie conduct directional', 'protein polymorphism myostatin', 'steer generated jersey', 'domain grb2', 'btb present continuous', 'differentially expressed', 'identified close qtl', '108 711 001', 'meishan significant qtl', 'piglet gene', 'association percentage', 'low variability litter', 'underlying growth egg', 'using thrgibbs1f90', 'prediction ability 1206', 'variant significant', 'commercial pig conducted', 'mb bta21', 'kinsella alberta', '05 30', 'production east africa', 'variance 32 measure', 'determined mhc polymorphism', 'consumption contaminated egg', 'hsd17b7 ap3b1', 'consequence developing', 'level heme', 'simplistic genetic', 'secondary objective test', 'gave accuracy 50', 'genotype involved increasing', 'skeletal muscle physiology', 'area additional snp', 'rea bms490', 'genotyped 183 microsatellite', 'recent research', 'identify new', 'resource population tcf21', 'pig mum 370', 'affecting 01 bwt', 'phenotypic effect assumption', 'animal cooperative research', 'score entering scale', 'trait chicken insag', 'effect founder', 'significance threshold value', 'vitamin result clinical', 'basis 1064', 'decline ld', 'gwas chinese', 'region ssc13 harboured', '150 snp', '14 hypoxia inducible', '10k snp array', 'detected included', 'genomic information', 'pig according epl', 'qtl region including', 'number vertebra located', 'concentration fitting', 'segregating mdh1', '131 132 indicating', 'measure feed efficiency', 'arm ssc4', 'model addition 16', '22 individual verified', 'better adaption tropical', 'circulating serum', 'tissue remodeling lactation', 'additive genetic variance', 'analysis using local', 'bta 28 suggestive', 'used aim present', 'trait w2cl', 'ssc7 growth', 'design utilized', '304 informative', 'trait vary degree', 'weight apex2 gene', 'miescheriana protozoan', 'resulting genome wide', 'racing success conclusion', 'chump loin', 'affected animal resulting', 'suggest power genome', 'analysis perform', 'create window', 'haplotype windows 12', 'mcp cft set', 'production unraveling', 'represent quantitative', 'pig imf quantitative', 'step understanding', 'variance snp provide', 'genome scanning followed', 'trait identify qtl', 'modelling additive', 'bwt wg pwg', 'mastitis periparturient', 'control additionally', 'gene encoding interleukin', 'difference individual', 'variation level', 'mrna expression phenotype', 'wide level low', 'cow data', 'exon rflp bsri', 'gridqtl bayesian', 'gene lead', 'suggest variation mineral', 'included sex compared', 'ag aa association', 'litter size present', 'chip single marker', 'mortality prevalent', 'average chain', 'platelet trait immunized', 'respectively mrna', 'primer based', 'population phenotyped serum', 'sheep total 739', 'sc purpose higher', 'seven snp associated', 'beef production carcass', 'size 433c additive', 'reproduction corresponding equine', 'milk coagulation', 'underway refine qtl', 'lr study investigated', 'cattle using genotype', 'chromosome 18 harbor', 'prevalence swine', 'causal variant exist', 'production ripk2 mouse', 'skin largest organ', 'equine osteochondrosis', 'holstein cattle 2780', 'birth weight positively', 'efficiency artificial', 'effect small overlapping', 'genotyped porcinesnp60 illumina', 'bta14 bta20', 'runx2 identified potentially', 'create window 20', 'prkag3 region', 'power precision identifying', 'association detected seven', 'protein abundance mineral', 'fmo5 pig chromosome', 'reflect eating', 'tlr9 measured', 'direct contribution trait', 'univariate model', 'woman fertility', 'line chicken white', '835 f2', 'presenting ratio female', '35 bf 02', 'indel silico', 'snp biec2 808543', 'resolution responsible variation', 'domain cradd', 'frequency different', 'genotype average', 'lgb1 snp', '40 cattle different', 'weight duodenum length', '01 prt region', 'genotyping 3360 animal', 'cow ability recycle', 'improving power', 'gwaa identified 116', 'composition reported', 'cm 11', 'trait classical', 'described single', 'germ cell', 'female noncortical bmd', 'study gwas method', 'growth induce indirect', 'osteochondrosis selected', 'result support polygenic', 'mechanism hematological parameter', 'phenotypic variance corresponded', 'detect novel', 'diversity revealed', 'snp wool quality', 'large effect racing', 'male advantage', 'gli2 gli kruppel', 'bta18 possible gene', 'study examine individual', 'induction btg1', 'association mutation slc39a7', 'chromosome trait charolais', 'genotyped 108', 'causal relationship qtls', 'protein yield sc', 'genome effect', 'evaluate effect beta', '29 detected strong', 'meat percentage 05', 'mammal effect reproduction', 'prolificacy longevity', '36 226', 'iberian meishan ib', 'pch polish', 'primary micrornas allele', 'seven hematological parameter', 'phasing snp', 'female suggesting', 'quality increasing', 'analysis used estimate', 'amplification created restriction', 'bwg ct', 'deletion intron', 'time time involve', 'gwas 16th 18th', 'strong positive correlation', 'significantly greater muscle', 'conclusion complementary genome', 'animal sire', 'phase marker', 'frequency significant', 'sire total offspring', 'marker family', 'available pig ensembl', 'comprising seventh', 'birth weight yearling', 'post vaccination', 'use eth10', '46 18 fp', 'determine variation affect', 'needed application', '13 07 kg', '15 paternal', 'designed ovinesnp50', 'tested single', 'approximately 20 gene', 'chromosome significant locus', 'determine best set', 'associated snp marker', 'explaining population specific', 'horse providing', 'ab genotype tibetan', 'methodology genomic', 'missing data', 'ssc2 ssc5 ssc6', 'yield phenotype', 'challenge sarcocystis', 'gh1 md', 'qtl gestation', 'selection unaffected animal', 'located identified qtl', 'fatness conclusion detection', 'provide valuable', 'quantitative genetic effect', 'bovine gene gene', 'imf heritability', 'comprised 489 suffolk', 'day genotyped', 'regulatory mechanism key', 'radiographic change', '19 82', 'fst run homozygosity', 'crossbred lamb', 'effect identified', 'factor ngf', 'substitution effect 279phe', 'blotting immunohistochemistry', 'variability identified snp', 'age puberty ap', 'qtl gga1', '05 result strongly', 'despite considerable research', 'determined based', 'intramuscular fat called', 'difference expression', 'corridor test', 'marker linked', 'affect internal', '83 database', 'indicated motilin mln', 'significant qtl comparison', 'intron detected polymerase', 'used fertility', 'ab bb', 'hf population relative', 'production trait', 'piglets birth sow', 'porcine human cart', 'performed snp piii', 'piedmontese allele', 'factor quality', 'indirect measure', 'primarily 25', 'scan performed f2', '149 cis acting', 'day gestation', 'generated commercial', 'identified angiopoietin', 'underlying gene', 'genomic estimate fertility', 'trait sheep breeding', 'phenotype genetic', 'formed pig', 'gga27 identified', 'recent availability high', 'association sc individual', 'actual dmi animal', 'cattle particular', 'correction sixteen snp', 'trait aquaculture industry', 'identified eqtl gene', 'deltagen paint breeding', 'pat high impact', 'problem growing animal', 'breed chicken associated', 'report association dlk2', 'rare modern day', 'rfi 25 kg', '131c good marker', 'ssc15 ssc16 ssc17', 'new insight predisposing', 'standard method established', 'influence power detecting', 'additional 11 chromosome', 'marker associated utt', '10 highest', 'evidence mutation', 'production 300', 'sperm negatively', 'strategy mastitis', 'thickness ab', 'trait pig region', 'lactation subclinical ketosis', 'reduce incidence', 'enhance heat tolerance', 'provides advantageous route', 'exophthalmus bcse widespread', 'closest significant', 'qtl calpain', 'locus principal component', 'curve identify', 'ssc7 60 cm', 'particularly presence false', 'ifnar2 ifngr2', 'brsv specific antibody', 'hmga2 2836 included', 'dam backcross', 'infrared mir spectrum', 'company sale fertilized', 'landrace boar high', 'using genotyping platform', 'involved 32', 'program used animal', 'haplotype combined frequency', 'wnt signaling', 'marker informativeness different', 'considering physiological', 'quality sequence variation', 'dna sequencing', 'tended influenced 07', 'belgian texel breed', 'control detected', 'informative association', 'snp 232 021', 'trait provides', 'body parameter manych', 'suggested snp06', '21 56', 'mb 13 snp', 'respectively phenotypic genetic', 'porcine autosomal chromosome', 'using rt pcr', 'month age extreme', 'animal fleckvieh fv', 'population effect', 'conducted animal polynomial', 'lw population qtl', '23 positional candidate', '23 endocrine trait', 'fst value case', 'qtl genotypic value', 'pig located ssc12', 'gene snp identified', 'carcass trait beef', 'superior ab aa', 'intron variant tox', 'comparative map', 'qtl bft hw', 'value developed', 'probably tissue specific', 'oxidase maoa', 'test significant result', 'tool expedite genetic', 'exploit correlation trait', 'resequencing positional candidate', 'analysis based previous', 'primal cut 05', 'genome 22', 'c18 c20', 'sc milk speed', 'lack significant association', 'resistance improved general', 'cd tlum population', 'tick count head', 'effect test', '25 showed', 'bft considered', 'required allow clear', 'animal genotypic probability', 'animal 14 paternal', 'formation white', 'result divergent', 'position 131 132', 'white dominant', 'analysis performed oar2', 'thicker single qtl', 'snp gene related', 'affecting milk production', 'ebv bovine', 'gga_rs16098446 ggaluga348518 179', 'ca genotype significantly', 'significantly associated type', 'gene implicated', 'concentration genetic model', 'identified 33 snp', 'reflected intermediate', 'analysis successful', 'involved tick', 'associated gp influenced', 'pig single nucleotide', 'enrichment used explore', 'report showing 27534932a', 'pig pig genotyped', 'trait vrtn genotype', 'additional analysis', 'ass pleiotropic', 'lactoglobulin content causal', '2009 dense', 'accomplished 10 microsatellite', 'mqts 05 gg', 'laying hen physiological', 'model considered appropriate', 'gli3 gene 16', 'correlation body', 'marker binary', 'rs41919986 synonymous', 'ep using', 'subcutaneous fat lower', 'genetic factor cattle', 'polymorphism p3 lous', '56 424', 'score case epl', 'examined evaluate', 'fat percent shear', 'gga2 11 data', 'slc16a1 located', 'sib bovine family', 'susceptibility qtl', 'individual applied model', 'wide fixation', 'structure bovine genome', 'increase power quantitative', 'heritabilities close 60', 'significant conditional qtl', 'experiment including', 'purpose study genome', 'trickle infected suis', 'marker lei0029', 'salmonella resistance wool', 'commercial snp', 'analysis defined locus', 'div pig significant', 'negative genomic correlation', 'correspondence location', 'melanoma melanoblastoma', 'brd brahman', 'marker interval', 'presented genetic', 'breed fat heavyweight', 'including minimization', 'qtl genotype', 'value consumer prefer', 'absorptiometry dxa', 'laying period 21', 'qtl segregating population', 'qtl backfat ebv', 'order adjust', 'pleiotropic region included', 'level individually explained', 'defined large scale', 'bw breast', 'composition software', 'weight backfat', 'batch 412 predictive', 'control wool', 'detected 84', '300 f2 chicken', 'region associated wg', 'dna marker determine', 'region ovis aries', 'contain ucr1', 'expressed gene directly', 'bovine lactoferrin chinese', 'animal comprised cross', 'effect ssc7 ssc11', 'corresponds human chromosome', 'factor tf', 'composite likelihood ratio', 'postulated dgat1', 'ssc12 ssc18 laiwu', 'performed assigning', 'infection phenotypic', 'differ male', 'rate 221 cm', 'effect host', 'express substantial', 'knowledge help understand', '14 40', 'mirna ensbtag00000040351 prkdc', 'series simulation experiment', 'used fine map', 'lpar1 prkag3 significant', 'result detected genome', 'dam bvd pi', 'animal canchim', 'sibling sire', '160 age', 'grouped 11', '444g 1730a e577d', '11 variety 18', 'ram obtained crossing', 'daughter selective', 'breed granddaughter', 'continues profound impact', 'bta6 including', 'allow accurate', 'prkag3 mutation detected', 'ltn region evidenced', 'hin1i mspi', 'region mtnr1b gene', 'potential positional candidate', '660 novel snp', 'mtnr1b gene', 'acid composition gene', 'bovine improvement', 'indicates trait', 'apoptosis protein sosondowah', 'snp 327c 562g', 'utt accounting', 'cow experimental', 'breed respectively snp', 'radiation hybrid mapping', 'good starting point', 'seven trait teat', 'detecting locus affecting', 'physiological finding androstenone', 'number fetus', 'marbling score marb', 'sheep 48', 'related mitogen', 'animal exhibit', 'marker largest associated', '22 sire heterozygous', 'exception na 32', 'work test additional', 'exerted antagonistic', 'white cross showed', 'human finding suggest', 'interval making easier', 'result haplotype displayed', 'month month', 'scan performed', 'muscle hand', '862t hardy', 'region identified autosome', 'osteochondrosis lesion', '72 qtl 16', 'kit mitf variant', 'meat colour conductivity', 'region identified rft', 'selective breeding improved', 'try reduce incidence', 'relatively consistent trait', 'duroc pig generation', 'state homozygous', 'disease important health', 'selective sweep locus', 'identified osteopontin opn', '585 progeny 68', 'used oc', 'aim current work', 'breeding program applied', 'polymerase gene', 'duroc swine', 'data snp6', 'associated oocyst shedding', 'gene expressed', 'resistance challenging', 'thyroxine t4', 'nanyang breed', 'qtl ssc6 result', '101 association 73', 'insertion subsequently', 'variant located exon', 'additionally test', 'level 21', 'birds genome wide', 'sfa unsaturated fatty', 'gene intron exon', 'replicated qtl ssc15', 'total 62 polymorphism', 'identified located intron', 'method 24', 'nrr 281', 'ability bovinesnp50 snp', 'variant filtered high', 'method increasing', 'fatness trait ssc1', 'reduced polygenic', 'segment harbor gene', 'pig snp rs81358375', 'study provides comprehensive', 'make susceptible osteoporosis', 'bta23 strongly', 'different parity validation', 'used marker', 'pigmentation genome wide', 'backcross backcross ibmap', 'dna rad', 'animal model study', 'qtl explained additive', 'component reproduction efficiency', 'pol mbd5 ubr2', 'wide range pork', 'phenotype homozygote tt', 'differed significantly group', 'reduce noise', 'identified common genetic', '22 respectively lamb', 'ssc7 potentially involved', 'select genetically', 'gain test adgtest', 'important pathogen', 'qtl interval direct', 'subsequent application', 'bovine chromosome performed', 'genotyped white', 'relationship sex', '25 issued', 'contributing effect', 'time point 45', '0001 0257 addition', 'investigate malodorous', 'linked 31 annotated', 'novel qtls pig', 'putative impact direct', 'aggression moderately heritable', 'trait make', 'alive litter', 'study allowed confirm', 'nearly half', 'mean circumventing', 'trait chinese red', '39a val19leu', 'haplotype high', 'performed animal parent', 'ld individual', 'quality qtl region', 'non annotated est', 'composition bone', 'pig predisposes significantly', 'snp located von', 'antibody summary snp', 'study charolais', 'improving processing', 'intron interferon gamma', 'period polymorphism studied', 'handling collected lamb', 'mm mm 15', 'modulate growth', 'aim enhancing resolution', 'qtl total 524', 'utr transcript level', '261 evaluation', 'including novel', 'data 45', 'resistance genetic', 'improvement production east', 'wide scan', 'sire 85', 'concluded following', 'framework map estimated', 'relevant rna', 'remained rs41694646', 'confidence interval', 'ew negative', 'jj ji', 'pool matched', 'collected slaughter 30', 'holstein 237', 'causative gene underlying', 'number uncorrelated egg', 'region ghr', 'association differed breed', 'thickness different', '12979 potential', 'trait number stillborn', 'total 79 significant', '799 ewe distributed', 'pleiotropic closely', 'model total 67', 'development study polymorphism', '29 mm', 'demonstrate population wide', 'candidate gene deserve', 'deserves highlighted', 'typically associated tropically', 'validated danish', 'chromosome suffolk', 'higher cn', 'gain phenotype marker', 'mirnas including primary', 'strategy breed chicken', 'trait list interesting', 'family 510', 'panel bovinesnp50 panel', '23 171', 'heifer data heifer', 'test record', 'adg duroc', 'facilitate accurate', 'beard wattle trait', 'detection 59 qtl', 'tenthrib qtl position', '933 f2 genome', 'absence infectious nutritional', 'using gene qtl', 'line caused', 'val870ala genotyped melim', 'pork quality palatability', 'frequency holstein friesian', 'trait estimated phenotypic', 'loin colour', 'test hypothesis genetic', 'human 5p13 p15', 'set analyzed', 'amplification refractory mutation', 'associated metabolic', 'color ph 01', 'average days open', 'ranged 05 08', '791 animal', 'mutation responsible pleiotropic', 'shaobo hen', 'shorter length', '195 wxm', 'evidence better collagen', 'growth factor belonging', 'adam12 conclusion', 'assayed backfat tissue', 'important trait farm', 'ssc1 ssc14 sscx', 'breed calving', 'suggesting genetic effect', 'erhualian boar dramatically', 'locus intron', 'mutation showed genotype', 'validate qtl porcine', 'parasite conclusion study', 'region sheep', 'snp window centromeric', 'needed uncover', 'risk associated', 'fosl2 bw potassium', 'imf heritability imf', 'effect estimate', 'significant effect polymorphism', 'way decrease', 'perform association analysis', 'immunity factor', 'property meat study', 'additional information', 'polymorphism 15 locus', 'ghr igf1', 'comparing result previous', 'composition presented provide', 'determining body height', 'total teat count', 'bta qtl', 'qtl 11 region', 'total 20', 'h5n2 survivor sample', 'understanding biological mechanism', 'mineral citrate lactose', 'regression additive dominance', 'individually exposed standardized', 'repeat neuronal', 'result association mapping', 'formed pig ff', 'gain observed', 'ketosis lactation subclinical', 'related reproductive trait', 'load 266', 'included previously', 'efficiency genome wide', 'variation single qtl', 'chr 14 confirm', 'detected half sib', 'number snp 19', 'accounted variation mar', 'scan quantitative trait', 'report qtl lda', 'associated missense', 'financial problem', 'model univariate', 'food producer', 'aid breeding desired', 'new qtl snp', 'constructed thirty phenotypic', '12 13 bb710', 'signalling holistic', 'duroc recessive allele', 'qtl mapping allow', 'marker interval close', 'set 400', 'significant snp different', 'gene used association', 'combined genotype future', 'mating blood', 'poll dorset sheep', 'identified 116', 'associated wg identified', 'score result', 'disease model', 'intestine skeletal', 'difficult measure large', 'influence weight conclusion', 'prototypical trait', 'intellectual disability', 'performed using poisson', 'percentage milk fat', 'analysis single bivariate', 'change oc expected', 'gr expression corticosterone', 'incidence mastitis bacteriological', 'snp segregating intermediate', 'cattle single', 'values 794 observed', '221 cm', 'affected ham weight', 'prkag2 subunit', 'beadchip genome single', 'white marking forelimb', 'determine best', 'maternal breed', 'mass ssc15 qtl', 'previously applied milk', 'resistant exogenous antigen', 'showed haplotype block', 'snp bp', 'strongly associated insulin', 'gene encoding transcription', '15 filly colt', 'profile investigate genetic', 'differentiation diet induced', 'genetic background serum', 'analysis association result', 'observed commercial', 'level mapped eqtl', 'suggest fmo5', 'interaction genome wide', 'possible effect age', '12 second parity', 'lactation holstein', 'difference broiler layer', 'qtl parent', 'interleukin il gene', 'configuration 168', 'subjected official performance', 'complex trait difficult', 'growth 23', 'receptor chromosome', 'significant genome', 'available protein lipid', 'responsible skin thickness', 'step innate', 'determine truly', 'involvement chromosomal', 'putative causal', 'age bird genotyped', 'tender allele', 'respiratory disease important', 'wild boar meishan', 'nucb2 visfatin', 'positioned core sequence', 'region bipolar', 'susceptibility multiple viral', 'gg cc greater', 'marker chromosome', 'indicating different breed', 'metabolism pathway validated', 'model glm', 'function analysis', '12 gestation', 'regression interval mapping', 'equivalent phenotypic standard', 'white highly', 'anova model based', 'gene underlying pleiotropic', 'region identified harbouring', 'body weight average', 'fish available phenotypic', 'method partially', 'glucagon insulin lactate', 'downstream flanking region', 'escherichia coli etec', 'correlation additive', 'pig dumi', 'development insulin pathway', 'technology discovered evaluated', 'additive effect bodyweight', 'finding major', 'affected component direction', 'gene worth investigating', 'haplotype sharing', 'heavily biased standard', 'mutation apob', '24 snp data', 'selection program beef', 'criollo descent', 'analysis population', 'population meishan', 'landrace finnsheep known', 'analysis revealed genome', 'familial relatedness thirty', 'signal rs419889303 chromosome', 'major qtl sex', 'gwas seven snp', '510 animal', 'background animal', 'content milk jersey', 'make distinction', 'study associated bf', 'used utilized', 'muscle yield highly', 'used breed widens', 'value based genome', 'snp reported incorporated', '13 homeologous', '21 28', 't12495c snp', 'acid content longissimus', 'notch1 37453246g', 'body weight 41', 'twice effect snp', 'wfe localisation', 'polymorphism selected', 'exon 14', 'associated 008 04', 'affecting bone biomechanical', 'trait nil', 'based selection blup', 'cd46 tv mrna', 'analysis 10', 'ld chromosome', 'underlie meat', 'candidate region responsible', '46 genome wide', '82 td respectively', 'effect adg 01', 'stallion fertility', 'shearing addition qtl', 'weight result present', 'block 183', 'used novel', 'using emmax haplotype', 'marbling haplotype inherited', 'lcorl transcript', 'norwegian slaughter', 'variant respectively kegg', 'size second', 'filtering genotype data', 'distribution width rdw', 'measurement taken', 'associated growth examine', 'effect perform interval', 'expressed additive genetic', 'parturition associated', 'resistance cd polygenic', 'stratification furthermore', 'infection moderately heritable', 'predict bone', 'map provides valuable', 'abcg2 gene qtl', 'bull association milk', 'mutation carrier', 'fatty acid initial', 'durocs 11', 'mnb42 marker bta04', 'tetratricopeptide repeat', 'variance qtl ssc2', 'binding leukocyte highly', 'position 159 affect', 'anal atresia', 'day post infection', 'variation approximately', 'cw locus', '05 total number', 'end arm sscx', 'involve single', 'faster growth improved', 'cis trans eqtl', 'strong chromosome', 'decreased mln', 'age detected', 'different spotted 875', 'rib landrace duroc', 'block ghr', 'qtl effect prp', 'qtl implicated gene', 'genabel package genome', 'laying chicken', 'qtl regulating', 'value 05 479', 'panel 315 microsatellite', 'porcine chromosome harbor', 'relating glycolytic', 'action enzyme stearoyl', 'related carcass fat', 'difference qtl', 'value indicated genotype', 'ph sarcomere length', 'gw detected', 'evaluate polymorphism selected', 'bacterial count', 'enhance immune', 'rao case control', 'line revealed candidate', 'requirement economically', 'family susceptible', 'encoding promoter acaca', 'model weight', 'covariate factor model', 'value 60 48', 'natural antisense transcript', 'f4ac autosomal', 'yield highly sought', 'affected early late', '33 snp', 'participatory animal breeding', 'corticosteroid binding globulin', 'genotyped 600k snp', 'ease quantitative trait', 'involved prader willi', 'approaching significance gwas', 'improve calving', 'bighorn sheep ovis', 'associated oocyst', 'fe residual', 'protein percent', 'quantitative trait human', 'exhibited lower deformity', '19 genotyped', 'brahman angus', 'mechanism physiologic response', 'eca 14', 'chromosome sire', 'adjusted variance based', 'prrsv infection poorly', 'handful non mhc', 'model included fixed', 'regulate metabolism', 'value production bovine', 'snp located potential', 'difficult detect', 'initial haplotype', 'density bovine', 'screen exploited high', 'experimental farm', 'genotype genotyped', 'partly imputed genotype', '40 604 informative', 'variant rbc specific', 'provides evidence association', 'weight 05 associated', '575 snp identify', 'effect combining result', 'osbpl8 prlr', 'tgfbr1 gene trait', 'gene marker combined', 'deformity outer ear', 'level fecx shown', 'horse symptom oc', 'overlapping qtl', 'mapping pc1', 'hgd enzyme required', 'consortium prrs cap', 'revealed bull h1h1', 'chain analysis', 'rate previously', 'determined ultrasound lambing', 'viral infection', 'related growth fatness', 'result shed light', 'filtering result showed', 'investigation validate', 'chromosome ssc10', 'cbg capacity', 'bd genetic', 'architecture salmonella resistance', 'mbps located', 'method believe', 'different ptm', 'segregated population 50', 'significant association economically', 'compared rest', 'elucidated evaluated polymorphism', 'similar weight human', 'stated varied', 'diverse population identify', 'qtl 20 total', 'important genetic', 'snp especially', 'motility score significant', '0072 0231', 'animal high glatt', 'distributed 15 porcine', 'qtl chromosome included', 'trait gamete', 'calf underdeveloped weight', 'critical value', 'blood packed', 'number mummified pig', 'hemoglobin so2', 'analysis importantly gwas', 'boar adipose', 'bp length coding', 'recorded 1990s', 'porcine reproductive respiratory', 'new mutation', 'support localization', 'showed parity', 'bft respectively region', 'detection measurement ranging', 'consisted 10', 'lamb weight', 'nos2 mapped', 'rate correction 10', 'selected cow', 'snp derived 15', 'polygenic inheritance inverted', '852 967', 'nearby candidate gene', 'breed conclusion genome', 'myh2 myh3', 'peak combining', 'animal significant number', 'gga18 ggaz qtl', 'obtained crossing', 'cast rsai greatest', 'genotyped illumina bovinesnp50', 'gene particular snp', 'trait locus determining', 'performed thoroughbred', 'mtnr1a gene', 'measured individual length', 'routine method', 'significant sc', 'ear trait facilitate', 'breeding company tested', 'applied ibd coefficient', 'sw1332 sw2130', 'gwa result snp', 'result senepol', 'accretion male animal', 'strategy reducing incidence', 'unsaturated fatty', 'process growth', 'growth stress chordc1', 'ssc7 coinciding qtl', '850 f2', 'bovine chromosome eth10', 'impute snp chromosome', 'mechanism underlie fat', 'verify polymorphism porcine', 'identified similar trait', 'throughput phenotyping', 'pedigree snp based', 'good phenotype related', 'scs sd', '580 961 snp', '14 bta', 'significantly higher 01', 'qtl genotype 555', 'using 1187', 'porcine il', 'old combined haplotype', 'conducted accurately', 'gga gallus', 'significantly associated stallion', 'result supported polygenic', 'axis prepubertal pig', 'gene qtl significant', 'specie order identify', 'variance population furthermore', 'mapped line', 'chromosome iv control', 'filly chromosome', 'cfu tolerant cow', '23 87', 'different time primarily', '14 lw', 'production trait studied', 'significant qtl previously', 'background cow ability', 'implication fundamental research', 'identified half', 'parasite burden', 'fetlock oc significant', 'right ventricle total', '32 uoi marker', 'region associated expression', 'cattle breeding scheme', 'genotypic model', 'g4533675c snp', 'domestic sheep known', 'experiment study performed', 'sire showed', 'result number insemination', '10 simple', 'study performed generalized', 'variability sheep', 'significant area ssc1', 'pleiotropic growth', 'pp remarkably', 'snp ex12', 'ssc15 marker vrtn', 'taste pork', 'genotype 24 snp', '848 progeny', 'associated tenderness intramuscular', 'pig make qtl', 'thickness water holding', 'candidate host', 'cw abdominal fat', 'affect nve', 'study performed', 'rbc phenotype 500', 'prp genotype present', 'associated 35 new', 'ranging 140', '255 iberian meishan', 'pt average average', 'marker model', 'sequence protein product', 'significant difference allelic', 'plod1 nppc mthfr', 'determine position', 'informativeness different', 'sire result demonstrate', 'chromosome large white', 'detected previously', 'region sortilin', '116 polymorphism nudt7', '1a interleukin', 'liw kidney', 'gene expressed ear', 'suppressor cytokine signalling', 'bone strength broiler', 'clinical mastitis examined', 'depth signal chromosome', 'prrs economically', 'mb 41 53', 'capture genetic', 'glycolysis increase', 'muscle result provide', 'brandon manitoba', 'dominance deviation calculation', 'produced 10', '26 44 allele', '25 different lei0258', 'chinese qinchuan cattle', 'located sheep chromosome', 'mould spore', 'quantitative trait targeted', 'mch day', 'repeat containing xirp2', 'tissue pl', 'analysis mln', 'addition previously mentioned', 'score blup', 'hemoglobin so2 glucose', 'ornament enduring challenge', 'altogether conclude', 'c34t gdf9 g593a', 'accumulation homozygous calf', 'disturbance expiration shortage', 'high predictive value', 'genetics wild soay', 'sexual maturity suggests', 'haplotype outbred', 'linked located', 'suggest development', '14 ssc respectively', 'constrained fact parameter', 'ontology showed snp', 'product furthermore', 'mouse provided wealth', 'miescheriana behaviour', 'important trait cattle', 'causal gene biological', 'man2b2 resequenced', 'marker association lld', 'plag1 bta14', 'col21a1 ppard', 'region regulating expression', 'proportion progeny', 'dmi putative', 'phenotypic spectrum proved', 'possible causality lepr', 'trait map4k4', 'recent l1', 'infection hpai outbreak', 'animal genotyped 250', 'mstn previously called', 'wild boar large', 'pig ssc4', 'population rs339939442', 'data steer', '447 holstein', 'allergen specific ige', 'candidate trait related', 'cm putative qtl', 'kinase grk5', 'disease bcwd', 'hen generated', 'management period', 'snp 2449g 2379t', '021 078', '10 12 14', 'ssc14 including', 'explored pleiotropic', 'industry population', 'tef1 rtef1', 'assembly 10 used', 'skeletal frame', 'mutation detected', 'model result', 'variation gwa', 'cac mfi fat', 'ct associated', 'bacterial artificial', 'gene responsible polymorphism', 'hyperpigmentation chicken', 'progeny broiler broiler', 'effect prolificacy homozygous', 'analysis ibd score', 'associated androstenone', 'ketone body', 'mainly mb wide', 'concordantly 127', 'trait marginal evidence', 'respectively overall mutated', 'inheritance animal model', 'cm 12', 'power individual', 'chromosome percentage normal', 'intake rfi maintenance', 'capacity significantly', 'technology methodology result', 'level blood', 'increase profitability animal', 'snp6 associated', 'used subsequent', 'related trait 717', 'numerical index culture', 'bmp15 genotype', 'keratoconjunctivitis ibk crossbred', 'involved deposition', 'located 13 chromosome', '149 cis', 'family growth 54', '456 animal impute', 'knowledge better', 'affecting carcass trait', 'alpha 05 chromosome', 'occurrence death', 'offspring diagnosed treated', 'selection line', '18 harbor qtl', 'hybrid commercial pig', 'combined case control', 'association genetic polymorphism', 'mix type 5305c', 'based 3500 permuted', '11 35', 'mapped study', 'predictor footrot', 'determinant diarrhea', 'using fisher exact', 'association gwa regional', 'genetic predisposition', 'ssc f2 family', 'expression gene involved', 'mbl2 identified specie', 'complement qtl mapping', 'close progesterone receptor', '01 17', 'expression analysis performed', 'snp window associated', '003 01 004', 'gene 1031', 'genotypic model myo3b', 'value 27', 'ssc1 c16 ssc4', 'improvement fillet', 'qtl cpd', 'direction implies snp', 'investigated qinchuan beef', 'technique applied identify', 'disequilibrium mapping approach', '249 marker interval', 'herd productivity complex', 'trait contribute sensorial', 'flavour caused low', 'amino acid difference', 'absorptiometry line', 'qtl effect position', '79 kg', 'associated 001', 'mapped linoleic acid', '32 strongly associated', '649 normande', 'pig erhualian pig', 'trail pleasure', 'immune related trait', 'efficiency feed intake', 'level addition observed', 'confirm location', 'presented using', 'carcass trait', 'cortisol level pif1', 'greater best', 'rfi qtl respectively', 'founder animal haplotype', '368 selected', 'interline cross white', 'pronounced hypocholesterolemia chronic', 'typically increasing', 'significant trait identification', 'volume quality', 'suggestive qtl gga12', 'daughter ai', 'genetics hematological', 'previous finding phenotypic', 'contain horned', 'chromosome position', 'showed considerable nonsignificant', 'population segregation', 'myomax accounted', 'bta3 85849977 49', 'gene discovery', 'useful marker', 'carried experimental population', 'associated gene involved', 'allele snp ex11', '20 obtained genomic', 'commercial pedigreed white', 'carcass data investigate', 'tissue highest', 'allele meishan breed', 'defined numerical index', 'genome wise', 'performed dtd bull', 'backfat thickness pig', 'variation growth fatness', 'world breed exhibit', 'reported suggestive', 'cow shown milk', 'routinely assessed', 'single marker haplotypes', 'factor like year', 'sw207 s0283 pinpoint', 'phenotype difference', 'conformation 18', 'considerable porcine', 'control behavioral trait', 'explored selection', '49 46 dj', '24 based pedigree', 'significantly influenced tm', 'detected ddei pcr', 'known association polymorphism', '25 linked qtl', 'genetic association study', 'highly contagious oncogenic', 'steer 707 female', 'locus analyzing pleiotropy', 'casq2 znf518b', 'study identified different', 'various physiological', 'identification locus associated', 'pinkeye infectious pododermatitis', 'reported snp', 'variant functional gene', 'tissue identified eqtl', 'ntn2lsts1 fdr', 'lower mean', 'mutation exon gene', 'trait relevant', 'transcription previously qtl', 'year age plus', 'window estimate pb', 'site potential', 'analysis detected', 'trait 28 18', 'trait analyzed using', 'threshold association inferred', 'cell tissue', 'operating snp', 'female fertility cow', 'center ne involves', '14 23 25', 'function porcine gsk', 'phenotype genotyped using', 'including 46 genome', 'tested significant effect', 'bone carcass closely', 'friesian brown swiss', 'linear model using', '144 individual', 'density 20 fold', 'associated bw implied', 'involved resistance footrot', 'effect corticosterone', 'weight thickness loin', 'heterozygosity 33 consistent', 'result support association', 'revealed white red', 'harbouring gene influencing', 'fit significantly current', 'snp bos', 'breed snp hmga1', 'adg dry matter', 'investigated effect', 'pig genome sequence', 'chicken snp 95', 'detecting multiple', 'interaction kdm5a snp', 'calving afc calf', 'position smaller qtl', 'increased sharing data', '15 07', 'genotyped experimental', 'life detected', 'locus pcr', 'ssc6 sscx', '35 candidate', 'snp ssc4', '777 000', 'based heritability estimate', 'variant study', '16 afe suggested', 'variant respect qtl', 'chicken high fat', 'ssc17 48', 'needed explore role', 'genotypic frequency hardy', 'detected bivariate', 'respectively 47', 'genetic variance effect', 'qtl sq developmental', 'involving breed', 'muscle development', 'size eggshell', 'bw animal', 'region affect proviral', 'genotype phenotype association', 'anatomy gga1', '200 million', 'breed sequence level', 'crowding stress', 'genetics cattle', 'dik5248 silv gene', 'software developed linkage', 'trait related teat', 'beef age constant', 'approach powerful', 'significant qtl 18', 'affecting growth rate', 'wide level phenotypic', 'significance level result', 'ssc4 ssc11', 'response used predictor', 'holstein bull maintained', 'embryo additional', 'biological membrane na', 'analysis probability', 'examined polymorphism', 'semimembranosus commercial', 'pedigree population chinese', 'residue 158', '17 single nucleotide', 'junglefowl rjf', 'plink performed variety', 'interval qtl effectively', 'marker gga2', 'population specific snp', 'kb size haplotype', 'trib1 genotype', 'peak especially', '279 μg', 'interval cm marker', '1987c polymorphism interaction', 'identification causal gene', 'insulin cow conducted', 'breed european', 'rs13997812 significantly greater', 'effect time', 'sex additive effect', 'tenderness reported', 'variant affecting genome', 'efficient marker', 'egg laying hen', 'eumelanin phaeomelanin', 'region spawning', 'reported exceeded', 'bovine chromosome total', 'analysis main', 'fertility cow population', 'overlapped linkage disequilibrium', 'animal genotyped 15', '70 phenotypic', 'breed including senepol', 'nucleotide polymorphism hapmap22923', 'date pig', 'crossbred beef cattle', 'gga1 27', 'pign kiaa1468', 'trait genome chromosome', 'sex specific effect', 'validated qtl', 'different brown grade', 'protein fat percentage', 'regulating processing primary', '852 ewe produced', 'parity large', 'localization qtl highly', 'result gemma', 'population 819 f2', 'gene responsible osteochondrosis', 'heat stress condition', 'located gga9 gga18', 'subset 6744', 'line microsatellites single', 'locus qtls identified', 'individual haplotype backfat', 'data comprised measurement', 'welfare economic problem', 'stratification separately', 'based proportion occurrence', 'development male broiler', 'transcript method', 'close reported', 'line relaxed', 'western pig relatively', 'qpcr result', 'result large number', 'daughter average', 'different chinese indigenous', '43 total', 'horse fluorescent', 'chromosome bta11 14', 'chromosome sharp likelihood', 'gene meta', 'linkage ldl', 'diet high input', 'epistasis snp', 'convincing recombination', 'oestrus litter size', 'animal parent', 'low level', 'feed consumption feeding', 'kera lyz', 'discovered attempted determine', 'index vertebrate genetic', '63 genome wide', 'offspring charolais', 'based ssc4 region', 'allowed detection sex', 'heterozygote diplotype associated', 'evaluation increased', 'btb enhance genetic', 'map chromosome constructed', 'heritability estimate similar', 'selected ancient', 'synonymous mutation likely', 'based production', 'improve biological understanding', 'associated ph1 10', 'identification genetic variant', 'lower sc', 'susceptible allele appeared', 'crossed diverse highly', 'efficient accurate', 'mechanism immune', 'effect pleiotropic closely', 'blood cell differential', 'bta 15 23', 'sperm negatively related', 'lp upstream', 'significance level largest', 'characterized progressive degenerative', 'parasite good maternal', 'gene worth', '05 chromosome wise', 'avlwt result generated', 'nucleotide base change', 'understanding functional mechanism', 'control ovlv infection', 'identify qtl multitude', 'compared corresponding scenario', 'considered using probability', 'protein 32', 'swine breed yorkshire', 'excessive desiccation', 'significant effect phenotype', 'causal background qtl', 'assessed trait', 'acid 20', 'phenotypic variance method', 'major infectious', 'trait semen', 'trait combine linkage', 'adg midpoint', 'androstenone concentration discovered', 'mapping initiated', 'factor finding provide', 'form cytoplasmic hsp90', 'homozygous genotype associated', 'kbp abca12 flrt2', 'effect ccl2', 'snp ncapg', 'cartilage important candidate', 'measurement trait selection', 'background ethical reason', 'c14 epistatic', 'difficult multifactorial nature', 'likely involved response', 'change located', 'snp 42', 'illumina usa sa', 'hox gene cluster', 'mstn demonstrated associated', 'agreement hardy', 'pcr result revealed', 'bead chip total', 'data suggest polymorphism', 'leading cyclicity', 'allele specific quantitative', 'proposed meat colour', 'base fifth generation', 'signaling combining significant', 'egg production size', 'intron flanking region', 'tex14 ccl28 potential', 'backcross bc1', 'use measure', 'mastitis mammary', 'ssc1 study', 'urine like', 'detect significant', 'autosomal heritability estimate', 'procedure sequential mbv', 'novel intronic', 'factor affecting muscle', 'chd1 rgmb', 'allele imf', 'temperature gga1 gga2', 'force locus', 'differentiation present study', 'polymorphic site elucidate', 'pedigree structure', 'kg allele substitution', 'ibh cutaneous allergic', 'potential imf large', 'evidence polymorphism mfa', 'explored fish 50', 'measurement ifc', 'generation parent diallel', 'observed polish large', 'control candidate', 'regarded causal', 'involved cell', 'sdhc orthologous region', 'trait originally characterized', 'dominance important', 'inflammation previous study', 'herd located different', 'family joint single', 'rate traitwise', 'site transcription factor', 'total 240', 'recently developed', 'grandsires 716 sire', 'identified snp association', 'region 630 bp', 'tt snp', 'variation gene', 'region day 90', '22 greater individual', 'identified chromosome 11', '851 suffolk 998', 'teat italian', 'significant snp explain', 'effect ssc7', 'chicken line caused', 'percentage feed intake', '89 10 10', 'bta11 bta20', '272 05', 'gene protein coding', '100 gestation', 'agricultural specie order', 'diversity mhc iranian', 'mechanism regulating horn', 'basis daughter design', 'imf imw', 'specie identified quantitative', 'f₁ dam', 'ai ram homozygous', 'new susceptibility locus', 'assembly eca9 q12', 'snp fn424076 g1829t', 'harbour qtl affecting', 'association stearic acid', 'important piglet survival', 'pde4b involved', 'company generation typed', 'cross bred bull', 'functional teat important', 'gene enhancing innate', 'qtl kb sequence', 'trait plausible causative', 'gestation length craniofacial', 'muscle carcass', 'snp 43 423', 'american holstein population', 'gene potentially responsible', 'genotyped 444 additional', 'infection poultry', 'size variance', 'important tool', 'meishan ib f2', 'genotyped 11 chinese', 'fndc3a mlnr', 'reproduction little', 'site segregate cattle', 'furthermore significant effect', 'population end 1990s', 'belong intermediate genetic', 'spotted 875 125', 'dna extracted hair', '82 low', 'force steer homozygous', 'number insemination', 'lysine position 232', 'snp common form', 'platform study', 'locus potential', '24 identified', 'cw chest depth', 'additionally identified', 'fleckvieh cattle population', 'interaction causative mutation', 'map 87', 'qtl discovery phase', 'paper use secondary', '1970 widespread', 'average linkage map', 'ssc5 explains 23', 'western meat', 'result genetic dissection', 'examined f2 crossbreds', 'developmental lesion joint', 'cow genotype 05', 'olfactory transduction insulin', 'effect adaptability natural', 'pig finding advance', 'respectively observed', 'basis domestication', 'protein including', 'transmission human qtl', 'suggests qtl effect', 'commercialized cast capn1', 'locus additive', 'using iberian', 'snp1 ag ga', 'lactation lp3', 'like repeat', 'level erythroid trait', 'nominal level', 'ability important improve', 'ssc13 position', '151 snp associated', '33 quantitative trait', 'factor receptor', 'accuracy compared corresponding', 'line founder intercross', 'animal descendant', 'ratio reciprocal efficiency', 'moderate 01', 'normalized phenotypic', 'revealed major genomic', 'body size', 'expressed meishan developmental', 'cluster pair', 'lipoprotein involved lipid', 'eggshell quality', 'marker identified specific', 'offspring spanning 000', 'poisson model', 'a455g a497g c635t', 'score chromosome region', 'function milk fatty', 'eca2 associated', 'expression tenderness', 'report wide qtl', 'wt1 dscaml1 sod1', 'beta plcb1 rho', '05 additionally', 'poor bone', 'individual daily feed', 'useful selective', 'chromosome 10q ssc10', 'segregation identified', 'snp ssc2 ssc', 'gene znf608 known', 'percentage ewe', 'representing genome', 'fst gene single', 'fat pad covariate', 'mapped 89 mb', 'reported haplotype analysed', 'bovine anxa9 slc27a3', 'component analysis based', 'smell process', 'using resource population', 'map constructed location', 'large majority bird', 'fatness meat quality', 'highest abundance', 'genotyped fshr', 'length pectoral angle', 'myh4 snp asga0094812', 'characteristic size number', 'component highly advanced', 'dissect genetic', 'related gene encoding', 'xm_001788152 1641t 547aa', '0488 wh', 'strong eqtl slc37a1', 'larger sample', '439 ca', 'boar finding', 'draft beef', 'region human mouse', 'treatment mapped qtl', 'chicken roslin', 'pig population identified', 'date age', 'novel snp detected', 'directly relevant', 'insertion deletion intron', 'located 95', 'id linear relationship', 'engaged removed', 'trait centromeric', 'breeding pig better', 'chromosomal significance', 'dairy farm', 'mutation suggests uncovering', 'individually additionally test', 'inconsistent mainly difficulty', 'ssc6 ssc13 location', 'component bd', 'involved increasing', 'bone using dual', 'backfat depth european', 'recorded 238 genotyped', 'traditional blup', 'higher feed intake', 'snp close', 'coding flanking', 'f41 remains elusive', 'identified total chromosome', 'quality challenging', 'respectively sow', 'problem cattle industry', 'fertility excluded', 'growth factor tryptophan', 'production trait male', 'significance qtl affecting', 'industry meat', 'gga2 adl0190', 'searching maximum joint', 'qtl display', 'taint fat', 'tissue dissection population', 'applied identify quantitative', 'chicken genomic partitioning', 'qtl location gga14', 'maternal trait', 'measurement regarding meat', 'line titan', 'miescheriana fourteen genome', 'radiographic finding described', 'qtl revealed', 'indicating prediction equation', 'allelic imbalance potentially', 'carlo analysis', 'cow spread', 'significant variant result', 'identified microsatellite', 'significant locus chromosome', 'variation trichuris', 'associated mp ar', 'genotype produce extremely', 'ongoing related transcriptomic', 'significance snp established', 'containing protein', 'test value', 'differ f2 cross', 'gain pre weaning', 'proviral concentration live', 'basis association superovulation', 'il8 il8ra', 'enhance sustainability', 'number significant snp', 'associated boar', 'cfd explained 34', 'coding protein', '18377t 25316t', 'threshold trait nineteen', 'time causal gene', 'characterized strongest association', 'trait including potential', 'work identify', 'col18a1 associated', '33 mm', 'marker causal gene', 'analysis performed half', 'cis eqtl regulating', 'ssc7 showed', 'related muscle development', '550 registered cow', 'polymorphism odc', '21 marker residing', 'porcinesnp60 beadchips f2', 'equivalent likelihood', 'measure approximately', 'locus qtl live', 'propagation poultry', 'detection extreme simplicity', 'association validated chromosome', 'study report combined', 'additional trait', 'level genotype conformation', 'exception ssc4 accuracy', 'qtl mapping refine', 'variance estimated using', 'sib family domesticated', 'parent diallel', 'holstein genotype', 'oar19 snp rs419096188', '3360 animal', 'understanding evolution sexual', 'correction phenotypic value', 'explained major', 'addition candidate', 'slc2a12 significantly', 'associated afc associated', 'detected cross similar', 'ssc genotyped entire', 'allele exists predominantly', 'near telomeric end', 'a2 b1 b2', 'allele frequency excluded', 'muscle analysis data', 'yield 50 my50', 'result complementary approach', 'weight female', 'protein crossroad', 'approach present design', 'identified qtl nordic', 'marker using linear', 'ph loin ssc15', 'applied separately', 'divergent breed', 'genotyped resource', 'wrinkle estimated folding', 'microsatellites average polymorphism', 'seven herd', 'anai4 conducted', 'associated eicosapentaenoic', '39 cm bovine', '35 391', '9c11t gamma', 'trait successful cattle', 'covering autosome search', 'effect hyperpigmentation egg', 'antibiotic placed', 'subset prolific', 'cell death inflammation', 'shear force 18', 'trait influenced multiple', '644 predictor', 'herc2 map3k cyfip1', 'gene studied conclusion', 'comprising 348 101', 'mapping ssc6 using', 'significant variation', 'dw network', 'effect limited number', 'fads2 abcd2 elovl5', 'ratio average', 'genotyped 27 affected', 'tick burden dairy', 'additive effect assessed', '86 egg homozygous', 'respiratory syndrome prrs', 'haplotype haplotype', 'related heat', 'added new', 'capn6 additional', 'age reflect', 'using map', 'curve wood', 'breed 76 bos', '206 254', '06 ew 32', 'standard number analysis', '25 higher', 'rfi difficult', 'produced 31 sib', '156 junmu white', 'ssc8 iberian landrace', 'trait lp reflects', 'genotype routine method', 'reason gene', 'direct sequencing method', 'tropical environment extreme', 'false positive association', 'identification gene affecting', 'snp deposited', 'bta5 bta26 second', 'involved ossification adipose', 'thickness 7th', 'tspear pik3r4 kif16b', 'snp individually genotyped', 'mb showed genome', 'reported meat', 'sow bf 150', 'kb window', 'muc4 high ne', 'possible using', 'qtl region finding', 'highest multipoint zmeans', 'heterozygosity confers heterozygote', 'region additionally', 'indicated pleiotropic qtl', 'located genome', 'performed result linkage', 'german animal welfare', 'exon 11', 'selection covering 31', 'region tibial breaking', '314 suggestive significant', '10936g significantly associated', 'multitrait qtl model', 'pathway glutamatergic synapse', 'non infected traditionally', 'performed producer', 'sequence missense', 'interesting non', 'seven phenotype', 'ssc11 18 lost', 'control qc', 'known gene investigate', 'saturated monounsaturated', 'epistasis add understanding', 'selection previous comparative', 'fatty acid report', 'gc method total', 'snp imputed sequence', 'pcr rflp analysis', 'conducted line', 'marginal increase accuracy', 'gene causing yellow', 'ucp3 probably', 'vaccinated modified', 'litter detected birth', 'cm backfat', 'etv5 herc3', 'area backfat', 'r2 low 18', 'region utr synonymous', 'gene responsible navicular', 'associated effect protein', 'disease effect', 'approximately 190', 'fat determination stimulating', '768 sample', 'identify fine', 'trait connectedness cross', '86 82', 'mutation time occurrence', 'duroc allele enhanced', 'based mrna expression', '13 provided', 'heritability cla 13', 'c3 polymorphism mastitis', 'general sib pair', 'demethylase 5a kdm5a', 'alga0067099 marc0004712 dias0000861', 'gestation length passive', 'identified 74 cm', 'lamb recorded', 'qtl result study', 'gene region', 'candidate gene ncapg', '50 972 50', 'activity overlapping', 'delivered fpd', 'intercross linear regression', 'isle including', 'gene important foetal', 'identified meta', 'dna pool sequencing', 'remaining haplotype hap2', 'bp sequenced', 'protein coding gene', 'respectively gwa', 'rfi maintenance efficiency', 'group increasing', 'sensory evaluation', '15 genetic trait', 'qtl unexpectedly', 'wide significant haplotype', 'synthase fasn t1952a', 'generation cross bred', 'meat tenderness chinese', 'cattle possible total', 'genotyped 120', 'hidden dependence', 'le stringent', '428 weaning', 'survival extreme', 'trait demonstrated gm', 'trait lacking context', 'concluded fabp4', 'gwas inform search', 'model empirical threshold', 'recorded carcass composition', 'male required breeding', 'local crossbred population', 'result single marker', 'missing qtl genotype', '07 significant', 'confirmed segregate nordic', 'fleckvieh population known', 'hierarchical generalized', 'aim work identify', 'impute 20 561', 'production meat', 'bw70 fcr 05', 'important role fatty', 'descent ibd score', 'length duodenum jejunum', 'selected morphometric', 'status qtl', 'considering physiological relationship', 'condensation protein', 'detected nearest', 'qtl scan production', 'gene substitution dominance', 'reading frame encodes', 'dqsl2 explained 70', 'epl score weight', 'barring like smaller', 'hypothesised good', 'model order', 'reduce genetic variability', 'limb development body', 'strength highly', '56 18', 'chromosome 19 26', 'industry effect pork', 'pcyt1a gene', '33 0001', 'effective regarding il', '626t 636a', 'bm81124 bulge20', 'sow year pwsy', 'indicates snp 3020a', 'breed expression', 'lead identification novel', 'achieved genome wide', 'understanding evolution', 'use genome', 'study aid characterize', 'number snp result', 'individual family ranged', 'white facial', 'mcp set cft', 'promoter region additively', '0003 light', '22 21 cm', 'friesian hf', 'identified study provided', 'maasai sheep', 'population multiple marker', 'intensity fitness measured', 'country cause interstitial', 'holstein heifer obtained', '39 snp associated', 'explaining 95', 'fat higher bb', 'locus responsible', 'expression regulated', 'weakness pig problem', 'detection snp population', 'cxxc5 ryr3', 'ap decreased', 'snp target', 'c18 bta23 snp', 'random snp effect', 'population unexpected', 'interaction trait', 'white coat', 'mb accounted genetic', 'notch2 prex2 ssc6', 'qtl birth weight', 'combine genotyping', 'bta14 sck2', 'tool revealed cytokine', 'total qtl showed', 'dik082 chromosome', '20 30 mm', 'arginine proline', 'phenotype available importantly', 'trait bovine breeding', 'fi interval collected', 'genetic selection toolbox', 'commercial population study', 'reported phenotypic data', '435gg 447aa individually', 'associated previously lentiviral', '890 784 bp', 'pedigree result joint', 'utr manifested significantly', '11 associated', '17 kit gene', 'breed quantitative trait', 'cross qtl discovery', 'eimeria parasitism', 'regulation onset puberty', 'compared previously described', 'using 012', 'association milk production', 'eyelid allowing', 'developed survive east', 'handling previously', 'regulating expression porcine', 'intrinsic limitation', 'breed bourges', 'response disease resistance', 'mapped gallus', 'sib family successive', 'phenotype bta 23', 'phenotype relationship egg', '187 28 locus', 'fpcm dry', 'total 23 highly', '150 210', 'higher random', 'qtl effect 11', 'compared non carriers', 'high resolution responsible', '0e 07 0e', 'measured week 22', 'rib reflected reduced', 'porcinesnp60 beadchip italian', 'spl future study', 'hpa axis phenotype', 'population molecular dissection', '87 including', 'entire genome', 'gestation difference uterine', 'phenotypic variation rfi', 'tmem117 transforming growth', 'goal canchim', 'q204x mutation', 'provide basis research', 'sire dam unrelated', '10 ssc 16', 'texel lamb', 'ssp paratuberculosis', 'allow additional', 'previous rfi', 'insight biology', 'chick 78 fold', 'seven snp arranged', 'region harboring casein', 'serum concentration interleukin', 'region damara', 'rate detected', 'thyroid hormone stimulation', 'acid position proximity', 'gene prss2 cckbr', 'component trait furthermore', 'data provide picture', 'respectively using illumina', 'univariate mixed', 'ghr growth', 'related muscle', 'gene esr marker', 'identify network', 'analyzed genome scan', 'weight gain case', 'size erectness important', 'pp cm sc', 'chicken line divergently', 'meat unpleasant', 'region 17', 'high morbidity farm', '01 false', 'using simplistic genetic', 'gene putative', 'wild sheep polyceraty', 'sequenom massarray total', '35 23 mb', 'proposed candidate gene', 'mutation snp1 synonymous', 'detection design allowed', 'sheep conducted', 'chromosome highest genetic', 'porcine maternal', 'carrying tm qtl', 'ibd matrix', 'long terminal repeat', 'drawback alternative', 'transcript ultimately leading', 'mutation likely', 'locus associated metabolic', 'soga1 spondin rspo2', 'size 433', 'harbored significant snp', 'respectively spatial secondary', 'coli etec type', 'polygenic trait', 'gene lep prl', 'ranged 2768 3750', 'sox9 sex determining', 'disruption variant 37455302g', 'occurrence caudal supernumerary', 'applied selective genotyping', 'characterized high concentration', 'acaca plin4', 'analysis 1000', 'segregating leg', 'chicken indigenous chicken', 'used preliminary screening', 'fayoumi cross phenotypic', 'odour trained sensory', 'lactation macrophage expressing', 'mb ssc6', 'decreased 89', 'marker information qtl', '60 respectively', 'bta snp bta18', 'tested using bayesian', 'gene increase litter', 'affecting subcutaneous', 'susceptibility mastitis genotype', 'indicated major role', 'threshold given', 'resistance genome wise', 'suppressed 001 feed', 'confirmed linkage', 'marker expedite', 'area 05', 'gene affect clinical', 'marker 28', 'ssc1 time series', 'genetic correlation water', 'allele altogether conclude', 'genome performed', 'troutlodge odd', 'snp 05 detected', 'located position 1574', 'porcine genome annotation', 'snp trait combination', 'analysis suggests polymorphism', 'herd qtl', 'resulting gwa', 'commercial population limited', '371 test day', 'phenotyped bw21 bw42', 'seven pcr', 'associated growth related', 'foxp1 tcp11 spata31e1', 'btb conclusion', 'scan duroc', '8044 1956 respectively', 'brandon research', 'respectively 103', 'various qtlr', 'gene affect ujumqin', 'subtypes complex', 'teat defect condition', 'qtl detected range', 'sire 2357', 'ehhadh gene located', 'fourteen novel region', 'genetic variation affecting', 'region positional', 'using 1156', 'composition longissimus muscle', 'differing genotype individual', 'significantly associated tg', 'typically increasing aging', '50977717t nc_019484', 'layer cross using', 'rac delineated', 'allele female', 'identified selected', 'segregated population', 'thyroid hormone th', 'milking ability act', 'trait indicating', 'cm pig genome', 'detrimental human health', 'detecting region affect', 'trait seventeen significantly', 'procedure t56039403c 808c', 'ease sire', 'ulcer sus', 'appeared novel qtl', '04 general', 'animal winter milk', 'processed milk', 'sire genome wise', 'inbred berkshire performed', 'contribute rfi study', 'bone qtls', 'greater 05 percentage', 'serve proxy trait', 'composition suggested necessary', 'underlying complex performance', 'regulation mucosal', 'threshold level 05', '10 prediction ability', 'proposed explain', 'considered genome', 'ascertain 19 known', 'used joined', 'incidence milk', 'threonine amino', 'cell volume', 'cm 123', 'depth loin analysed', 'energy value relative', 'study great', 'male piglet routinely', 'preservation beef carcass', 'hs qtl', 'ala val', 'earlobe color naturally', 'loss 05', 'maturation fast growth', 'scan performed date', 'survival rate', 'characterize molecular', 'thoroughbred order', 'verified using g3', 'herewith combined phenotypic', 'design utilized detect', '465 seq significant', '40 35', 'mstn genotype produce', 'approach provide framework', '156 snp marker', 'farm breeder', 'significant fitted single', 'kg 01 fcr', 'study utilizing', 'rtbc mirna', 'area longissimus', 'romosinuano additional', '715 blood', 'capacity allele frequency', 'later use', 'qtls resource population', 'dbwavg dfiadj albeit', 'significant effect cyp11b1', 'pivotal role', 'hmga1 ssc15 linkage', 'vaccination identified region', 'detected la', 'relevant genomic', 'ovinus qtl mapping', 'higher pregnancy', 'live csf classical', 'magnitude effect', 'present interesting candidate', 'proximity candidate gene', 'vs control phenotype', 'weeks age bw55', 'length attributable chromosomal', 'evidence unravelling', 'shell quality', 'affecting pp', 'detected allele', 'lcorl mo mitf', 'nba number born', 'gene makoei sheep', 'main objective current', 'enabled fine mapping', 'position 107 113', 'low 07', 'genotyped 103', 'orejinegro bon romosinuano', 'greater precision parameter', 'lp region', 'addition selected candidate', 'qtl ssc6 position', 'variance milk', 'genetic study evidenced', 'detected using', 'line haplotype based', '442 371', 'quality trait notably', 'snp1 c105331a', 'test hypothesis performed', 'gait training information', 'explained chromosome proportional', 'located chromosome utilized', 'suggested acsl1', 'rate noire du', 'beneficial haplotype', '2007 animal average', 'enhancing genetic resistance', 'identified ssc4', 'background performed quantitative', '0005 0032 respectively', '14 10', 'eicosadienoic acid level', 'progeny family', 'single locus association', 'variance control', 'implementation multiple breed', 'important pork quality', 'trait log', '47 226', 'marker ilsts002 bms833', 'vaccine design', 'c8 c10 c12', 'identified specific interaction', 'test additional', 'tissue higher expression', 'population population crash', 'fat colour trait', 'selection altered antibody', 'mammal specie', 'improvement program', 'finding suggest myf', 'sparse aim', 'member gene', 'computed allelic', 'abge343 reached', 'face mdv challenge', 'asp298asn association pig', 'rflp sscp', 'effect meat', 'melanoma applied', 'contribution genetic variance', 'chromosome controlling dermal', 'linoleic docosapentaenoic acid', 'finnsheep contribute exceptional', 'peak chromosome', 'challenge owing complex', 'association contrast', 'muscle specific gene', 'aa chicken', 'retained placenta conducted', 'using probability false', 'gene study based', 'consistent report', 'cv using', 'including chemical body', 'main epistatic qtl', 'using denser marker', 'variation aimed', 'illumina ovinesnp50 chip', 'independent genome', 'line study association', 'sampling performed approximately', 'validate single nucleotide', 'length week', 'real datasets', 'glycosylphosphatidylinositol anchored', 'snp1 synonymous mutation', 'regulate inflammation making', 'tight junction protein', 'supported analysis molecular', 'described despite relatively', 'wxm genome wide', 'technology era', 'genome sequence association', 'approach beneficial result', 'region known effect', 'production fat lg', '01 pig', 'reaction restriction', 'affected haem', 'ghr f279y variant', 'efficient promoter element', 'likely involve single', 'cattle old dsn', 'oar 14', 'arrangement granulosa cell', 'insulinotropic polypeptide able', 'sample 16', 'level hypocalcemia main', 'different resistance phenotype', 'located scrofa', 'ebv ph', 'hypertrophy identified', 'population region', 'phu color score', 'assisted introgression selection', 'effective treatment infected', 'pomc gh', 'result showed substitution', 'total 435', 'intron 3000 bp', 'likelihood ratio', 'account population stratification', 'frequency informativeness family', 'mhc region sscx', 'y7f r25c', 'main objective work', 'receptor germ cell', 'breed exhibit exceptionally', 'scan line', 'chromosomal region new', 'fatness chromosome carried', 'asga0055225 alga0067099', 'affecting protein fat', 'pbm conclude', 'brd subsequently', 'ph15 gga2', 'given predicted', 'subgroup revealed', 'crossbred progeny', 'mapping revealed qtl', 'tissue time included', 'chromosome gene', 'element numerous binding', 'pqct used measure', '11 13', '300 seminiferous tubular', 'day weight 05', '30 ram', 'pleiotropic snp', 'promotes candidate', 'zfpm2 gene ontology', 'bft 17507a', 'eqtls igf2 acsm5', 'offer complementary control', 'rs109136815 marker loin', 'detected rt 13', 'chromosome ssc fatness', 'duroc dam thirty', 'qtl region ap', 'depressed circulating serum', 'growth deserve investigation', 'adg 043', 'weight data large', '10 functional gene', 'growth mortality', 'period age sheep', 'genomic selection conducted', 'neuropeptide ff', 'qtl 93 mb', 'wnt7b hmx1', 'qtl milk', 'originates birth haplotype', 'enhance opportunity', 'control versus', 'relevance affect mothering', 'confirmed sequencing used', 'showed use marker', 'expressed mg chl', 'power approach', 'identified close', 'lda total 36', 'heavy pig used', 'yorkshire pig method', 'influencing protein composition', 'subsequently investigated', 'cm instron shear', 'lbt low boar', 'chromosome causal', 'different allele ssr', 'known map infection', 'luh measured', 'haplotype 23 determine', 'result represent', 'sequence 31 snp', 'interspecific hybrid backcross', 'ph 45 min', '20 quantitative trait', 'heritability estimate posterior', 'data previous cattle', '447a affected', 'type mutant', 'introduction vertebral number', 'haplotype promoter region', 'provide mean', 'bms690 bm4528 selected', 'val dataset result', 'study gwas detect', 'known cause extreme', 'heritability se', 'improvement resistance', 'qtl ld generation', 'calf 385', 'genetic basis domestication', 'sire named', 'cooked pork', 'identify causative dna', 'trait f2 pig', 'gene seventeen identified', 'chromosomal region', 'muscle meat', 'variant tmem154', 'fi1 fi2', 'fitness breeder', 'quality male fertility', 'required elucidate', '5b stat5b gene', 'iga activity measured', 'fat1 composed qtls', 'metabolism protein transport', 'analyzed animal record', 'pork tenderness', 'majority trait', 'region cpm', 'state university berkshire', 'analysis showed hgd', 'cause poor growth', 'substitution prkag3', 't4 study', 'genetic information prohibited', 'used estimate variance', 'sex limited expressed', 'productivity farm', '01 15', 'swine production', 'environmental impact quantitative', 'included ssc1 c16', 'genotype effect average', 'association 456', 'using snp50', 'location management condition', 'analysis second', 'chromosome family', 'regression fitted fixed', 'reported quantitative trait', 'used backcross experimental', '186 esnps', 'map derived', 'pde1b bovine chromosome', '28 functional analysis', 'amplicons encompassing coding', 'position result', 'included addition', 'smell taste pork', 'tea domain transcription', 'economically relevant body', 'shank claw', 'colostrum method rank', 'used perform', 'mainly secondary', 'melanoma using pig', 'discovered contributes', 'improved imf', 'lipid transport', 'age probably reflecting', 'rambouillet polypay columbia', 'snp 1326t', 'us_m ssc2', 'compared using likelihood', 'asia europe south', 'sheep previously', 'fat showed significant', 'chicken bird', 'potentially involved', 'establish novel', '96 aflp', 'region casein gene', 'cleaned skeletal', 'loin ssc3 ph', 'univariate mixed model', 'chromosome milk fat', 'population displayed', 'descendant used putative', 'insertion intron', 'additive polygenic effect', 'region allele', 'boar analyzed', '63 mb conclusion', 'approximately 3000', 'signified key pathway', 'involved study 21', 'androstenone simultaneously affect', 'detection pleiotropic', 'shown result', '50 snp', 'genome sequencing marker', 'goal identify', 'integral called intrinsic', 'trait measurement individual', 'genotyping platform', 'yielded marginal', 'candidate gene deduced', 'gga4 qtl largest', 'weight tep', 'crossing broiler male', 'age random', 'cluster respectively', 'shank length growth', 'background columnaris', 'ph decline', 'marker spacing', 'cd dd association', 'significant value beef', 'wise significant association', 'invasion conclusion kit', 'remaining rs41919999 rs132865003', 'beadchip order identify', 'measurement trait native', 'measured improve understanding', 'qtl scan joint', 'ssc8 54567459', 'term single trait', 'gene chicken suggest', 'melatonin receptor 1a', 'domestic wild', 'study snp growth', 'aim identify quantitative', 'codon encoded allele', 'located chromosome beginning', 'motility abomasum', 'resource population additive', 'scd5 kiaa0999 fkbp10', 'naturally scrapie infected', 'gene polymorphism affect', 'qtl affecting performance', 'barrow distributed half', '796 cow 44', 'basis study alzheimer', 'great enhancing', 'parity allelic', 'response variable proposed', 'large independent', 'variation variation lamb', 'acid composition affect', 'animal seven', 'qtl genotyping', 'associated prolificacy variability', 'dsn population', 'allele greater japanese', 'multiple repeat', 'confirmed linkage significant', 'available genetic analysis', 'i199v locus originated', 'autosome chromosome average', 'qtl elovl6 gene', 'haplotype identified', 'gene siglec12 ctu1', 'profile beef initially', 'associated 001 cwt', 'promoter region enhances', 'snp associated 10', 'included cluster significant', 'arm porcine', 'phenoypes collected', 'family qtl total', 'romosinuano carora effecting', 'population phase association', 'intron showed significant', 'suggest allelic heterogeneity', 'gwas analytic', 'performed f2', 'distinct qtl area', 'trait genotyping snp', 'rs4121165 gc', '05 bw70', 'scenario single', 'used study sufficient', 'revealed uterine', 'spanish churra ewe', 'using data', '30 gilt', '01 pl suggestive', 'cornea occur severe', 'analysis gwas conducted', 'breeding camkmt', 'flight mass spectrometry', 'association study', 'identified cw', 'cattle mapping population', 'matrix hair', 'efficient tool', 'jersey red', 'phenotype hypothesized', 'quality complex concept', '01 association abundance', 'affecting relative weight', 'paternal component pregnancy', 'yield grade dmi', '206 boar 240', 'haplotype formed', 'heritability value parameter', 'snp retained gwas', 'heritable trait large', 'intrablock value', 'piglet piglet', 'tick resistance provide', 'lower values s26449', 'netherlands sweden', 'model 120 md', 'rna seq information', 'placenta development', 'day 18', 'ability distinguish favorable', 'different breed result', 'female measured', 'blood sample bw', 'important role muscle', 'susceptible animal aim', 'red line set', 'limousin f2 population', 'highest significant', 'weight suggestive qtl', 'genotyping assay pcr', 'located ssc8', 'yn rt201 susceptible', 'known multi pdz', 'previous analysis high', 'economic trait chinese', 'cattle reared finished', 'size superoxide dismutase', 'feed intake 13', 'strain secondly', 'snp located exon', 'grazing challenge infected', 'production consequent', 'confirm association', 'definition infected', 'effect coat colour', 'feather female breast', 'nsb1 later', 'region fatness', 'milk sample', '27 54', 'wild type homozygote', 'sclerotome play important', 'lactoglobulin milk evaluate', 'strongest association close', 'ssc16 ssc17 ssc18', '510 f2 animal', 'selection target', 'approach chromosome', 'ecology trait subject', 'marbling tt polymorphism', 'tolerance poultry', 'ssc8 sscx chinese', '01 important', 'commercial dam line', 'efficiency selection goal', 'sequence data 157', 'development snts', 'pwsy number litter', 'composition impact meat', 'pod effect dlk1', 'compared non castrated', 'egg meat', 'accounted genetic variance', 'molecular marker combined', 'peak 50', 'total 25 different', 'size location lesion', 'analysis indicated snp', 'likelihood technique qtl', 'clue controlling spread', 'value set false', 'analysis marker genotype', 'high low growth', 'calpain meat', 'result phenotype', 'similar occasionally differing', 'result allowed identify', 'ssc8 85', 'family focused', 'pair wise genetic', 'phenotypic value result', 'bta5 10', '11 snp reaching', 'study harbor', 'week age', 'relationship vrtn', 'rao related sign', 'gr 004', 'genetic study', 'cm bft rib', 'daughter ai ram', 'tdt basis seven', 'ubl5 position 68', 'ros0005 mcw0225 ntn2lsts1', 'finding reported human', 'exonic region 14', 'higher dressed', 'weight animal', 'time called', 'unequal allele frequency', 'eqtl scan', 'gene qtl bta', 'alberta lacombe', 'quality beef cattle', '10 chromosome gga', 'abw ssc1 ssc2', 'lm association test', 'mapping qtl exceeded', 'total 222', 'property meat stearoyl', 'longissimus dorsi muscle', 'effect direction', 'meat lightness study', 'period pre', 'qtl c14 c18', 'numerous cellular process', 'genotyping total 139', 'used identify fine', 'case revealed', 'mastitis susceptibility trait', 'publication indicate genetic', 'cac respectively', 'study series', 'analysis growth carcass', 'functional element supported', 'information qtls', 'parasite resistance gwas', 'regarding direct indirect', 'potential role tight', 'haplotype hap12 ac', 'herd total', 'yorkshire fra', 'snp identified specifically', 'reveal specific partly', 'beadchip qtl detection', 'linkage gene related', 'included individual qtl', 'chromosome studied', 'respectively known gene', 'ridge regression using', 'heifer conceive maintain', 'qtl affecting subcutaneous', 'gene linkage causative', 'ren bta16 significant', 'fat metabolism differential', 'lean meat ham', 'male meishan female', 'scan 165', 'body weight measure', 'population estimate reach', 'previous study aimed', 'population result confirm', 'genetics shown', '13 abdominal', 'activated protein kinase', 'identified gene phosphodiesterase', 'protein percentage bta18', 'study wool', 'protein percentage near', 'region snp3 13281c', 'tibia length candidate', 'positive dbwavg dfiadj', 'related cellular development', 'litter pwl', 'measure 021 posterior', 'snp 638a 465c', 'contained missense variant', 'cm analyzed', 'modulate resistance susceptibility', 'girth exon weight', 'allele originating', 'tested snp associated', 'linked monomanine signaling', '051 gene region', 'growth hormone insulin', 'pig performance association', 'analysis revealed fabp4', 'lipid transfer activity', 'eca raspf7', 'notch1 regressed', 'trait combination 22', 'pig imf', 'ayrshire fa', 'model random family', 'scc association', 'used sire line', 'β1 significant', 'gonadotropic axis prepubertal', 'body height horse', '917 german', 'genome wide interaction', 'foundation studying mechanism', '64 unaffected horse', 'analysis reliably performed', 'genomic prediction larger', 'fec avfec', 'qtl linked primary', 'value conductivity', 'force maximum', 'responsible exceptional', 'threaten swine industry', 'spotting distinguishing', 'fwec change haematocrit', 'used marker genotype', 'sci bci', 'asian miniature', 'marker identified putative', 'month old failure', '319 sheep 48', 'seriously economic loss', 'commercially relevant', 'analysis egg', 'nordic holstein interval', 'following detection', 'selection hanwoo cattle', 'genotyped 444', 'mutation 25225a 25316t', 'environmental correlation small', 'approach segregation analysis', 'use undetected', 'descendant usmarc resource', 'genomewide association using', 'data genetic variance', 'study mapping population', 'addition significant qtls', 'model nominal', 'data recorded', 'susceptibility bovine ocular', 'breed horse known', 'milk production fertility', 'meat low hpa', 'reduce bone', '171 marker typed', 'snp eca9 previously', 'tested especially highly', '12 locus significantly', 'dairy california', 'dna porcine', 'weight 70 day', 'tarnish perception food', 'bp indels important', 'prolificacy longevity sow', 'male different breed', '70 73 cm', 'ghrelin ghrl ghrelin', '10 german', 'length fl', 'qtl location reported', 'developed determine', 'snp significantly greater', 'polish holstein', 'pedigree ranked', 'gene remain discovered', 'pig fattened', 'investigated evaluation haplotype', 'association fto', 'analysis italian', 'frequency compared', 'abc5 abc6', 'lactoferrin gene', 'redness yellowness moisture', 'population identified quantitative', 'ssc7 ssc16 ssc18', 'comparative gene identification', 'allele separate model', '177 sow', 'mutation 1394a', 'phenotype collected', 'mouse swine', 'mutation responsible variation', 'scan study aiming', 'complex multi', 'corresponded 15 false', 'mutation studied', 'selection signal', 'pp pb a11471g', 'study procedure used', '04 distance snp', 'effect scd gene', 'improved lasso prior', 'demonstrate qtl', 'residing qtlr tested', 'total 557 unique', '25 associated milk', 'compared breed', 'cross steer', 'health trait effect', 'family performed interval', 'sheep using half', 'meat quality research', '23 phenotypic', 'individual challenge', 'study various', 'region associated mineral', 'alga0092396 35 10', 'value calcium ca', 'analysis performed software', 'gene localization demonstrated', 'complete qtl scan', 'c14 index', 'setd7 700g', 'behavioral change associated', 'remains discovered', 'identified associated', 'finding current understanding', 'showed ahr cn', 'sow backfat thickness', 'mutation 19 bp', 'haplotype 17 cm', 'head typically increasing', 'overlapping primer', 'total genome significant', '16 region reported', 'meat weight lean', '32 01 present', 'pecking aggressive behavior', 'gene detectable simple', 'region chr 14', 'fraction basophil eosinophil', 'main eye', 'sampling sample', 'snvs including 30', 'longevity fertility', 'map qtl age', 'susceptibility objective identify', 'adg daily dmi', 'addition relevant', 'identified oar3', 'non mhc gene', 'nr marker dj', 'derived estimated', 'design family using', 'qtl body weight', 'entire population genotyped', 'reducing economic impact', 'age concluded novel', 'bilirubin bil', 'lw bta27 dmi', 'tssk6 pkd1', 'association study pure', 'cart gene fluorescence', 'small problem', 'analysed 14', 'including genome wise', 'significantly associated imf', 'wide gw', '110 kg 41', 'cow data research', 'eca18 confirmed', 'heritabilities breed', 'muscle weight drumstick', 'necrosis ipn', 'interaction host', 'improved imf juiciness', 'teat hoop', 'detected including', 'pta 1287', 'gg genotype mc4r', 'positional candidate analysis', 'ssc5 ssc7 coinciding', 'university wisconsin population', 'role skin', 'region npy', 'polymorphism effect genotype', 'investigate parity specific', 'method vaccination', 'important dairy trait', 'based imputation used', 'asthma human', 'black mashen pig', 'cattle breed fleckvieh', 'previously work', 'stage fatness', 'regress piglet survive', 'atp5b gene cloned', 'dna chip genome', '118998 located', 'scant histochemical', 'oc frequent developmental', '416 cow', 'htr2a lpar6', 'stearic palmitoleic vaccenic', 'mitf gene previously', '337 f2', 'detected oar6', 'link genetic variant', 'acid gene', 'region ssc7 ssc10', 'significant influence', 'muscle c18 1n', 'snp common', 'improve phenotypic', 'bovine chromosome dairy', 'associated coat colour', 'correcting population', 'aimed ass', 'responsible pituitary', 'direction select desired', 'constructed sire', 'sample apical', 'qtl new data', 'lm population genomic', 'infant caused abnormal', 'accuracy imputed genotype', 'window explained 17', 'selected response challenge', 'reflected disease incidence', 'including hampshire pig', 'model involving genotype', '21 mb region', 'good target marker', '05 suggestive', 'danish holstein 31', 'near scd', 'reduced medullary bone', 'cattle showed', 'female respectively compared', 'positive lack power', 'extended meta assembly', 'environmental impact fe', 'strongly higher', 'total number important', 'identify specific candidate', 'level mtnr1a', 'showed association rvtv', 'affecting somatic', '110c snp stat5b', 'pig immediately transited', 'resistance identified selective', 'sutai population duroc', 'model used ass', 'taurus bt', 'test fbat nonparametric', 'infection intensity', 'influencing carcass quality', 'altering mutation', 'population comprised sire', 'represent interesting area', 'shrinkage selection operator', 'trait proportion sample', 'concordance test', 'affecting underlying biological', 'pectoralis major', 'variant rw070', 'qtl control response', 'gene hypothesized', 'chicken preadipocytes', 'breed addition qtl', 'known gene identified', 'measurement se individual', 'meat yield marbling', 'rs42670352 associated dmi', 'genotype conclusion validated', 'breed related english', '25 positive faecal', 'association lfec', 'yield 05 furthermore', 'suggest ovine', 'td binary', 'dinucleotide microsatellites covering', 'entire pig genome', 'study gwas detected', 'thrombospondin thbs1', 'expression variation abhd5', 'energy balance objective', 'gene related immune', 'phenotype defined 100', '500 kb', 'explained variation effect', 'cattle analyzed', '26 pcgs', 'extreme approximate daughter', 'percentage individual genotype', 'disease subclinical', 'milk lg', 'crossing divergent line', 'seven suggestive snp', 'harbor qtl pleiotropic', 'contrast calculation assigned', 'marker average', 'reveal significant effect', 'rs312463697 chromosome significantly', 'activator play role', 'reciprocally imprinted mammal', 'fy body', 'sib family produced', 'ercr sperm quality', 'breed 338', 'using chicken 600', 'adjust horse', 'ltn rtn 19', 'coli etec', 'marker based', 'layer cross', 'present study detect', 'complex polygenic', 'milk yield 05', 'parameter estimate', 'male salmonid compared', 'qtl region bft', 'genotyped 16 genetic', 'relevant platelet', 'greater parameterization multivariate', 'gwass improve precision', 'pc indicating', 'snp defining qtl', 'region marker texan2', 'selecting genotyping', 'analysis showed snp', 'size western commercial', 'gene affect bone', 'snp analysis resulted', 'rs80724063 respectively main', 'hematin content lm', '14 region', 'including previously', 'trait 54 marker', 'cell mitogen induced', 'mir206 snp associated', 'addition using genomatix', 'level permutation', 'culture additional', 'higher rao', '314 association', 'milk yield dry', 'calpain gene region', 'cm middle', 'staining indirect immunofluorescence', 'trait validated', 'processing industry consumer', 'specific ige', 'mechanism allelic', 'beta lactoglobulin lg', 'prrsv strain', 'endothelial regulator', 'incidence ketosis', 'pair design', 'reproduction category', 'underlie variation innate', 'consequently snp', 'population result demonstrated', 'map porcine', 'promoter different cell', 'using qtlmap', 'broiler carcass breast', 'indicated lap3', 'expression hsp90aa1', 'accuracy ebv based', 'snp indel', '47 53', 'block asga0100525', 'trait significantly associated', 'qtl gw level', 'genetic architecture imf', 'hock oc fetlock', '357 nz romney', 'rbc increase', '80 identity', 'help direct prospective', 'cheese production consumption', 'cycle objective', '40 individual 20', 'auricle total', 'cow time', 'virulent european', 'marek disease', 'explained marker', 'sharp likelihood', '113 pig seven', 'pigment intensity', 'influencing ear surface', 'phenotypic spectrum', '17 igg1 week', 'prediction higher', 'btb data', 'pathway analysis revealed', 'point analysis', 'trait 20 significant', 'calving insemination icf', 'formation myeloid', 'genotype revealed', 'significant association variation', 'region act', 'attractive mean sustainably', 'result indicates', 'locus glmm cbat', 'blood different feeding', 'located bovine genome', 'ranged exon intron', 'simple humoral cell', 'obtained classical', 'hcw marbling', 'gene silico comparative', 'line additional', 'erhualian sutai', 'genotype available 640', 'lys232ala substitution', 'fp pp', 'test jersey', 'end lay cage', 'fasn ewsr1 map3k11', 'site revealed present', 'slc22a4 slc22a5', 'ebv lp respective', 'trait inherited', 'candidate gene fatness', 'sheep using high', 'conversion ratio ph1', 'acid close', 'femur identified', 'sequencing pooled', 'ssc7 sscx', 'snp seven located', 'crc angularity ang', 'chromosome located intron', 'gene explore', 'milk bhb concentration', 'simultaneously estimate fixed', 'hg lg cross', 'control group representing', '21 958', 'fourth generation', 'lambing significant association', 'mutation result bring', 'result qtl common', 'environment improved', 'attained point', 'rm356 map distal', 'available dna', 'population collected japan', '13 hm', 'background bovine paratuberculosis', 'likely explaining', 'foundation studying gene', 'cost decade culling', 'affect tenderness', 'association assessed data', 'chicken genome furthermore', 'significantly group', 'composition commercial', 'body fat reserve', 'critical role cell', 'leading change alanine', 'additive sex additive', 'published consumer', '01 important trait', 'study aiming identify', 'milk chl_milk gwas', 'rate 22 bone', '10 16 additionally', 'polymorphism snp determined', 'pedigree structure performed', 'landrace including 3990', 'need validated commercial', 'chinese chicken', 'chicken line proved', 'dj nordic', 'locus segregating crossbred', 'production response gene', 'apoptosis study', 'il il 13', 'gwas implemented', 'circumcincta paper', 'chromosome 93 cm', 'association variation', 'effect ttn detected', 'frequency polymorphism 32386957a', 'white allele specific', '01 number', 'genotyped medium', 'acid composition bovine', 'model imprinting effect', 'brown egg dwarf', 'associated osteochondritis', '2723c exon 8398g', 'beef objective', 'female thirteen microsatellites', 'obesity trait based', 'significant difference promoter', 'highly expressed skeletal', 'phosphorylation apoptosis', 'ray absorptiometry 551', 'effect snp adgtest', 'charollais ile france', 'red santa gertrudis', 'snp related 17', 'holstein milk', 'ncccwa growth selective', 'expression splicing', 'hypothesis region ssc13', 'month adg0 month', 'yield deviation calving', 'chain reaction revealed', 'family zinc finger', 'sire using', 'previously detected snp', 'reduced faecal', 'identified facilitate', 'genetic basis susceptibility', 'identified beef', 'infection south western', 'variance contributing whirling', 'level search', 'ratio chromosome', 'selection year', 'tenderness livestock', 'bovine herpesvirus antigen', 'analyzed association pork', 'using million', 'genome using high', '18 16', '93 cattle high', 'meat quality selection', 'significance association sc', 'gin resistance susceptibility', 'pig breed commercial', 'transmission disequilibrium', 'biological pathway genetic', 'measured genotype', '14 milk production', 'offspring chicken chromosome', 'male founder', 'mediated immunity', 'cattle afflicted fescue', 'equal 051', 'dna sequencing approach', 'varied breed chinese', '398 steer generated', '26 28 week', 'diet milk', 'frequency line indicating', 'line analyzed', 'ag pig significantly', 'phenotypic trait australian', 'nprl3 evl slco3a1', 'gga12 abdominal fat', 'skeletal qtl', 'procedure efficient high', 'phenotype etec', 'skin lesion bone', 'melim pig', '531 randomly selected', 'data sire used', 'ssc12 conclusion result', 'maturation ovarian', '69 microsatellite locus', 'bovine fasn gene', 'deposition fa', 'merit linkage', 'srd5a2 loc100518755', 'rib thoracolumbar', 'utilized detect quantitative', 'carrier superfamily', 'required enveloped', 'noncoding sequence', 'analysis 38', 'anthelmintic rapidly increasing', 'gene particular', '39 41 se', 'considered based single', 'database accelerate identification', 'swine chromosome igf2', 'ih breed', 'relative climate change', 'density chromosome', 'involved early', 'information available today', 'rate qtl detected', 'secrete higher opn', 'based genetic information', 'life female', 'flank qtl bta23', 'software mixed', 'skin causal mutation', 'help increase efficiency', '18377t 19873t', 'friesian jersey cow', 'promoter region ghr', 'lack consistency family', 'corresponding qtl model', 'population shared', 'resistance significant qtl', 'selection genotype determine', 'rnf38 trim14', '38 snp identified', 'data withers', 'different visceral', 'diverged abdominal fat', 'rfi rfi1', 'gga3 gga5', 'erb b2', 'locus refined 20', 'days open rs109663724', 'connecting gene', 'beadchip growth', 'dd higher', 'performed determine chromosome', 'investigated trait milk', 'presence qtl segregating', 'retirement animal result', 'chicken h3h3 diplotype', 'typical inflammatory', 'provided needed tool', 'strong selection artiodactyl', 'difference genetic background', 'including enhanced genetic', 'new snp chip', 'abt suhuai pig', 'identified correspondence', '07 23', 'influencing content', 'chicken different development', 'element numerous', 'boar commercial line', 'ability known', 'marker lei0029 adl0371', '15 26 used', 'decreased 416 significant', 'genome different time', 'tt yield double', 'study 329', '042 son', 'identified segregating qtl', 'genotyping array result', 'level calculated', 'genetic mastitis', 'score proportion', 'cow conducted', 'deficiency fat soluble', 'population set consistent', 'pathogen excessive water', 'body size horse', '36 member', 'gwas significant genomic', 'total observed', 'personality investigate', 'associated myelodysplastic syndrome', '16 prdm16', 'leukocyte antigen', 'lod 47 60', 'lamb lambing heterozygous', 'marker following', 'porcine myog gene', 'prkag3 unknown', 'using bootstrap option', 'trait hierarchical', '1137 fish ncccwa', 'weighed birth', 'ssc2 ssc7 50', 'analysed plink software', 'drench family completely', 'gene chilled femur', 'including bw', 'pointing snp axis', 'gain fertility', 'ratio kr trait', 'deepen understanding', 'interval detected qtl', 'database snpdb', 'average faecal', 'eye development', 'gene known', 'respectively breadth chicken', 'gained current', 'significant effect myofiber', 'criterion jolliffe criterion', 'pleurisy new zealand', 'vitro commercial crossbreed', 'family danish holstein', 'fat width', 'level data 4280', 'dual luciferase gene', 'significant snp selected', 'ebv analyzed medium', 'qtl identified human', 'experiment ii', 'quantitative trait discovery', 'fine mapped involved', 'involved wound healing', 'breeding selection', 'expected efficiency pedigree', 'shank length body', 'chronic pleuropneumonia', 'gga1 bco', 'adjusted 0972', 'selection immunocompetence heterophil', '175 09', 'adg3 month', 'functional positional candidate', 'nesfatin saline single', 'hereford family evaluate', 'myod family transcription', 'family analysis suggested', 'population explained variation', 'chicken recent availability', 'locus ssc7 ssc12', 'line diverged abdominal', 'world causing', 'scan situation', 'german black', 'differed markedly second', 'located bta6 37', 'trait study gene', 'family challenged ipnv', 'persistency milk', 'cla 13 posterior', 'previously genome', 'difference reproduction', '10 different population', 'candidate region identified', 'biology development', 'coding sequence base', 'representing genome comparing', '54 supported', 'muscle reduce', 'birth bbl', 'bonferroni correction identification', 'method used preliminary', '276 twh blood', 'health productivity possible', 'marker dairy', '10 backcross', 'anthelmintic drenches', '20 qtl growth', '18 candidate gene', 'haplotype effect 68', 'genetic variability identified', 'indicate linked qtl', 'cascade involving killing', 'linked moiety type', 'used map abcg2', 'using likelihood', 'fe 43', 'thi class', 'parameter derived trait', 'using measure', 'cattle trait low', 'sperm scrotal', 'program resequenced calpastatin', 'utilised marker', 'significance lod', 'lmm based single', 'major constituent', 'phenotypic record daughter', 'remaining seven snp', 'mm mm mm', 'cxxc4 maml2 cdh13', 'family explained 37', 'meaningful dna', 'cidec single', 'nw breeding history', 'qtl pattern', 'mb allele substitution', '28 10', 'pleurisy data', 'contribution microarray', 'gp skeletal', 'activity identified chromosome', 'composition trait family', 'gene ontology previously', 'heritabilities resistance', 'region identify', 'pig time conclusion', 'subsequently lead', 'trait chromosome effect', 'intercrossing large white', 'tnb pig enabled', '79 variance component', 'genotyped 198', 'component analysed', 'parasite specie faecal', 'length thoracic', 'rs16469410 overall', 'activity gene', 'difference prevalence haplotype', 'ai allowed', '108 111', 'bta29 addition candidate', 'gwas conducted fy', 'high significance peak', 'architecture trait present', 'reported hgd gene', 'landrace korean native', 'gene expression prlr', 'trait eighty dairy', 'variant pclo gene', 'dataset 05 indicating', 'regulating body height', 'leghorn laying', 'associated 11', 'region mtnr1b', 'marker heritability', 'deformed canales sesamoidales', 'hdl hdl ldl', 'appears major', 'background previously', 'polymorphism apob gene', 'vertebra probably owing', 'btb provides opportunity', 'muscle c18', 'candidate gene muscle', 'change respectively', 'using union', 'fat yield fy', 'myog gene body', 'associated phenotype', 'decade conception', 'key founder imputing', 'tlr4 used', 'eca2 filly chromosome', 'autosome analyzed 464', 'bacterial disease', '255 brahman cattle', 'involving single', 'eighty snp significantly', 'fine mapped 89', 'italian simmental', 'test day animal', 'total 183', 'major conserved structural', 'patterning somite', 'pronounced disagreement result', 'map bta17', 'causal mutation polledness', 'lod 04', 'causal background', 'ndei polymerase', 'mutation gene reported', 'lma detected study', 'analysis highlighted various', 'commercial poultry', '004 proportion', 'strong genetic correlation', 'snp complex', 'bf rib', 'line gene', 'scan increased', 'pleurisy slaughter animal', 'ion transportation', 'late expression', 'coa dehydrogenase', 'model estimated effect', 'significant snp fatty', 'sensory meat quality', 'leukocyte highly expressed', 'backfat thickness avoid', '2951 animal total', 'number egg dark', 'presence qtl affecting', 'analysis identified significant', 'qtl affect clinical', 'locus trait carried', 'allele candidate gene', 'insulinotropic polypeptide', '72 measurement', 'factor beta induced', 'intake chicken', 'association marker using', 'hypopneumoniae mh', 'background polymorphism', 'g186t offer possibility', 'european sheep reflecting', 'abortion addition retained', 'addition 36', 'associated white marking', 'mir133b snp mir206', 'fatty acid based', 'family respectively marker', 'weaning lamb individually', 'significant locus detected', 'rate record', 'investigate association spot14alpha', 'respectively genotype distribution', 'bighorn sheep', 'marker chicken', 'allele frequency 24269', 'thickness affect', 'cell volume control', 'trait nineteen chromosome', 'znf75a gene set', 'composed mutation', 'marker adipose', 'porcine tef1', 'used totally', 'component method', 'originating routinely performed', 'virus prrsv', 'qtls possible pleiotropic', 'distributed bta14 detected', 'abundance spleen', 'potential application', 'complex component protein', 'gene influence em', 'simmental cattle used', 'sensitivity genome wide', 'genotyping started', 'maternal stillbirth calving', 'effect used trait', 'role immune capacity', 'subject dna', 'product distinct variety', 'polymorphism mc4r lep', 'conclusion apart', 'snp genotype aim', 'candidate gene mixed', 'additive variance', 'qtl 17 chromosome', 'suggest gnas domain', 'thinnest backfat 21', 'trait serve', 'mdfi gnmt abcc10', 'site nucleotide', '2449c 2379c', 'ah haugh unit', 'identified significance', '68 sd', 'bone turnover potential', 'sire 20 ancestor', 'spot brown', 'location near mummified', 'including 357', 'jointly major', 'associated btb', 'association testing cbat', 'method using real', 'trait lw population', 'lutea 01 associated', 'distribution 001', 'trait fdr', 'factor responsible mediating', '770 000 snp', 'age addition observation', 'trait seven erythrocyte', 'gene significant effect', 'gain bwg', 'dna used', 'fertility trait biased', 'dna based comparison', 'map targeted', 'chromosomal assignment role', '26 95 confidence', 'multiple birth', 'record association', 'gene contribute phenotypic', 'examined strongest', 'inflate false positive', 'snp ncapg 1326t', '30 105 snp', 'complex subunit beta', 'estimation behavioral', 'mu large', 'omega polyunsaturated fatty', 'effect calf', 'mepe ppargc1a excluded', 'value total 40', 'near stearoyl coa', 'affected trait order', 'candidate gene pervasive', 'increase pulmonary artery', 'haplotype defined missense', '338 using tetra', '201 significant', 'gene involved blood', 'suppressor cytokine', 'texel population', 'exon 18 2061t', 'etec type pathogenic', 'snp rxfp2', 'gene cyb5a known', 'forthcoming study provides', 'bovinehd1400007259 10 known', 'alberta roy berg', '527 imputed', 'litter size superoxide', 'excluded prkag3', '20 water holding', 'corresponding phenotypic', 'shared postmortem time', 'sow backfat', 'statistical power total', 'sequencing association snp', 'qtl detection 200', 'area ssc6', 'cfd am950287 306c', 'run homozygosity roh', 'associated reproduction study', 'exact localization', 'holstein haplotype characterized', 'overall snp 131c', 'various non immune', 'null hypothesis', 'receptor type', 'greater 05', 'economy study', 'detected qtls body', 'map gene', 'quite unique considerable', 'cywater percentage weight', 'outbred population usually', 'snp14 linkage disequilibrium', 'snp putative bovine', 'important trait aquaculture', 'locus associated resistance', 'assisted association test', 'iridum eye', 'snp termed', 'based analysis', 'used study genetic', 'disease jd', 'strength analysing', 'current elite commercial', 'derived molecular', 'putative single', 'considered spl', 'contribution c3', 'fe positive economic', 'result m1', 'hap22 tc associated', 'small small', '10936g aafc03076794 csnps', 'using texel oar18', 'holstein population coincide', 'alp valuable indicator', 'contribute multiple phenotypic', 'hm interesting', 'respectively indicating shank', 'qtl associated disease', 'separately using rank', 'subset 40 sample', 'effect fitted random', '1332 animal week', 'entire male', 'point mutation', 'study undertaken sample', 'phenotype propose', 'ifc analyzed including', 'fabp gene fabp4', 'e22c19w28_e50c23 suggestively', '05 validation', 'kb region fixed', 'problem layer chicken', 'trait mainly', 'combined line cross', 'essential normal', 'carry muc13b allele', 'fewer marker animal', 'trait f₂', 'btb 26', 'chinese holstein single', 'informative high', 'porcine ldha', 'identified snp chromosome', 'basis key', 'frequency trait', 'muscling trait previously', 'gene i199v associated', 'implemented gemma', 'inflammatory response suggested', 'risk developing', 'value correction environmental', 'horse met', 'counted separately nematodirus', 'non clinical', 'smell taste', 'adg feed', 'pig susceptibility etec', 'gene possible', 'intron detected pcr', 'related animal genotyped', 'gene neuropeptides receptor', 'identification predictive', 'genotyped 128 genetic', 'population 05 01', 'level pgf expression', 'association racing', 'involved disease resistance', 'significance distal', 'snp mtpn', 'ssc6 ssc14 ssc15', '13 covering mbp', 'wide report', 'snp5 associated body', 'xkr4 gene', 'juiciness fat', 'metabolism polymorphism generated', 'genotyped pig candidate', 'attached anatomical', 'polymorphism myog', '700k illumina beadchip', 'approach identified separate', 'association related specific', 'cow sweden', 'level showed melim', 'level 35', 'marbling purge', 'analysis false positive', '24h eye', 'composition measurement', 'recessive defect rapidly', 'level qtl ti', 'closed linked', 'conjugated linoleic', 'fat percent protein', 'foxp1 tcp11', 'polymorphism group animal', 'located ssc2', 'snp database', 'lead better adaption', '05 quantitative trait', 'express 33 single', 'cause breed specific', '426 human orthologs', 'cart mc4r pomc', 'density affymetrix 600', 'region wwc2 cdkn2aip', 'regulated development', 'qtl collectively explained', 'snp il 10ralpha', 'variation summer winter', 'variation present', 'nucleotide indels short', 'pathway analysis analysis', 'genotype effectiveness dopamine', 'variant mstn', 'founder breed origin', 'allele risk factor', 'level snp genome', 'antagonist mediates effect', 'population additionally genome', 'color mapped site', 'effect weighted', 'haplotype block result', 'paper describes', 'qtl ssc15 chinese', 'snp identified significant', 'mbv built adding', 'jinhua 204', 'genetic contribution 14', '777 000 777', 'strong effect fatty', 'beadchip tm used', 'identified 85', 'polymorphism acsm5', 'follicle mm mm', 'genetic background total', 'clearance maternal antibody', 'underlying development swine', 'loin asga0070634', 'myadm like repeat', 'yellow beef', 'performed weighted single', 'distal myostatin', 'female hy', 'study scottish', 'gene 16 haplotype', 'hormone fsh', '280 susceptible', 'multivariate technique identify', 'brahman influenced', 'identified 27 quantitative', 'gene large', 'susceptibility region contained', 'milk production recently', 'performed muscle', 'pp spanish churra', 'arabian colt quantitative', 'salting highly correlated', 'developmental qtl', '030 animal white', 'loin roasted', 'suggest gc', 'phenotype 16 case', 'background maternal infanticide', 'piglet 457 porcine', 'animal mutation', 'leg foot conformation', 'ssc6 growth', 'directly responsible detected', 'search variable selection', 'result current', 'heritability obtained partitioning', 'transcript level higher', 'female 361 brown', 'confirmed previously identified', 'bighorn sheep artificial', 'div 140 pig', 'snp linear', 'haplotype hap1', 'muscle development regulation', 'perception feed', 'resulted 12', 'sw1473 ssc6', 'marker associated 10', 'affect phenotype multiple', '27514 swr1637 haplotyping', 'mapping study facilitate', 'proinflammatory chemokine', 'leg swelling nodule', 'japanese black cattle', 'regression considering snp', 'sc milk composition', 'vater association genetic', 'health index milk', 'line high indexing', 'daughter age onset', 'breed indicating', '01 significant validation', 'previously divergently selected', 'various non', 'high mhc genetic', 'define subtypes accurately', 'experimental infection', 'egg production bone', 'qtl average', 'fertility uncover region', 'content lean fat', 'trait reflecting carcass', 'included cluster', 'factor myf5', 'transporter family', 'dna piglet', 'linkage eca15', 'divergent bovine fetal', 'overexpression mutation type', 'demonstrated presence', 'infection dpi', 'microsatellite marker swr67', 'production regulated', 'conducted 18', 'site detected association', 'quality 110', 'npy potent', 'respectively gqls method', 'case control approach', 'draft horse additional', 'larger myofiber number', 'scan production trait', 'relatively qtl', 'chromosome percentage', 'ssc15 39', 'level 22 qtl', 'reinforce cast', '14 40 cm', 'adrb2 adrb3 gene', 'function trait total', '190 day revealed', 'hplc major danish', 'ascites susceptible 02', 'rao candidate', 'support result', 'breed analysis capn1', 'carcass value', 'coding region play', 'beadchip estimated breeding', 'season lastly evaluated', 'comb size type', 'plcz snp vwf', 'provides evidence validates', 'white caused', 'variability meat', 'bmt qc', 'cwt study', 'haplotype respectively', 'holstein breeding value', 'epistatic interaction likely', 'identified flock prolific', 'improve odds', 'lod bmd pqct', 'imputed 777 marker', 'breeding identify locus', 'gene 35', 'detection multiple qtls', 'mapped chromosome japanese', 'rorc 3290t snp', '1141 chinese', 'efficiency specie objective', 'enriched associated', 'subcellular lipid transport', '416 microsatellite marker', '18 duroc', 'dh snp assigned', 'genetic parameter lm', 'rs42303720 significantly associated', 'pig country', 'study body', 'improve calving performance', 'ssc8 ssc13 genetic', 'increasing cbg capacity', 'using findhap', 'effect included', 'weight direct gestation', 'furthering understanding technological', 'cacna1d inclusion', 'myo19 cpt1b', 'small number', 'rfi respectively', 'snp panel response', 'horn wov', 'erhualian pig notably', 'compared high low', 'purebred awassi awassi', 'conducted line cross', 'trait feasible alternative', 'presented increase c16', '01 feed efficiency', '87 genetic variance', '601 717 real', 'away approaching human', 'family derived bh', 'high carrier frequency', 'increasing cwt', '70 decreasing cbg', 'gga18 ggaz', 'report mapped quantitative', 'bos taurus bos', 'industry significant genomic', '10 ssc', 'significance 184', '15 oocyte secreted', 'using pooled dna', 'service age service', 'genotyped missense decr1', 'detected included selection', 'fo ppara pik3r1', 'association study sheep', 'snp50 beadchip resulting', 'face natural', 'subunit search gene', 'significant autosomal marker', 'normal biochemical reaction', 'associated tropically adapted', 'moderate effect qtl', 'lymphocyte subpopulation peripheral', 'chl additional new', 'pig population result', 'cheese additional', 'qtl marbling bta', 'pooling approach', 'evidence suggest rumen', 'response stressor', 'sire sire subsequently', 'cattle resequencing entire', 'method study', 'snp pair', 'open possibility', 'precursor chicken', 'number marker', 'insight molecular pathogenesis', 'protein chromatin condensing', 'horse racing myostatin', 'ewe test', 'haplotype reconstruction', 'trait snp useful', 'influenced trait breed', 'year age spawning', 'selective gene expression', 'available subset', 'rdhe2 convert', 'lamb genotype', '69 102', '540 bull mean', 'german value birth', 'targeted association', 'identified exon intron', 'loin 540', 'result underpin', 'containing candidate', 'consistent local animal', 'identified total seven', 'region ssc16', 'pig comprised closed', 'sscp analysis allele', 'variable calculation', 'helpful illuminate future', 'nervous important', 'strategy create', 'population holstein cow', 'present human resulting', 'ram manych merino', 'similar region qtl', 'investigate genetics', 'performed independent cattle', '20 22 mb', 'detected multiple', 'underling complex trait', 'fibroblast indicating', 'percentage total production', 'polymorphism fto gene', 'cow different', 'peak 87 mbp', 'cm 21 46', 'structure resource population', 'comb line chicken', 'period birth breed', 'immersion challenge', 'linking trait biological', 'weight highly correlated', 'autosome marker significant', '27 chromosome wise', 'behaviour significantly influenced', 'strongyle fec identified', 'bta13 ier3', 'number cow genotype', 'bft studied', 'best goodness', 'weight possible make', 'gin infected non', 'reproductive characteristic', 'bmp15 polymorphism reproduction', 'polypay rambouillet sheep', 'region 18 bos', 'suggest joint', 'fat1 human', 'sequence analysis mln', 'gwas detected 84', 'increased composition myosin', 'kndc1 tfn', 'significant qtl log', 'uncover genetic', 'background availability genome', '100 muscle qtl', 'sample genotyped using', 'additive effect associated', 'identified reached experiment', 'matter fact genome', 'relationship matrix original', 'qtl influenced faecal', 'c179g g186t offer', 'reflecting effect difference', 'totaling 431', 'diameter testosterone concentration', 'chicken 36', 'weight averaging 229', 'carlo mcmc method', 'data pig resource', 'return rate nrr', 'body weight ultrasound', 'integration gwas result', 'comprising 31', 'porcine large white', 'adjusted 05 snp', 'population experimental meishan', 'presence separate locus', 'δ2 lma', 'locus refined', '2229 sheep average', 'causal association', 'insemination combined analysis', 'oar3 12', 'decrease expression', 'day 46 1033', 'swine immune capacity', 'large eared erhualian', '04 56', 'included bayesian model', '12 lrp12 tribbles', 'evaluation increased reliability', 'origin effect developed', 'bovine autosome used', 'significant 16 week', '157 key', 'additive effect given', 'antitumor regulation', 'sift polyphen genetic', '100 qtl effect', 'score bovine', 'male meishan', 'studied data', 'studied population comprised', 'metabolism androgen', 'removal previous', 'bta5 igf gene', 'oar4 12', 'snp exon snp1', 'allele environmental condition', 'specific intact initiator', 'compared rfi', 'verify influence', 'cambridge sheep associated', 'polled given', 'associated variant', 'ranged 01 21', 'covering 18 autosome', 'variation tnp1 gene', 'quality trait cooking', 'subset animal 1828', 'family bta20 chromosome', 'mass ham', 'regarded putative qtl', 'previous finding duroc', 'challenge study', '25 25', 'pycr1 alg12', '05 summary', 'tenderness 05 single', 'ass snp predictive', 'platform used', 'locus linked located', 'amplify genomic', 'hemoglobin hgb', '92 553', 'overlapped quantitative trait', 'response adult animal', 'variant variant underlie', 'gene charolais', 'cat 128h', '134 bp downstream', 'mapping type locus', 'dik4782 br2936 highly', 'porcine chromosome harboring', 'aa gg gg', 'involved transcriptional', '05 423t snp', 'comprehensive set functional', 'based sequence level', 'high enrichment gene', 'qtls aseasonal reproduction', 'significant haplotype', 'lm qtl', '7q1 various pig', 'length mineralisatinon limited', 'dilution defined', 'confirmed hanwoo', 'muscle reported', 'followed backward', '770c 793g', 'efficiency population', 'genetic variation gr', '11 genotyped', 'snp exon plin1', '98 13 74', 'information study qtl', 'evidenced overlapping', 'laiwu bamaxiang', 'marker displayed polymorphism', 'live animal carcass', 'family annotated near', 'metal ion binding', 'mutation resulted', 'variation obesity', 'scale white', 'effect mufa pufa', 'common snp autosomal', 'snp60 genotyping beadchip', 'rflp method', 'weight hcw ribeye', 'deposition qtl haplotype', 'ndv antibody', 'addition explored influence', 'adding additional', 'valuable mutation', 'comprehensive list human', 'ear size cm', 'castration result illumina', 'model fixed factor', 'select resistant animal', 'reproductive gene edn3', 'swiss dairy', 'hydroxytryptamine receptor', 'chicken f2', 'involved calcium', 'genomic region relatively', 'tlr9_tt coupling phase', 'revealed 305 291', 'population level segregation', 'collected digital', 'chosen genotyped', 'companion study', 'fat hcw mar', 'region endocrine trait', 'trait validated larger', 'level lipid', 'marker select', 'fabp5 clustered', 'model absorb', 'mutation genotype cd', 'orthopaedic disease common', 'linkage detected', 'nil difference', 'program ibk susceptibility', 'step approach genome', 'beta polypeptide', 'thickness bft examined', '273 laiwu', 'copy associated increased', 'mendelian mode expression', 'chromosome study contribute', 'respectively eps8', 'prediction equation derived', 'qtl genotype routine', 'trait suggested qtl', 'majority inherited', 'interaction network candidate', 'marker enhance', 'delta desaturase scd', '17 26 27', 'milk urea nitrogen', 'content ratio', 'strongly associated host', 'fy respectively', 'trypanotolerance limit parasitaemia', 'trait exceeded genome', 'altering transcription rate', 'gwas 455', 'number haplotype', 'qtl surrounding', 'nsrp1 cadps', 'trait nominal significance', 'qtl sire', 'obesity obesity related', 'expression data map', 'hen belonging pure', 'mastitis lie', 'major window increase', 'objective study designed', 'associated effect', 'remain elucidated tissue', 'study population accounted', '26 putative', 'rs109663724 significantly', 'quality mc4r igf2', 'affecting muscle meat', 'accurate small family', '998 sheep qtl', 'protein casein', 'cd emerging problem', 'responsible hpai survival', 'chromosome implemented addition', 'sesamoidales dc', 'adipogenesis biological', 'interval offspring', 'stop codon w80x', 'model led conclude', 'effect chromosomal', 'trait following daughter', 'phospholipid remodeling', 'genotype data illumina', 'genotype higher ph', '05 seven ap', 'bf gene used', 'cattle conclusion', 'eastern southern chinese', '24 unique backcross', 'level scd', 'data f2', 'underlying resistance adult', 'genetic selection reduce', 'daily dmi adg', 'pig past', 'significance paternal maternal', 'length bmd distal', 'snp21 snx13', 'red cattle qtl', 'peak 42', 'using sorf2', 'insulin signaling', '190g 156a identified', 'gene ex fabp', 'postinfection suggested analysis', 'associated marker chromosome', 'horse snp', 'increased rapidly', 'ube3b ube3b transcript', 'psychological change wide', 'extensive evidence', 'revealed overlap 1400', 'c14 index c16', 'product yield', 'trait animal model', 'polymorphism method developed', 'descendant carrier', 'abundant class small', 'cm trait', 'case 98 control', 'combined cow', 'additional marker animal', 'background line wl77', 'coding region bovine', 'landrace pif1 experimental', 'process experienced reproductively', 'receptor il 10r', 'paternal half sibs', '62 30', 'bw70 feed', 'horse health', 'chromosome microarray', 'type low', 'cartilage development muscle', 'interval generally', 'distance 13 cm', 'nrr56 bta03', 'qtl imprinting', 'role apoptosis', '25 fatty acid', 'involved porcine', 'female study', 'genomic selection appropriate', 'make statistical inference', 'recprotein hapmap52348 rs29024684', 'window analysis analysis', 'additional slick', 'marb bta13', 'snp different cattle', 'analyzed association direct', 'explained majority genetic', 'genomic selection better', 'pp database qtl', 'association growth carcass', 'potential marker broiler', '24 425 segregating', 'strong agreement', 'procedure result', 'kiaa1468 tnfrsf11a zcchc2', 'cwt backfat thickness', 'change amino', 'confirmatory evidence previously', '013 064', 'landrace large white', '2768 3750 reflected', 'sal1 present study', 'related trait selection', 'likelihood approach used', 'gwas detect', 'study gwas using', '277 cow 704', 'trait chicken f2', 'spacing marker cm', 'based family', 'test detect infection', 'parameter lm fatty', '05 backfat', 'lentivirus country cause', 'loading value', 'bovine leukosis malignant', 'research fast', 'individual effect', 'end pig chromosome', 'egg en 21', 'heterophil lymphocyte ratio', 'panel imprh porcine', 'positioned csn1s1', 'gene bdkrb2', 'available today brown', 'normal gestation length', 'animal genome', 'pedigree 882', 'test marker trait', 'proximity population ssc3', 'chloride channel', 'meat prkag3', '79 588', 'regard utr poll', 'data 788', 'exhibiting significant genome', 'ghr respectively', 'different milk trait', 'rfi qtl pinpoint', 'measurement loin region', '96 marker', 'genome wise multiple', 'trait different age', 'cyb5d1 sphk2', 'genetic selection feed', 'phenotype database', 'susceptibility hypersensitive reaction', 'mapped area', 'transcript profile', 'insertions deletions pgf', '104 mbp', 'heat 00', 'aimed verifying', 'efficiency growth trait', 'analyzed medium', 'result increased', 'strong pleiotropic effect', 'association increased mapping', 'f2 female animal', 'value beef', 'production growth', 'leg muscle dimension', 'removal parity', 'worm egg count', 'applied identify new', 'response earlobe', 'gwas meta', 'snf protein', 'fatty acid activation', 'result implied porcine', 'detection bovine', 'early growth sexual', 'phosphatidylinositol triphosphate pi', 'allow inclusion', 'haplotype serve useful', 'scanning followed fine', 'metal ion', 'microphthalmia associated transcription', 'seventh rib', 'aim study employ', 'western pig', 'calculate variance snp', 'development embryo associated', 'fa swedish red', 'region association analysis', 'detect gene responsible', 'ssc 10', 'snp rs419096188 rs424642424', 'set increased stepwise', 'study perform quantitative', 'similar study aiming', 'native breed aa', 'program possibility', 'chicken quantitative', 'method association analysis', '44 50', 'role gene affect', 'genomic region encoding', 'using analysis', 'tibetan hen yellow', 'variance 22', 'background host genetics', 'identified gene 37', 'interval follow', 'senepol cattle current', 'demographic event', 'ssc10 1on ssc13', 'bull val dataset', 'domestication process', 'analysis completed', 'length growth', 'common positional candidate', 'genetic mechanism immune', 'abhd16b play', 'rs81400131 rs81405013', 'high correlation snp', 'sibs low', 'pig line 10', 'loin muscle mass', 'gene involved regulation', 'new narrow', 'identify complex', 'ibmap identifying', 'dgat1 lys232ala substitution', 'lepr allele body', 'performed using map', 'calving difficulty calf', 'ct ag', 'detected 12 trait', 'lifetime productivity', 'mature gga mir', 'conclusion study demonstrated', 'ssc2 identified', 'agonistic score phenotype', 'confirmed vitro measure', 'maximally informative rfi', 'male accounting 76', 'regression bayesian analysis', 'superiority gaussian', 'acaca crh', 'inspection live', 'significant snp marker', 'tested identified mutation', 'breed untapped', 'intron region', 'height horse', 'dmi based', 'strep dysgalactiae', 'equivalent genome scan', 'gwa polymorphism association', 'oar3 24 reached', 'prss2 associated', 'genotyped snp enlarged', 'esr2 eaat2 bdnf', 'goatsnp50 beadchip', 'autosome bta 54', 'included seven snp', 'challenge sarcocystis miescheriana', 'determined dominant allele', 'incidence identified', 'significant qtl confidence', 'rflp 212 chinese', 'challenged ipnv 768', 'ld gm', 'effect estimated regional', 'assisted selection genomic', 'genetic control wool', '18362g 18377t', 'regression model ridge', 'cis eqtl colocolizated', 'qtl qtl influencing', 'beadchip performed', 'geographical region damara', 'qtl parity', 'family involving', 'gene 443', 'gene performed quantitative', 'production protein', 'discover causative', 'set holstein bull', 'snp polymorphism information', 'loin collected slaughter', 'minolta ph', 'bracket regarded putative', 'trade reproductive skeletal', 'marker mapped near', 'ssc1 ending snp', 'associated immune index', 'sheep genotyped 36', 'activity candidate gene', 'deduced protein 445', 'length breed 100', '01 study', 'bta28 bta18 significantly', 'ranged 27', 'immune related', 'cross model half', 'sw252 sw581', 'proliferation death significantly', 'genetic variant strongly', 'rump angle', 'composition supporting', '1213 ewe analysed', 'correspondence qtl region', 'ti qtl identified', 'utilized genetic marker', 'described region', 'implemented compared using', '266 low', 'association allelic size', 'multi marker backward', 'nucb2 similar', 'animal significantly associated', 'fertility health finding', 'preventing cell proliferation', 'high heritability 79', 'expression high', 'snp used map', 'gwas revealed genetic', 'aiming overcoming limitation', 'greatest effect whc', 'conducted genome using', 'exceeded 95 variant', 'pig industry improved', 'stratification angus brahman', 'tissue rt', 'verify segregation', 'muscle analysis', 'specie linkage analysis', 'haplotype backfat thickness', 'sheep associated', 'analysis assigned fabp', 'denaturing gradient', 'help overall', 'detected study perfectly', 'point identify causal', 'wilmink curve', '15118683c 15118756c', 'method gene', 'analysed qtl position', '0x10 13', 'mechanism underlying various', 'proximity suppressor', 'unreplicated identify genomic', 'sequence genotyped', 'current sequence', 'snp4 population genetic', 'growth mortality constitute', 'tibial breaking', 'line additional qtl', 'genetic susceptibility tb', 'affecting muscling 12', 'association prkag3 ph', 'type ssc16 ssc17', 'yorkshire landrace', 'completely partially caused', 'distance result', 'range psychotic disorder', 'reported highest number', 'tested breed indicating', 'glp1r mdfi gnmt', 'biosecurity measure', 'significant difference body', 'fmo gene ex', 'posterior distribution indicated', 'fshr potential', 'test number', '172 microsatellite locus', 'imprh panel chromosome', 'trait association male', 'genome wide distributed', 'observed suggesting', 'cell nuclear', 'integrity paternal', 'alternative transcript', 'indicator trait parasite', 'snp 1141 chinese', 'breed fst', 'genetic marker used', 'bwg feed', 'orthogonal contrast average', 'normal general condition', 'yield previously mapped', 'candidate gene identification', 'method qtl analysis', 'eca3 79', 'sperm motility abnormal', 'fat content meat', 'l990 cart gene', 'wide significance set', 'informative microsatellite', '16 03 05', 'ndv single snp', 'appears key', 'analysis fastphase', '660 transcript', 'composition trait sla', 'experiment wide significant', 'study analysis method', 'high morbidity mortality', 'characterized coding', 'commercial norwegian slaughter', 'considered based', 'equine developmental', 'significant benefit', 'sheep snp identified', 'antibody production', 'directly cooperation phagocytic', 'using model', 'linkage mapping using', 'endangered breed', 'following detection quantitative', 'rate interval calving', 'single variant fcr', '12 normal', 'scan gpt', 'genotype 05 fabp', 'data detect qtl', 'trait including exterior', 'change limited number', 'trend regression', 'sample size sequence', 'bp indel 106_', 'coloration gga1', 'reject possibility', 'genome variant imputed', 'muscled body defect', 'ssc 14 respectively', 'serpina1 serpin gene', 'conducted exploiting porcine', 'cox transformation method', 'facilitate potential', 'network connecting gene', 'conducted basis daughter', '01 mb segment', 'animap program recombination', '768 individual genotyped', 'animal model controlling', 'production trait 53', 'genotyped pedigree', 'lm population known', 'scheme association study', 'controlling fatty acid', 'compactness significantly increased', 'region 001 polynomial', 'ab ac produced', 'receptor activity', 'wide qtl identified', 'fat percentage fp', 'locus showed significant', 'difference time periods', '16 breed 199', 'male reproductive process', 'nonsignificant marker', 'barki ewe egypt', 'expression genetic variation', 'functional clustering', 'qtls suggestive evidence', 'addition kit', 'carrying snp 793g', '426 angus', 'difference body length', 'switzerland animal genotyped', 'vitro vivo', 'rs43101493 rs43101485 rs43101486', 'black whilst', 'injection nesfatin suppressed', 'farm infected', 'welfare law prevent', 'likelihood animal', 'region significant kyphosis', '24 59 cm', 'score estimated 24', 'potential involvement lrp12', '512 f2', 'founder breed f2', 'chromosome 18 affecting', 'heavier ham', 'type urokinase type', 'panel ass level', 'population affect power', 'boar skatole produced', 'large genetic variability', 'related innate immunity', 'effect distal', 'sheep south', 'significant difference score', 'longevity trait', 'polymorphism snp quantitative', 'software total', 'diarrhea piglet colonizing', 'population genetics', 'weight additive dominant', 'associated female fertility', 'observe effect', '150 210 bf', 'possible incomplete', 'chicken breed', 'trait gwas', 'gene imf accretion', '88 single nucleotide', 'indicating feather pecker', 'erhualian f2 intercross', 'maf 05', 'hamp_c 366 109g', 'factor process remains', 'rs20917091 slc6a4', 'status bone', 'production snp', 'vaccinated pig adg', 'virus mdv cost', 'half proviral', 'f6 pig', 'confirm vrtn positional', 'genotype available subset', 'major danish', 'genotype frequency', 'resistance knowledge', 'approach detecting', 'peaked snp', 'explained 53', 'animal nucleus', 'region pinpoint dna', 'igf2 intron3 g3072a', 'sheep evidenced', 'hydrolases strong', 'result ld', 'small large', 'shown suggest commercial', 'bmd significant', 'assay using', 'unexpectedly small confidence', '33 subcutaneous fat', 'opn position', 'examine extent linkage', 'population conclusion study', 'introduced tth111i separately', 'snp il', 'assumed qtl', 'british yorkshire pig', 'indicates trait genetically', '649 f2', 'effect halfsib model', 'additive effect located', 'experimental design aim', 'moderately heritable ranging', '41 day intestinal', 'actually provide solution', 'heritabilities reproduction differ', 'iii favourable', 'sheep explains variation', 'slaughter subcutaneous', 'number relationship sparse', 'associated endocytosis', 'trait 105', 'snp sexual chromosome', 'industry lead premature', 'vivo ct measurement', 'breeding method total', 'position 3481bp', 'breeding farm namwon', 'insulin growth factor', 'chromosome 27 experiment', 'significantly represented', 'age 300 day', 'snp07 exon', 'validated representation', 'level discovered', 'trait heifer', 'diagnostic test', 'implied polymorphic locus', 'kingpin bornfeb 13th', 'difference taurine', 'qtl breast meat', 'femur length area', 'selected respect', 'available bodyweight', 'g32e conserved functionally', 'length 2630 cm', 'recombination breakpoint analysis', 'sfa respectively', 'pig percentage variance', 'allele varied', 'bta23 included', 'region bone related', 'pedigree information using', 'ul uterine', 'black mashen', 'realistic cross', 'data f2 resource', '50 000', 'kbps region', 'sequence analysis parental', 'general taurus', 'inheritance sheep', 'nr investigated', 'possibility study', 's0008 high informativeness', 'successively included', 'breed objective', '65 sd', 'cattle aimed', 'inverse pcr', 'confirmed following', 'significant statistical relationship', 'qtl detected 17', 'organization formation myeloid', 'bwt 205 adjusted', 'threshold chromosome', 'heterozygous male', '230 bp snp', 'qtl effect nte', 'trait formed', 'progeny 525', 'flock jordan study', 'new major', 'heritable arachidonic acid', 'flavor metabolic index', 'using 856k imputed', 'region overlapped trait', 'available 44', 'gdf9 bone morphogenetic', 'test drop', 'loin primal cut', 'association acsl1 gene', 'estimation variance', 'number piglet born', 'discover region', 'weight egg laid', 'harbouring close qtl', 'a65188c t65444c', 'paternal line hamb', 'gwas thyroid hormone', 'animal set', 'large effect qtls', 'observed age', 'previously associated nematode', 'additional gene bta19', 'sheep identified significant', 'kinase play', 'density prl', 'type 80 vaccinated', 'variation cattle possible', 'separately specie nematode', 'gwas convenient strategy', 'association significant', 'aim detect association', 'similar line hg', 'lowered fat deposition', 'adl328 developed', 'mineralization adipose tissue', 'litter sow', 'predicted associated', 'sd 018 pedigree', 'performed numerous breed', '548 artificial', 'bf gene coding', 'responsible dilution', 'oleic 18', 'pco2 po2', 'echs1 gene', 'crim1 atrn gsdmc', 'using analysis study', 'detected backfat', 'deviation unit', 'cm selected', 'analysis using gene', 'acid concentration highly', 'fat tissue cdna', '28 10 05', 'bft rib eye', 'analysed individually', 'ppargc1a excluded', 'heritabilities polygenic', 'effects qtl', 'transcriptional regulation gene', '350 individual', 'inhibits transcriptional', 'bearing libechov minipig', 'qtl cw cw', 'oar 12', 'wide association growth', 'lr afe heritability', 'indicated tcap', 'ass influence', 'pig experimental animal', 'analyzed separately combined', 'pietrain large', 'family significant linkage', 'association cebpa', 'designed mapping', '50 ssc2 ssc12', 'allele 5990', 'improvement duroc', 'production trait somatic', 'fertility trait snp', 'increased indirect selection', 'white leghorn strain', 'snp gene regulate', 'mbd5 ubr2', '15 snp suggestive', 'respectively contrast using', 'outcome identified validated', 'feed intake 05', 'trps1 006 upregulated', 'excludes linkage', 'marbling cmar score', 'particularly indicated', 'sequence variation imprinted', 'contrast association result', 'motility sperm concentration', 'fat trait', 'considered validated representation', 'permutation used', 'qtl linkage analysis', 'descent coefficient sib', 'box protein transcription', 'variant identified small', 'aca haplotype based', 'respectively furthermore', 'cbs protein genotype', '50k beadchip growth', 'pleiotropic effect fitness', 'test fbat', 'identified kyoto encyclopedia', '09 conclusion', 'pig population examination', 'excellent model', 'best associated', 'significant gain accuracy', 'tropical composite population', 'estimated genomic marker', 'end chromosome sire', '110 126', 'erb b2 receptor', 'quality trait conclusion', 'mir 1657 growth', 'targeted molecular', '19 haplotype effect', '436 genotyped', 'model significant snp', 'important factor osteoporotic', 'molecular marker used', 'rate declining', 'kb retrogene', 'design applied thousand', 'making higher resolution', '15118683c 15118951g significant', 'conclusion knowledge genetic', '241 snp associated', 'marker analysis method', 'lea identified pig', 'ass association carcass', 'chromatography expressed mg', 'tgfbr1 marker pig', 'body length bl', 'objective dairy cattle', 'polymorphism potential causal', 'observed different chromosome', 'pcr amplification sequencing', 'using backcross', 'objective feed consumption', 'weight day', 'anxa9 slc27a3', 'aries region oar', 'current research total', 'culture large number', 'individual locus', 'previously identified microsatellite', 'map limited coverage', 'microsatellite marker spanned', 'growth mechanism impairing', '649 significant snp', 'model strong', 'showed mutation created', '70 84', 'host immune', 'stage egg', 'heifer trait heifer', 'type trait milk', 'response way', 'architecture trait quality', 'method collected muscle', 'odour main compound', 'shed light molecular', 'asp298asn association', 'pathogenesis woman', 'day age respectively', 'selection scheme quality', 'digestive dairy', 'divergently selected lean', 't32742394c t32742468c significantly', 'collected sperm', 'equine oc connect', 'ncapg non smc', 'gene identified present', 'using targeted sequence', 'rs42670352 cckbr2', 'including cell division', 'principal component analysis', 'maternal component', 'analysed data', 'polymorphism combined', 'production male fertility', 'resistance parasite good', 'compared naïve animal', 'potential target artificial', 'previously gtl2', 'evaluation strongly', 'explain variation trait', 'apply method', 'linked feathering gene', 'a455g a497g', 'rt201 susceptible', 'simmental italian holstein', 'sire ranging adjusted', 'produced 497', 'consisting 301 piglet', 'affecting complex', 'fabp3 lipe', 'osteoporosis human', 'hampshire pig commonly', 'haemonchus contortus consecutive', 'grandsires genotyped genome', 'method established step', '238 bp coding', 'measured individual elisa', 'probability method', 'utr utr', 'st kilda', 'useful industry', 'distinguish pleiotropic linked', '020 individual 19', 'casein milk', 'cwt commercial hanwoo', 'danish duroc boar', 'qtl likely located', 'european line addition', 'interval mapping qtl', 'mo genetic region', 'semen volume sperm', 'reduced susceptibility bovine', 'population strongest association', 'chinese indigenous meishan', 'genotype conclusion finding', 'coq9 egfr', 'trait association 66', 'approach identified 72', '14 significantly', 'respectively forced pcr', 'rad51c birc6', '528 amino', 'period overlapping generation', 'tc lower mean', 'parity similarly qtl', 'haplotype tended', 'level discovered linked', 'normalized phenotypic variance', 'development ldha', 'primary porcine adipose', 'ar analysis', 'bwg lower fcr', 'trait detected bta1', 'broiler sire baier', 'bending test torsional', 'protein ligase complex', 'microchromosome 16 strongly', 'protein transacylase', 'genomic region regulating', 'homozygous 1111a', 'osteochondral lesion available', 'pig chromosome 4q', '05 haplo', 'model ridge regression', 'bp indel 48476943_48476946insggc', 'marker analysis performed', 'androstenone validate', 'gene contain significant', 'snp porcine tgfbr1', 'response level opn', 'study aim', 'taken parity', 'hyperpigmentation phenotype', 'shank claw weight', 'effect qtl epr', 'total 6173', '129 microsatellite', 'experiment compared', 'located 29', 'reported relate hematological', 'marker haplotypes conducted', 'dwarf horse', 'microsatellite based genome', 'using line', '01 snp independently', 'determinant variation', 'identical descent', 'marker test', 'taint fertility deleterious', 'imprinting status dlk1', 'significant predictor corticosterone', 'management practice', 'protein angus', 'using local population', 'receptor oxytocin', '05 chromosome', 'weight uterine horn', 'deviation locus localized', '64 microsatellite marker', 'gene bovine reported', 'model cmlm', 'parity canadian ayrshire', 'protein protein', 'rate somatic cell', 'expression genetic', 'resulting missense', 'spectrometry 724 meat', 'corresponding scenario rf', 'detected using ldla', 'day gestation difference', 'scan large', 'androstenone result total', 'fat intramuscular', 'region multiple significant', '39 438', 'ph24h shear force', 'analysis showed locus', 'documented negative', 'identified increased 13', 'variant superior growth', 'greater bw70 lower', 'mapping prkag3', 'estimate 47 95', 'approach dairy', 'model controlling systematic', 'finnish yorkshire', 'dcd pm multiple', 'indicating small notable', 'lw pig cortisol', 'analysis identified', 'explained 49', 'rflp technique', 'region biological function', 'suggested 10 functional', 'disease incidence offspring', 'effect 02 phenotypic', 'rectal temperature gga1', 'parameter confirming', '550 day age', 'subtypes af', 'analysis showed allele', 'distinct akr1c gene', 'increased fitness breeder', 'selection proposed mitigation', 'construction evaluate', 'polymorphism occurring seed', 'hu sheep', 'embryo anxa10', 'positive molecular', 'controlled pleiotropic', 'effect report microsatellite', 'pax3 expressed', 'ram design provided', 'region smaller effect', 'revealed mlnr med4', 'medial suspensory', 'qtl glycogen', 'showed nominal', 'locus remained significant', 'quality trait prkag3', '10 probability 14', 'trait values', 'using standard', 'abdominal fat weight', 'confirmation study increase', 'contribution variant', 'domestication qtl', 'calf impaired growth', 'ranged 54 carcass', 'bull canchim zebu', 'individual paternal half', 'spink5 slc26a2', 'bw70 lower', 'epidermal integrity immune', 'nelore breed', 'affecting body composition', 'sample stallion', 'fat bf loin', 'untranslated region 630', 'weight 49 bw49', 'litter better understand', 'imf breeding value', 'tex14 pebp4 significant', 'performance quality', 'primary cause', 'specifically important early', 'size subjectively assessed', 'location identified correspond', 'underlying trait potentially', 'clinical clinical', 'effectively narrowed associated', 'agent boar', 'area marbling score', 'frequency intronic', 'growth bovine', 'max respectively', 'approach chromosomal region', 'chromosome 62 cm', 'population examined segregation', 'variation individual', 'concentration trait', 'casein kappa', 'revealed 38819398g mutation', 'deposition relevant mammalian', 'component commercial tissue', 'recent horse', 'efficiently improve trait', 'track inheritance high', 'bovine bmper gene', 'mb addition', 'population consisting 100', 'sheep goat', '211 hanoverian warmblood', '321 milk detect', 'age bw55 generated', 'model bvs', 'yield 002 snp', '100 resistant 200', '350 individual phenotypic', 'correction genome wide', 'girth qtl genome', 'feather length breed', 'information combing linkage', 'weight year old', 'cc genotype 05', '05 significant effect', 'soay sheep genetic', 'approach used identification', '436 759', 'locus chromosome 13', 'bta26 mgmt', 'sheep 11', 'polymorphic locus', 'mass index', 'trait underlie', 'individually additionally', 'ema silverside percentage', 'analysis offered', 'injury pathological', 'power fixed mixed', 'gene analyzed genomic', 'background trait', 'sge compared background', 'zbtb38 body measurement', 'anka chicken', 'breed presented boar', 'bta 82 cm', 'calf gestation', 'characterization qtls', 'detected bmp15', 'rs400827589 used', 'piedmontese allele bh', 'infection objective', 'bonferroni correction sixteen', 'evaluation deregressed', 'analysis snvs', 'algorithm derive', 'le exploratory behaviour', 'effect carcass trait', 'fat total 153', 'growing public', 'affecting fat deposition', 'horse racing performance', 'likelihood estimation', 'test end', 'background genome sequence', 'affected research', 'study overlap identified', 'qtl including', 'snp slc39a7', 'detected ssc7 qtl', 'discussion result replicate', 'fat content chromosome', '251 marker average', 'small number domestic', 'used detect chromosome', 'variation breed cattle', 'adg genetic', 'breeding imprinted locus', 'single family', 'estimate qtl', 'capacity 70', 'animal known promising', 'variant fasn', 'glp1r gene qtl', 'mgll identified showing', 'codominant inheritance', 'instron force', '875 fish 196', '32 measure correlated', 'high density bovine', 'selection improving', 'aimed making', 'study ldl2 rs330779504', 'provide human', 'atg porcine cytochrome', 'transfection bend cell', 'sc 05', 'conducting case', 'genotype result', 'multitrait qtl', 'combining association', 'score study', 'aggression moderately', 'mass qtl specific', 'result suggest network', 'gh1 md resistance', 'chicken family', 'regard outbred', 'drd1 achieved overall', 'exclusively gga1', 'sheep known strong', 'blue shelled egg', 'panel accounting effect', 'epistatic qtl analysis', 'higher expression level', 'origin dependent effect', 'variance dataset 05', 'component provide', 'date tbg genotype', 'hanwoo beef', 'combining gwas result', '01 g840327c', 'gene network pathway', 'influenza antibody', 'chromosome trait additional', 'treatment record bovine', 's18n variant', 'desired purpose', 'resource fine mapping', 'weight long yearling', 'located important', 'containing 17', 'giving 16 cm', 'method new', 'different significant marker', 'fp protein percentage', 'used marker sheep', 'typed geneseek', 'important role physiological', 'reactivity measured', 'included 32 affected', 'stimulates reproductive', 'umd genetic', 'carcass quality characteristic', 'analyzed relationship vrtn', 'indicated rs14657336 rs13684613', 'model 12 genome', 'caused slight', 'increased knowledge', 'ranged 73', 'cattle qtl region', 'overlap previous result', 'asian european', 'behavior evaluated', 'qtl region analyzed', 'testing using bootstrap', 'revealed inra', 'male f2', 'frequency 136 qtl', 'genetic effect milk', 'linked qtl chromosome', 'mechanism heterosis', '205g substitution', 'ncor1 addition', 'degree white black', 'qtl analysed', 'different association analysis', 'study screened', 'identify powerful candidate', 'investigated association seven', 'performed marker', 'mcp trait grouped', 'family comprising 348', 'area fat', 'cattle milk production', 'liver protein extract', 'comprised 251', 'trait fully understood', 'marker respectively deregressed', 'vaccination time point', 'evaluated genome', 'individual 22 individual', 'identify qtl contributing', 'mechanism responsible breed', 'landrace pl', 'issue relevant marker', 'ph24h qtl prkag3', 'significant snp ssc7', 'coli coagulase', '05 functional', 'explore suite novel', 'thirty qtl mb', 'pattern consistent breed', 'defined qtl cm', 'marker genotyped separate', 'analyzed relationship', 'jersey cow bta14', 'combination haplotype based', 'l1 insertion', 'state são', 'highly heritable cis', '23 82', 'nc_007316 mutation', 'eqtl region observed', 'seven locus showed', 'family sampled germany', 'order identify association', 'population resource snp', 'slaughtered carcass chilled', 'resource population corresponding', 'score sc danish', 'bpi exon', 'architecture gene', 'inheritance ti', 'suggested panel', 'model direct', 'minor allele locus', 'demonstrated correlation', 'qtl supported result', '48e 07', 'qtl lm qtl', 'approach data included', 'selecting breeding', 'region 630 kb', 'biological process including', 'qtl epistatic', 'performing selection', 'qtl adg', '276 novel', 'body foot breast', 'qtl mapping report', 'animal discussion', 'gbp1 average', 'target marker', '87 good', 'primary trait 11', 'use allergen', 'gwas applied', 'linkage warrant genotyping', 'mfi fat mar', 'coccidiosis used fine', 'gonadotropin signaling', 'model age', 'nearest 26', 'specific observed', 'ssc6 f2', 'stat6 gene bovine', 'conducted fwec', 'polynomial order', 'allele descending lean', 'aj885515 445t', 'score sc breed', 'analyzed variation detected', 'research ma', 'alpha identified', 'variant observed', 'occurred earlier equivalent', 'region corresponding', 'previously prior', 'trait immunized', 'unique genetic', 'analysis associated', 'marker understand', 'opn milk protein', 'fasn t1952a', 'transcription factor including', 'segregation identified qtl', 'lean cut', '105 marker carcass', 'qtl resistance gastrointestinal', 'quality pork', 'relating female fertility', 'size fl', 'using information greater', 'underlying non', 'region bta6 bta21', 'original sire', 'locus pcr based', 'gene significant', 'negative selection milk', 'information linkage disequilibrium', 'american angus', 'feed intake 200', 'myostatin allele', 'col1a2 gene', 'significant moderate high', 'seven bovine breed', 'influencing lipid metabolism', 'abhydrolase domain', 'involved immune', 'narrowed sharply small', 'qtl kb', 'data em algorithm', 'cow 05 level', 'chicken 21', 'model different', 'research required determine', 'feed efficiency 49', 'breed group test', 'detect validate', '39 meat', 'material analyzed candidate', 'yield heterozygote frequency', 'based study define', 'bta1 13 14', 'bta27 83 10', 'country source genetic', 'probable model', 'cloning causative gene', 'ih breed selective', 'novel previously', 'single multivariate model', 'region service', 'locus mb', 'population comprised half', '34 snp', 'capacity telomeric end', 'loss shear force', 'screening experiment including', 'effect decreasing', 'random selective genotyping', 'derived significantly', 'beadchip 770 snp', '049 56 kg', 'distinguish ff qtl', 'parasite evolution wild', 'qtl associated 18', '06 83 2009', 'weight pbw pregnancy', 'prkag3 fasn', 'qtls harbored 26', '588 128_79', 'qtl identified nx6', 'standard score 12', 'illumina 60', 'danish holstein cow', 'disequilibrium qtl mapping', 'variation milk', 'complete linked', '1987c fixed', 'component fasn', 'texel population map', '16 snp distributed', 'flanking intronic sequence', 'liver serf', 'significant cutoff', 'trait 153', 'total 201', 'kosher status putative', 'analysis combining', 'breeder selection', 'analysis showed single', 'phosphorus concentration fitting', 'similar line', 'concentration measured subset', 'ionization time flight', 'tissue development', 'breed overall', 'suggests association gene', 'daughter ranked dam', 'period animal management', 'squares method total', 'rainbow trout backcrosses', 'calculated using', 'bovine milk casein', 'trait increase', 'favorable pleiotropic', 'response stress highly', 'weaning bw', 'ecf18r gene significantly', 'population opn', 'mastitis typical', 'snp rate', 'outbreak affected commercial', 'total 15', 'apolipoprotein ii apovldl', 'initial genome', '88 mbp chromosome', 'genomic marker', 'constructed confidence', 'exon 17', 'experiment approximate daughter', 'tnb method single', 'bull fertility reported', 'white srb danish', 'dataset result', 'genotype 2708', 'sex controlled', 'peak region', 'sixteen gene', 'associated percentage palmitoleic', 'cathepsin key enzyme', 'cm gga1', 'autosome previously', 'production trait increasing', 'effect reproduction chicken', 'prkag3 mutation', 'putative qtl pathogenic', 'using similar strategy', 'young animal', 'snp 528', 'data map locus', 'data filtering', 'indole snp', 'contained predicted deleterious', 'implicated development', 'bone mass result', 'day cattle', 'conclusion genomic architecture', 'gwas feather pecking', 'applied infectious', 'number corpus', 'disease jd caused', 'region mapped previous', 'cluster identified apd', 'genetic basis fitness', 'indigenous chicken population', 'novel mutation', 'chromosome wide cw', 'program commercial population', 'associated trait explained', 'beginning snp ssc1', '28 identified', 'offer advantage enabling', 'performed 331 backcross', '01 additional marker', 'failed maternal behavior', 'infection specifically sytl3', 'line genetically distinct', 'tfn kndc1', 'born parity', 'new snp reported', 'cross chicken provide', 'hormone proposed', 'role early development', 'associated reproductive phenotype', 'gene including gonadotrophin', 'markov chain', 'chromosome close previously', '480 animal used', 'eqtls identified', 'phenotypic variation', 'potential functional candidate', 'acid content', 'technique g162c', 'cm1 second', 'gene provide', 'development gene potential', 'imf pork unveil', 'significant association untransformed', 'inducing dff45', 'snp remaining quality', 'value objective continuous', 'application dna marker', 'resource generated targeted', 'cmlm total', 'neurotransmitter like', 'data reanalyzed', 'explained additive genetic', 'pattern atp5b similar', 'association study egwas', 'control bull lipidome', 'intramuscular fat ph24h', 'selection increased litter', 'effect mainly evident', 'production examined effect', 'fatty acid c20', 'presence underlying genomic', 'syndrome cattle', 'modulating expression 19', 'weight explained small', 'current understanding', 'canada reproductive disorder', '147 single', 'detected number', 'coincided previously identified', 'htr5a gene known', 'information enhance understanding', 'receptor d4 gene', 'signal using', 'gene sbno2 polycerate', 'popular tanzanian local', 'animal 385', 'data introduced', 'significantly differed', 'sheep 001 association', 'efficient marker assisted', 'immunity significant', 'derived oh', 'structure pig', 'acid fatty acid', 'presence l1 insertion', 'breed 243 sweden', 'snp snp computer', 'data rna', 'family recently', 'codon encoded', 'identified 16 qtls', 'lung gender affect', 'larger loin muscle', 'fast multi', 'including domestic', 'snp linkage', 'ssc 10 selected', 'af 3000', 'indicus cattle identify', 'ppara mrna', 'cab castrated boar', 'limousin lm', 'using 10 view', 'southern chinese pig', 'allele revealed', 'relationship boar taint', 'associated kyphosis', 'rfi position similar', 'chromosome ssc qtl', 'toxoid tt', 'region relatively', 'bovine hamster radiation', 'feather width', 'trait measured following', 'bacterial load 004', 'production current breeding', 'pedigree difference', 'detected gwas', 'study body index', 'ag ga ct', 'bta5 00', 'weight skin weight', 'milk casein', 'score half sib', 'animal endangered', 'snp sire addition', 'anova model', 'difference growth rate', 'reported study genomic', 'regarding gene', 'pig showed', 'locus affecting breast', 'recording tumor status', 'line fayoumi leghorn', 'mb bta14 23', '01 association study', 'step variation functional', 'factor influencing muscle', 'separated fat pig', '16 20 24', 'significantly interacted', 'curve parameter', '163 evenly spaced', 'association gwa partitioning', 'chromosome ssc2 10', 'snp missense mutation', 'general population maximum', 'investigated obtained dual', 'laying finding', 'result recent population', '01 snp3 snp64', '139 genome', 'bone size', '381 219 north', 'dorsi ld', 'trait examine possibility', 'pa sire le', 'mixed effect model', 'role cell differentiation', 'new modeling entire', 'genotyping sequencing', 'genome significant 38', 'female animal method', 'pcr rflp association', 'genetic background advanced', 'behavioral phenotype', 'effect cbg parameter', 'scan 14 economically', 'remained 40 significant', 'polymorphism snp marker', 'information collected', 'evaluated snp', 'nonparametric linkage npl', 'region harboring interesting', 'snp ssc1', 'questionnaire set 216', 'approach combine information', 'rxrg sdhc orthologous', '349 gene 42', 'genotype significant increase', 'little known porcine', 'fo like', 'selected 24', 'muc13a diverse', 'white thinning', 'ssc dfi', 'temperament key criterion', 'suhuai pig breeding', 'pfts condition', 'mortality role maternal', 'covering approximately 63', 'flavour previously identified', 'redness cie', 'defense milk', 'significant hit uncorrected', 'snp rs42670353 associated', '11 sire', 'actn2 plxnd1 dlx3', 'atresia unaffected', 'adjusted weaning', 'trait related boar', 'homozygote culled reproduction', 'variance epistatic', 'undesirable smell', 'recently fast', 'derived reciprocal cross', 'acid category saturated', 'qtl mainly additive', 'bta21 putatively', 'index using estimate', 'involving multiple gene', 'snp genotyped 411', 'sheep rhm powerful', 'infection specie', 'area marbling', 'squamous cell', 'oar14 confirmation', 'biological mechanism metabolic', 'necessitated statistical', 'order account', 'polymorphism amplicons sequencing', '18 mb window', 'breed 5678784a', '98e 06', 'identification underlying gene', 'association gwa study', 'seven hematological', 'predisposition boar taint', 'en significantly', 'chromosome white duroc', 'inclusion 39 snp', 'affected clinical', 'associated difference dairy', 'milk yield 247', 'network significantly higher', 'cow used milk', 'pig genotyped various', 'ab genotype order', 'crh promising', 'suggested necessary', 'precursor micrornas', 'total cholesterol', 'detected parental line', 'deviation bonferroni adjusted', 'qtls water', 'growth selection breeding', 'performance 11 enzymatic', 'welfare law', 'value productive trait', 'linkage disequilibrium mutation', 'ranging size', 'calving interval ci', 'pig inverted teat', 'study mammalian', 'half individual lobe', 'bp brangus cattle', 'pleiotropic effect direct', 'ld adg 857', 'association ghrl', 'included protein protein', 'population genotyping', 'austria germany', 'questionnaire analysis using', 'selecting pig', 'region associated lma', 'cross strain', 'tc tc', 'aspect bovine carcass', 'dmi rfi qtl', '100 resource', 'analysis polymorphism', 'generation advanced intercross', 'variant organized', 'ucr1 ucr2', 'level milk', 'junglefowl ancestor domestic', 'previously detected experimental', '100 million', 'identify polymorphism pig', 'strong pleiotropic', 'data current', 'pervasive role', 'metabolic cytological feature', 'qtl clinical', 'black population', 'daily gain adg', 'born tnb corrected', 'candidate gene milk', 'colubiformis specific serum', 'nebraska lincoln unl', '14 14', 'frequency mutant', 'spontaneous melanoma melim', 'gene category gene', 'harbor gene responsible', 'predicted haplotype effect', 'mechanism associated subfertility', '161 microsatellite marker', 'pl plw', 'probability equal 05', 'tga statistical analysis', 'framework linkage map', 'ttl rgs1', 'affect egg production', 'used adjust multiple', 'date body', 'total 276 novel', 'corticosterone response investigated', 'ac regulatory', 'close swine', 'allele israeli', 'tested commercial line', 'bodyweight chicken chromosome', 'october year ca', 'analyzed trait permutation', 'chromosome 10 12', '41 427 informative', 'f2 population used', 'related pig evaluated', 'location large greater', 'characterization genome', 'conducted using 1187', 'plink version', 'strategy increase', '54567459 ssc11 33043081', 'established marker bulge20', 'phenotypic variation natural', 'identified nsb mum', 'avpr1a targeted experiment', '20 year using', 'cl2 rib number', 'wide significance lod', 'deleterious variant', '18 qtl detected', 'effort needed confirm', '23 ubiquitin protein', 'utilization bone development', 'ultimately meat quality', 'costly poultry', 'considerable number', 'frame size height', 'receptor ryr1', 'marker haplotype qtl', 'examine additional marker', 'comprised cross sire', 'number repeatedly', 'lg bb', 'population 09 conclusion', 'gene biological pathway', 'chromosome showed genome', 'present map4k4', 'prp genotype pedigree', 'factor fatty acid', 'cross population', '10 italian holstein', 'trait human model', 'framework carry', 'qtl analysis carried', 'carrier male 22', 'performance breeding animal', 'constructed interval mapping', 'marker poorly', 'qtl qtl 16', 'gonasomatic index region', 'european breed', 'approach use transcriptome', 'tg 190 day', 'prkag3 ile199val i199v', 'influencing md resistance', 'gene identified detected', '25 cm 01', 'hairy gene cattle', 'effect androstenone concentration', 'population average', 'gene encoding nudix', 'status proviral concentration', 'bw bw gain', 'ex fabp', 'regulated ebpβ', 'chl phenotype', 'revealing qtl undetected', '29k transcribed snp', 'birc6 tex14', 'investigated ad genotype', '24 snp evaluated', 'weight total genome', 'using findhap software', 'growth associated darker', 'ketosis clinical', 'acting amino acid', '50 generation today', 'genotyped massarray', 'count milk trait', 'bovine result', 'family 96 family', 'loss kera associated', 'waist 05 average', 'linked quantitative', 'demand fine', '12 marker', 'significant snp', 'presented boar', 'feature involved', 'known influence ph24h', 'potential effect meat', '178 study', 'role major', 'snp near', 'gene dpp6 dipeptidyl', 'percentage considered', 'number iteration computation', 'appeared beneficial genotype', 'grading dissection', 'analysis mln revealed', 'sp scan 117', 'mapped use', 'protein milk order', '53 phenotypic', 'studied resource', 'conexão delta breeding', 'level 15 qtl', 'selected gene', 'adjusted sd', 'progeny testing scheme', 'raw phenotypic data', 'production trait propose', 'gga16 19', 'cm bta', 'host protein involved', 'mapping quantitative', 'breed identified substitution', 'improvement complex dairy', 'following criterion', 'inherent expression', '115 window', 'trans acting eqtl', 'associated cmya1', 'region significantly affect', 'syntenic est marker', 'content fixed', 'provided evidence major', 'applied commercial', 'related backfat thickness', 'trait allele associated', 'horn scurs addition', 'containing 62', 'higher body', 'meat characteristic used', 'pph pch', 'refining trait', 'snp trait similar', 'relevant pathway linked', 'hydin lrguk', 'model residual phenotype', '05 concluded identified', 'elovl3 gene', 'genotyped sample', 'independently associated mt', '0001 03', 'confirmation discovered snp', 'marker showing association', 'training period male', 'premature retirement animal', 'used analyse dlk1', 'proof causality previously', 'numerous individual', '34 mm', 'approach snp', 'affecting curve parameter', 'duroc pietrain dupi', 'individual coming backcross', 'regulation growth developmental', 'error rate trait', 'effect fabp', 'sport horse breed', 'cow total 529', 'breed lr unfavorable', 'joint leg', 'cattle genome', 'confirmed qtl genome', 'total 96 baluchi', 'load pig challenged', 'supported analysis', 'slc52a3 riboflavin', '70 70', 'design addition', 'gene responsible metabolic', 'chicken improved genetic', 'ovine chip', 'region abdominal fat', 'gene mastitis susceptibility', 'measure lameness related', 'heritabilities genetic correlation', 'breed hap1', 'tick salivary gland', 'trait conducted 10', 'methodology showed', 'composition profile important', 'mucus biosynthesis', 'concluded 11', 'total 22', 'mapping experiment', 'mechanistic understanding resistance', 'causative variant fcr', 'time point', 'hf sf', '16 cm average', 'chromosome explained', 'variable selection model', 'elucidated tissue remodeling', 'snp site bovine', 'fat hcw', 'genotyping result showed', 'segment extended homozygosity', 'containing body weight', 'lc model using', 'analytical model mbv', 'chosen hanoverian', 'allowed lamb', '05 alga0057985 chromosome', 'negatively related', 'genome partitioning analysis', 'study stratified population', 'genomic variation natural', 'reveals spot', 'series genome', 'objective aim study', 'objective study ascertain', 'period received', 'separate infection trichostrongylus', 'milk production lg', '37 se', 'identified increase marker', 'upstream mir', 'vitamin receptor transcription', 'management especially nutrition', 'growth affected', 'variance sample', 'rs315135692 favorable lower', 'parental pig', 'acid variant', 'kidney pelvic', 'c4535156t g4533675c', 'variation population epistatic', 'broiler mean reached', 'muscle adipose dna', 'identified promoter', '0457 0001', 'bull precisely', 'semen characteristic', 'mapped fatness trait', 'effect 05', 'homology rhogef domain', 'rs134702839 rs109551605 rs41639155', 'regression environmental', 'tissue liver kidney', 'ube3b protein mutation', '35 42', 'program especially jinghai', 'member lhfpl', 'female fertility 95', 'yearling height xkr4', 'affect parasite', 'axis activity breed', 'maybe play critical', '69 acted', 'piglet swine chromosome', 'point candidate gene', '857 532', 'ssc2 ra', 'chromosome showing gene', 'qtl eca18', '10 value', 'olig1 olig2', 'gene putatively associated', 'foot improve', 'efficiency performance trait', 'phenotype gradient slice', 'mainly family', 'iberian landrace intercross', 'lod effect 02', 'spawning date', 'consecutive snp chromosome', 'density lipoprotein serum', 'epistatic pair qtl', 'growth stage breed', 'leanpc fat lean', 'level differed', 'aim genome', 'challenge faced', 'conclusion trait', 'lactation period seen', 'number genome', 'animal model', 'chicken 600 affymetrix', 'bovine milk method', 'ibd approach offer', 'cattle important', 'regulation proliferation differentiation', 'stimulation appetite regulating', 'mt reported', 'indicate combined analytical', 'presence ssc6', 'development partly preventing', 'ex12 snp int11', 'group derived', '067 association', 'ng tt', 'faecal worm egg', 'ssc12 mb exhibited', 'retp respectively moderate', 'culling rate sow', '24 trait', 'concluded gene', 'long chain', 'nsb mum', 'animal exhibited heterozygous', 'reveal qtl detected', 'msh homeobox lhfpl', 'puberty lifetime', 'map new', 'trait defined progesterone', 'understand effect host', 'demand trait economically', 'lean bird subtypes', 'fbln5 pcnx additional', 'contributing tenderness 05', 'prospero homeobox', 'overall obtained', 'chromosomal region qtlr', 'putative lethal common', 'genetic test', 'behaviour beef', 'partially sex', 'association sensory', 'result expressed', 'blupf90 family program', 'similar result', 'ssc4 genome wide', 'allele different', 'spaced snp pig', 'additional marker chromosome', 'body depth signal', 'clinical subclinical ketosis', 'direction qtl effect', '248 sow', 'qtl specific feather', 'broiler finding useful', 'new splice', 'vitro leukocyte function', 'animal rate 90', 'trait far porcine', 'carcass phenotype', 'focused genomic structure', 'blood reflects immune', 'dj total', 'study ssgwas identify', 'independent sample sample', '11 large japanese', 'born seven', '29 34 mbp', 'cleaving beta', 'dual luciferase', 'result microsatellite marker', 'sortilin related vps10', 'tested using', '11 different porcine', 'glu total', 'gene imf', 'fat content 01', 'detect qtl segregating', 'level analysis revealed', 'navicular disease hanoverian', 'concentration live animal', 'egg quality chicken', 'decreased reproductive', 'enabling modern breeding', 'study used pig', 'effect type trait', 'stationary performance', 'abhd16b detected', 'mutation in1', 'collected dna', '11 chromosome region', 'collected 404 chinese', 'separation exposure', 'holstein 500 jersey', 'structure defined', 'effect live', '16 03 rft', 'glucose autophagy soga1', 'explore candidate', 'f4ac 718', 'color measurement', 'using approach accurately', 'volume loin muscularity', 'casein milk measured', 'region predicted contain', 'seq data detected', 'mongolia sheep 001', '05 data', 'genotype challenged fish', 'clspn suggested', 'mc4r useful', 'eqtl colocolizated pqtl', 'effect trait separately', 'effect dystocia direct', 'assay radiographic data', 'older bull val', '194 marker', 'distance cm marker', 'flanking region utr', 'objective study polymorphism', 'gene mutation', 'acid share', '20 time', 'rfi qtl significant', '05 descending order', 'geneseek80k platform', 'il 91508173c locus', 'described candidate', 'gwa analysis comparison', 'identified 11 surpassed', 'receptor gamma pparg', 'meta analysis 38', 'allowed fine', 'analysis evolutional', '58 week allele', 'ephb2 slc35a3', '416 significant snp', 'cattle report result', 'phenotypic variance observed', 'frame gene performed', 'haplotype 168', 'effect nte nve', '2015 breeding value', 'allowed comparison ryr1', 'new evidence genetic', '20 21 qtl', 'red maasai', 'pwh breed showed', 'rxrg sdhc', 'result suggest variance', 'novel indel', 'hsp90aa1 gene ovine', 'lesion count', 'map region gdf8', 'size trait carcass', 'japanese native', 'trait dgat1 significant', 'thickness effect', 'allelic effect estimated', 'infection nominal 10', 'significant snp c18', 'low suggesting', 'study refined previously', 'qtl sqsl1', 'mechanism allelic frequency', 'boundary linked qtl', 'cm 16 22', 'allele 80', 'data method', 'suggestive qtl c14', 'directly gene intron', 'pair 17', '05 overall combining', 'family unaccounted random', '947g single nucleotide', 'analysis pedigree', 'weight avlwt adjusted', 'plant harvested average', '57k genomic', 'polymorphism conferring nematode', '681 churra ewe', 'sire cow total', 'analysis 100', 'hw known', 'random qtl', 'dosed sheep compared', 'lactation leg conformation', 'pork method total', 'ga significant association', 'maf association result', 'integrity trait', 'size meat production', 'arm sscx', 'population shared effect', 'analysis result analysis', '14 informative confidence', '05 different based', 'snp performed', 'allele transmitted', 'refine map', 'seek verify feasibility', 'quality osteochondral lesion', 'powerful approach identifying', 'key factor', 'explore association', 'lasso prior', 'weighed birth 12', 'study used marker', 'expressed gene 18', 'cab liver tissue', 'using 14', 'coli etec k88', 'specific nh missense', 'genotype validated', 'immune capacity trait', 'lamb sire', 'trait estimated heritabilities', 'total 13 suggestive', 'imputed 777k', 'taurus autosome 19', 'snp positional', 'economic importance swine', 'comparison power', 'bp large 217', 'economic trait chicken', 'result suggest presence', 'architecture trait performed', 'loss capn1_rs81358667g', 'gwas strategy', 'snp major mb', 'substitution threonine acc', 'expression analyzed trait', 'larger number detected', 'gene withers height', 'wide level explaining', 'information highly valuable', 'population challenged haemonchus', 'gwa study using', 'bta 16 28', 'obtained different family', 'associated body mass', 'granadina goat genotyped', 'fv genotyped medium', 'ib cross addition', 'trait associated', 'quality qtl map', 'used perform association', 'compound 46', 'effects model linear', 'oar 14 previously', 'performance using', 'tick resistance developed', 'content indicated indirect', 'qtl model position', 'cn higher dh', 'illinois meat', 'control model', 'fetal tissue liver', 'promoter variant activity', 'used putative', 'genetically linked proactive', 'percentage association', 'bayescπ approach phenotype', 'score bcs distinct', 'evaluated simultaneously using', 'confirm fine', 'like sh3gl2 gene', 'reported smaller additive', 'polygenic variance mentioned', 'coverage qtl map', 'st kilda proof', 'intake dmi feed', 'composition phenotype consisted', 'usp32 lrpprc', 'associated rfi1', 'kb snp population', 'effect multivariate approach', 'encodes catalytic', 'comparison result based', 'cn lower dh', 'putative association snp', 'rfi rfi', 'canchim zebu', 'whilst qtl', 'parity test day', 'variation associated teat', 'cyclicity breed', 'infected flock', 'analyzed current', 'porcine snp60 chip', 'pork flavour', 'androstenone backfat', '14 affect fn', 'high density porcine', 'chromosome 162', 'aspect thermoregulation equilibrium', 'composite index marker', 'applicability genomic', 'region cl349415', 'area 06 average', 'known myostatin', 'gene involved 32', 'restraint test wide', '46 001 marker', 'marker rainbow', 'located bta 18', 'plasma result', 'analysis revealed gsk', 'score representing infection', 'goal work fine', 'value ebv footrot', 'cell line del', 'behavioural trait healthy', 'sheep industry', 'wh transmembrane', 'result using larger', '52 0003', 'breeding value indicated', 'eu second', 'epistases qtl', 'qtl localisation substantially', 'respect qtl population', '61 07', 'group lge22 crest', 'unable refute', 'trait supporting', 'prediction fe performed', 'finger transcription', 'dominance holstein jersey', 'taint fat sample', 'area lightness particularly', '183 kb chromosome', 'novel region associated', 'affected pp affected', 'commercialized cast', 'production trait meat', 'ovis canadensis horn', 'near region', 'traditional single', 'response prrsv determine', '45080335c changed', 'mapping population fine', 'selected region conducted', 'ssc4 ssc6 ssc10', 'study indicates importance', 'opportunity select', 'rate sheep dna', 'commercial pig immediately', 'snp metabolic trait', 'gene associated growth', 'marker dik2291 fine', 'significantly melanoma interaction', 'trait gave', 'crimp trait chinese', 'dataset nearly', 'meat milk fatty', '27 interestingly', 'individual snp analysis', 'matn1 cpvl', 'gene list', 'muscle backfat furthermore', 'selection boar taint', 'statistic exceeded genomewise', 'subsequently tested', 'trait pig feed', 'bta7 bta13', 'cited indicator resistance', 'snp regarded', 'facilitated access', 'gene locus significantly', 'brahman influenced cattle', 'genomic region 13', 'confirm finding', '12 major allele', 'male normal horn', 'production developed approach', 'acid composition adipose', 'igga iggb', 'remaining association', 'trait multiple trait', 'candidate gene result', 'line 174', 'level experiment wise', 'le 01 birth', 'inbred line md', 'genoprob association model', 'porcine autosome', 'haplotype pattern', 'porcine ldha copb1', 'snp associated py', 'hen genetic', 'overlaying information quantitative', 'using identity descent', 'il8 expression il8', 'impact intercept linear', 'angus cattle', 'percentage lysozyme', 'forward better characterize', 'population revealed substitution', 'substitution segregating small', 'qtl increased', 'relationship particular genotype', 'approach 10', 'line slow growing', 'tissue tumor', '96 giant panda', 'misdiagnosis possible', 'epistatic qtl mapped', 'sheep use single', 'trait lamb birth', 'pathway significant biological', 'snp associated direct', 'enriched mirnas', 'pig generated', 'age 240 day', 'association analysis detected', 'located bos taurus', 'sequencing result indicated', 'unfavorable pleiotropic', 'influencing udder', 'understanding mechanism', 'protein ptm form', 'ranging size 101', 'krüppel like factor', '62 mm', '265 parent', 'indicated sex', '24 transversions', 'mutation aim', 'genetic correlation age', 'characterized milk sample', 'breed high production', 'involved milk protein', 'content genetic', 'difference observed', 'growth using historically', 'remained low lactation', 'litter size control', 'poor growth performance', 'service pregnancy', 'suggest a868g used', 'used determine significance', 'chromosome 21 10', 'sire family linkage', 'cm 001 05', 'detected fabp4', 'general composite', 'male animal showed', 'sperm density', 'scan 117', 'based lod', 'genome qtl', 'information previously', 'conducted identify genomic', 'animal integrative analysis', 'sweep locus associated', 'variation key', 'model analysis thirteen', '40 monitored infection', 'abdominal fat genome', 'far gwas study', 'bin post', 'overall trait', 'nba heritability', 'sscrofa10 obvious candidate', 'affecting cm', 'adhesion test dna', 'chromatin modification developmental', 'oar3_115712045 oar9_91721507', 'set included 11', 'locus associated meat', 'architecture underlying chemical', 'bta25 teat trait', 'gene liver mainly', 'study identify qtl', 'effect akr1c genotype', 'type ii diabetes', 'array selected', 'tolerance defined', 'synthetic trait corresponding', 'mixed model regression', 'ssc6 149876737 body', 'autosomal quantitative', 'heifer bovine', 'challenging difficulty', 'genome sequencing coding', 'false positive genome', 'marker surrounding qtl', '1111a allele frequency', 'genotype mastitis', 'sow mapped', 'based haplotype block', 'contributing weight', 'f2 population new', 'su wld susceptibility', 'angus aa 17', 'bw wk age', 'significant qtl paternal', 'averaged heterozygous', 'described single qtl', 'na titer binding', 'probably act negative', 'breed previously identified', 'fourteen genome wide', 'included 12 intramuscular', 'concentration mchc mean', 'expression pattern lncrna', 'use bovinesnp50', 'bp region covering', 'reflects existence difference', 'brd morbidity', 'tissue 05 control', 'snp large effect', 'ssc1 detected significant', 'enrichment performed', 'protein gene associated', '242t predicted', 'bonferroni threshold', 'study based large', 'generation 71 parent', 'sequence porcine myog', 'uninfected ii', 'expression upregulated', 'scd1 fasn', 'skeletal muscle tentative', 'identified key', '1596 candidate', 'composition key factor', 'fatty deposition metabolism', 'family location', 'ldla used analysis', 'response reproductive', 'lra1 mapped', 'compared low', 'september october', 'locus significantly related', 'significant difference detected', 'neurochemical involved stress', 'line previous analysis', 'included 510', 'population identify quantitative', '15 18 11', 'individual response', '15 rhm', 'temperament factor', 'validated rf model', 'qtl adjacent known', 'area enzootic', 'lactoglobulin genotype', 'population trait data', 'cleavage result base', 'cm 22 cm', 'fertility detect', 'gain yr age', 'ssc10 ssc13', 'position qtl current', 'snp cox', 'area 001', 'smc condensin complex', '11 significant locus', 'mutation underlying effect', 'nipple number ovulation', 'trait future study', 'phenotype body', 'cattle danish jersey', 'associated reactivity', 'segregating breed', 'content australian lamb', 'candidate influencing afe', 'mdv infection switch', 'result obtained', 'deposition 10', 'egg afe egg', 'winter summer milk', 'yield coagulation', 'steer homozygous', 'basis major locus', 'process important olfactory', 'surface signal transduction', 'nordic red dairy', 'volume platelet', 'genotypic record', 'genome refined location', 'communication investigate', 'method approach enlarged', 'bta showed', 'efficiency classical', 'pedigree ranked relative', 'influencing bone', 'krtcap3 tspear', 'nature trait pig', 'alias myostatin', 'snp marker genotyped', 'prolificacy sow overall', 'interaction genome', 'pce related trait', '19 genomewide', 'coding region exon', 'strain brother', 'wise 10', 'sh pig containing', 'gene encodes γ3', 'pathogen specificity result', 'thickness analysed', 'density required', 'casein protein kinase', 'effect 14 trait', 'breed cattle', 'effect ssc5 androstenone', 'variance addition', 'bw yw', 'exposed increased', 'significant snp ssc2', 'problem mapping', 'background advanced', 'samtools used identify', 'development cell', 'significance effect functional', 'metabolism transported', 'identified polymerase chain', 'produced multigenerational', 'responsible overall', 'wide gw qtl', '866 genotyped', 'ifc abt 99', 'bms778 lod', 'method possible detect', 'production measure liver', 'product marketplace', 'dominant recessive model', 'population neaurp', 'data derived', 'fm horse breed', 'genotype significant association', 'py genome chromosome', 'signaling process', 'reported snp mbl1', 'function chicken paper', 'environment qtl consistent', 'placentomes study assisted', 'cooking loss respectively', 'highest multipoint', 'pedigree imqp qtl', 'condition score bcs', 'produced confirmed association', 'absence ascertainment bias', 'target weight', 'study detected novel', 'dissipation bird identification', 'opposite direction adipose', 'lactating cow confirmed', 'decrease onset sexual', 'provide basis', 'slc5a4 conclusion', 'south german draft', 'broiler line single', '03 016 tended', 'past study indicated', 'environmental residual', 'associated py', 'breeding little', 'value ebv average', 'selection increase power', 'yuxi city', 'etec associated higher', 'background oc includes', 'bft evaluate', 'ttc29 suppressor glucose', 'vertebral count', 'odc gene f₂', 'frequency low', 'background growth major', 'included window association', 'data heifer estimate', 'quantitative trait pig', 'signaling skeletal muscle', 'study based described', 'pig 1018 bp', 'applied detect polymorphism', 'antibiotic treatment sample', 'proximal bta14', 'meat area musculus', 'low rfi', 'phenotype framework', 'qtl characterized phenotypic', 'udder health status', 'family variance', 'lipogenic enzyme', 'consisted regressed estimated', 'mqts 531', '262 eqtls', 'double backcross', '794 observed', 'qtl age puberty', 'infanticidal sow', 'result revealed locus', 'rflp pcr based', 'serum elisa', 'economic relevance affect', 'challenge recorded resistant', 'tnfrsf1b plod1 nppc', 'process involved regulation', 'genome wide study', 'linoleic acid position', 'extreme importance evolutionarily', 'cholecystokinin receptor cckbr', 'fam110b thymocyte', 'grandparent genotyped', 'prlr haplotype reproduction', '79 snp identified', 'background produced multigenerational', 'array lipid metabolism', 'functional consequence', 'micrornas allele', 'plymouth rock chicken', 'statistic significant', '298 purebred ml', 'enterotoxigenic escherichia', 'rate nrdev', '68 mb mapped', 'important functional', 'occur period heat', 'analysis complex trait', 'breed availability sequence', 'female fertility japanese', 'strong gregariousness', 'addition additive', 'specific factor', 'polymorphism porcine il', 'detection model fe', 'bone using', 'goal evolutionary genetics', 'promising qtls detected', 'sector associated', '2010 2011', 'skeletal mineral egg', 'transport energy', 'abhd5 affect fat', 'defined qtl', 'identify network connecting', 'model high relevance', 'performance trait suggestive', 'mutation splice acceptor', 'dominant allele detected', 'pde4b lepr cyp2j2', 'associated genomic region', 'research aim', 'age f8 f10', 'beef cattle using', 'vertebra pig varies', 'inferred entire', 'ensbtag00000040351 prkdc', 'way candidate', 'determined based genotype', 'test genetic identity', 'bm7209 position', 'sequence western blot', 'backcross ewe extracted', 'selective genotyping design', '13 vf2', 'background like', '13 20 respectively', 'mapping performed', 'improve efficiency blup', 'weight loin eye', 'central porcine', 'acid muscle', 'snp effect trait', 'utr porcine mtpap', 'underlying variation immune', 'appears affect pp', 'difference qtl region', 'percentage total', 'combining information linkage', 'marker ma', '908 994', 'carora romosinuano additional', 'condition parasite', '03 estimated report', 'han sheep 01', 'snp parameter intron', 'thickness fat longissimus', 'trait composite', 'measure study', 'caretaker anecdote', 'mapped chromosome chr', 'traditional fertility trait', 'increasing evidence suggests', 'trait different time', 'deviation data', '586 genotype data', '29 fluorescent microsatellite', 'selected maternal trait', 'describes overall body', 'focused region showing', 'conclusion obtained using', 'linkage analysis information', 'density qtl eggshell', 'nucleotide position', 'caused low ph', 'chip genotyping genome', 'breed pietrain', 'experimental iberian', 'comparing opposite homozygote', 'addition observed', 'dam prolificacy model', 'describes result', 'analysis located', 'greater rump', 'eyelid abnormality', 'polymorphism slc39a7 gene', 'trait identified 59e', '03 corrected 06', 'mainly mb', 'transcript method regulation', 'heavy pig meat', 'effect pair indicate', 'published study lastly', 'allele respectively associated', 'test statistic exceeded', 'approach utilized', 'gin disease resistance', '455 value ranging', '26 week', 'difference concentration', 'located precursor chicken', '36 month', 'using low', '819 f2 pig', 'occurs prolonged exercise', 'breed wild', 'proviral load report', 'body weight 42', 'appearance trait 10', 'fcr specie', 'acid substitution pro192leu', 'substantially affect trait', 'substitution ala36thr', 'hh signaling play', 'significant qtls affecting', 'qtl distinct', 'ucp3 gene feed', 'bull prim', 'medicine identify major', 'analysis located region', 'aimed estimate', 'analysis snp promoter', 'separately previously', 'study included 7539', 'expression reported human', 'associated rfi 05', 'molecular background', 'map infection', 'method new marker', 'cyp2a19 sulfotransferases', 'rps6ka2 figf tgf', 'splenic cdna library', 'endocytosis development oocyte', 'gene important', 'measure principal component', 'genetics growth', 'male female sib', 'chicken shank length', 'pathway bco2 cleaves', 'marker intron', 'phenotypic variance analysis', 'population affect', 'genetic mutation significant', 'type immune response', 'accounted 50', 'disease greatest', 'sample breed', 'bird involved pathogenic', 'tubular diameter 90', 'identified sensory panel', 'phenotype analytic model', 'synonymous snp different', 'putative protein 1661', 'addition porcine tcap', 'recombinant offspring refine', 'remixed new', 'haplotype 42344t', 'lipolysis insulin resistance', 'population homozygous animal', 'putative association', 'target artificial', 'dipeptidyl peptidase', 'protein lg la', 'population selective', 'analyzed quantitative', 'function term gene', 'trait pig mutation', 'qtl lactose', 'cattle sequenced characterized', 'food chain analysis', 'predictor animal gene', 'animal 14 dpi', 'cattle functional', 'gene encoding ribosomal', 'ema loc614744 04', 'mutation flavin', 'specifically horn', 'population churra', 'revealed potential', 'level testosterone', 'genotyped 64', 'pig meta analysis', 'shh ptprt', '461 132', 'main health', 'ovulation rate residing', 'applying quality', 'predict milk', 'method able confirm', 'cost effective', '152 cnv event', 'associated mastitis finding', 'gastrointestinal nematode resistance', 'muscle meat quality', 'suggesting sex', 'associated log10p', 'circumference cc', '122cm oar', 'affymetrix single nucleotide', 'complex trait milk', 'chromosomal region regulation', 'contribute identification causal', '529 37 association', 'resistant control horse', 'database qtl', 'line tested', 'polymorphism cause', 'hypothesis single', 'population analysed detect', 'association pp', 'based potential functional', 'chain reaction pcr', 'significantly different phenotype', 'snp zero effect', 'examined segregation', 'equine orthologous', 'associated imf deposition', 'present population', 'selection better', 'rvtv value 02', 'welfare production', 'fkbp10 muscling hspa5', 'activity lactation', 'overlap previous', 'sequence data mammary', 'horn majority', 'analysis using partial', 'brazilian cattle', 'reproductive performance pig', 'heritabilities qtls', '243 snp', 'npl previous', 'relatively association suggesting', 'blood cell', 'genotyped achieve reliable', 'reaction qpcr', 'bta2 lrp1b somatic', 'size meat quality', '224 relative ppara', 'gene fall significant', 'qtl carcass body', '16 qtl respectively', 'evidence gene', 'ssc16 carcass length', 'included qtl region', 'highest fat snf', 'ctnnal1 wingless', 'assay showed snp', 'remained md hd', 'priority pork industry', 'gluc body temperature', 'contribute similar study', 'mtpap gene identified', 'located significant module', 'mutation associated myelodysplastic', 'dairy cattle considerable', 'consistent segregation analysis', 'gwas useful understanding', 'knowledge report', 'development reproductive hormone', 'potential increase understanding', 'qtl gga12', 'weight carcass trait', 'upstream lcorl', 'intragenic haplo types', '4th rib ssc15', 'identify marker', 'effect spawning date', 'snp adl328', 'association correlation csnps', '36 snp major', 'milk yield genome', 'flanking locus', 'capacity individual swine', 'f1 offspring outbred', 'open following', 'mapping analysis using', 'procedure effect mstn', 'slaughter facility', 'nematode resistance identified', 'importantly gwas', 'exon tnf', 'gip acetyl coenzyme', 'including low', 'pl study', 'direction qtl', 'binding protein gene', 'cm rm006 25', '15 genetic', 'breeding plan', 'mass result support', 'classified form pde4b1', 'placenta embryo', 'finding suggesting', 'functional hypothesis future', 'component objective study', 'g32e variation', 'immune transfer backcross', 'weight yw bwt', 'contour feather bird', 'high polymorphism provide', 'pig identified 01', '01 decreased', 'containing 48 724', 'analysis remaining', '05 result', 'word configuration 168', '140 kg body', 'gamma enhance immune', 'collected consisted na', 'restricted rearing genotyped', 'calf respond medical', 'length homozygotic genotype', 'concentration finding helpful', 'largely controlled body', 'narrowed interval ppard', 'nan waist height', 'chromosome 17 55', 'study fixation index', 'region oar4 12', 'obtained 464', 'aim enhancing', 'pietrain large white', 'activity disease', 'contribution microarray data', 'await genome', 'data uncover', 'age reflect involvement', 'case 25', 'cm ssc17', 'content higher', 'newly detected qtl', 'fv breed pce', 'grin3a kcnj3 bostauv1r417', 'association maml3', 'binding klh measured', 'selection breeding program', 'suggestive evidence chromosome', 'experiment genome linkage', 'pleiotropic effect multiple', 'angiogenesis vessel', 'locus eca3 raw', 'population tested using', 'identify genome', 'cattle population usda', 'relevant purpose work', 'univariate model confirmed', 'quantitative rt', 'md resistance gene', 'available analyzing', 'identification functional gene', 'qinchuan cattle square', 'identification calving trait', 'efficiency difficult improve', 'ampk protein play', 'ipn viral disease', 'study pathway', '00 observed snp', 'genetic data', 'complex trait locus', 'order reduce eliminate', 'modest association', '854 german', 'expression level gene', 'including col17a1', 'marker putatively linked', 'expressed qtl nn', 'start point decipher', 'negative expression bmp5', 'sheep study', 'explained 49 13', 'region responsible significant', 'parameter individual', 'approach represents powerful', 'use marker individual', 'german draft', 'immune response keyhole', 'association retained significance', 'carriers mll', '40 genome', 'l1 insertion analysed', 'phenotypic microarray', '192 119 high', 'mouse nudt7', 'trait detect qtl', 'reproductive success', '600 ovine single', '001 supported analysis', 'rs133039577 rs110013280', 'considered strongest', 'validation application', 'type ssc16', 'allele 240g', 'sheep future', 'trait located gga', 'qtl detected bta', 'stop codon', 'mapped location similar', 'tlr4 used commercial', 'landrace intercross detected', 'cannon circumference significantly', '90 healthy', 'area africa asia', 'erhualian pig rich', 'selection feed', 'gene candidate polymorphism', 'gene warranted', 'population seventy', '27 seven', 'conducted outbreak', 'mb ssc6 gene', 'different biological physiological', 'genotype tt lower', 'weight 71 day', 'yield diplotypes h3h7', 'multigenerational pedigree', 'pparg cebpa', 'bratzler shear', 'reduce incidence boar', 'fewer service', 'social reactivity reactivity', 'including 180 f2', 'including ar', 'small fraction', 'weight specific', 'frequency distribution', 'information gene', 'conditional analysis putative', 'work constructed', 'backcross sire heterozygous', 'qtl analysis blood', 'snp meat', 'encompassing white', 'gga14 drum', 'genotyping paper', 'il8ra chemokine', 'production important', 'bovine pgf gene', 'barki ewe genotyped', 'daily yield', 'population red', 'ngfr dopa decarboxylase', 'region genome mb', 'respectively chromosome genome', 'morphology dam characteristic', 'conditioned analysis suggested', 'putative adg dmi', 'greater number corpus', 'level qtl ssc12', 'size horse', 'percentage italian holstein', 'trait correlated transcript', 'chromosome identified associate', 'genome scan radiological', '47 54 confirmed', 'larger additive', 'born breed', 'luxi qinchuan', 'rs13997809 significantly higher', 'use cast gene', 'animal duroc', 'rate analyzed', 'removed penmates', 'environment aa', 'special variant', 'population non synonymous', 'development pig', 'region gga13', 'level il', 'suggests gr candidate', 'tenderness improve', 'sus scrofa chromosome', 'subunit inhibitor', 'conducted locate', '260 sheep using', 'study attempt', 'investigated association fto', 'stimulation appetite', 'primer designed', 'genetic component used', 'porcinesnp60 beadchip performed', 'predominant imprinting', 'ham result', 'region esc', 'component muscle meat', 'calving direct', 'tnb corpus', 'association using genotypic', 'mapping corresponding qtl', 'medium positive correlation', 'hypothesized crh', 'shared ibd', 'include nebraska index', 'classified gene', 'effect exon', '210 ssc6', 'extra teat', 'genotyped large', 'mrna nucb2', 'providing start point', 'small cm flanking', 'polygenic heritability improve', 'snp array quality', 'located ssc3', 'factor lack', 'candidate gene elovl6', 'perform high', 'capitalizing population', 'khdrbs2 sdccag3', '219 947 young', 'australian poll', 'cattle human infection', 'rate equivalent', 'result based', 'trait including novel', 'phenotypic data irish', 'genomic dna sequence', 'selection trait associated', 'change occur', 'bta additionally', 'effect genomic region', 'data multiple', 'selection important verify', 'chicken red junglefowl', 'genetic marker candidate', 'association mainly mb', 'basis sexually', 'sheep population bring', 'confirmed using pcr', 'individual born 1963', '18 autosome spanning', 'located genomic', 'region corresponding haplotype', 'level pcr', 'regulation locus', '18 ssc8 small', 'cm flanking', 'kera ssc5 ssc7', 'adg tested', 'gene detection', 'model faecal egg', 'causal variant complex', 'recorded 577', 'nucleotide substitution analysis', 'composition trait pig', 'pool genotyped using', 'costly determine', 'performed snp', 'step development marker', 'significance qtl exhibited', 'qtl calving difficulty', 'activity candidate', 'node used', 'gdf8 allele', 'pig relatively', 'trans 11', 'interval associated snp', 'fat content result', 'fraction qtl', 'level initial', 'force palmitoleic acid', 'leghorn dongxiang blue', '13 22', 'cluster identified', 'estimation method perform', 'focused genomic', '39 accounted', 'growth qtl', 'fkbp6 associated missense', 'immunity pig purpose', 'kit variant', 'rhenish german', 'pig association objective', 'weight snp iteration', 'finding blood', 'provide new', 'estimate contribution', 'subunit atpase', 'data 094 brangus', 'post gwas analysis', 'earlier diplotype', 'acop associated reduced', 'extent linkage disequilibrium', 'biosynthesis fatty', 'evidence crh promising', 'prolificacy major', 'acid composition addition', 'spite normal general', 'assessed chicken meat', 'investigation phenotypic', 'calf ranch', 'sequencing breed', 'qtl largely', 'severe economical loss', 'transversions remaining 79', 'c20orf43 significantly associated', 'chip performed', 'identity state ibs', '10 63', 'broodstock population multiple', 'snp 10 haplotype', 'previous research shown', 'included 1042 1043', 'slc9a3r1 result conclusive', 'architecture analyzed trait', 'horned individual case', 'significant qtl mainly', 'kit bta22', 'industry opposite', 'calculation accompanying', 'effect seemingly', 'incorporating marker beneficial', 'showed compared', 'ssc6 larger', 'corpuscular haemoglobin', 'expression level measured', 'effect large population', 'snp enrichment functional', 'composition combining', 'animal significant', 'included novel avfec', 'phenotypic correlation heritabilities', 'ssc7 comparative', '550 registered', 'high low estimated', 'analysis revealed y7f', 'thickness estimated', 'location gene sequence', 'identified teat', 'map faecal culture', 'statistic position', 'bta14 regional', 'meat quality study', 'throughput matrix assisted', 'mapping candidate region', 'variance estimated parameter', 'trait mastitis enrichment', 'illness puerperal', 'color related', 'motility parameter dna', 'microsatellites representing coverage', 'ubiquitously expressed', 'piglet significantly correlated', 'identify possible qtl', 'variation red brown', 'body weight growth', 'lavc ldl confidence', 'explained estimated', 'variant associated carcass', 'rfi enable rapid', 'sample association snp', 'equus caballus chromosome', 'explained detected', 'candidate genetic', 'specie identified amblyomma', 'tnnt3 overall', 'dependent differential expression', 'american angus association', 'novel qtl trait', 'obtained nos2 haplotype', 'physiological biochemical', '2807 farrowing', 'adg basis physiological', 'yield protein fat', 'lyst identified', 'conformation haplotype', 'carcass fatness important', 'directly involved vitamin', 'obtained linkage', 'dlk1 maternal expression', 'heterozygote genotype produce', 'improve biological', 'production bovine milk', 'intervention norwegian red', 'determination intercross', 'cmi chicken using', 'improved growth', 'used study', 'marker microsatellites', 'selected 10 generation', 'mapping breed', 'performed genetic evaluation', 'suid herpesvirus', 'bone turnover', 'univariate gwas approach', 'underlying cattle', 'age growth rate', 'aries inherited polymorphism', 'italian landrace including', 'arena test', 'evaluated population independent', '13th 1959', 'bred pig', 'analysis phylogenetic', 'compared strategy', 'previously analyzed independent', 'selection feed efficiency', 'population chromosome region', 'examined normality dna', 'stratification separately criterion', 'nucleotide polymorphism database', 'fecx gr 98e', 'study replicates previous', 'sample 199', 'condition 170', 'defined status map', 'different grade brown', 'evaluated total', 'genotype animal bco2', 'peak linkage', 'snp predicted breeding', 'consisting 14 paternal', 'gene suggestively', 'regressors random', 'wide significance', '20 distance', 'roan coat color', 'individual birth', 'center meishan resource', 'revealed snp', 'beadchip provided 42', 'backcrosses born', '52 51 mb', 'expedited emmax', 'f3 backcross backcross', 'possible use', 'crucial role initiation', 'demonstrates utility gb', 'study analyzes', 'potential genes loci', 'identified shared', 'consisted 3579 bull', 'pathway transporter', 'effect underlying', 'chromosome sw2155 sw1856', 'phosphate dehydrogenase conclusion', 'industry somatic cell', 'drawn tentatively', 'panel 30k 30', 'selection progress', 'analysis immune', 'distinct chromosome effect', 'trait cattle population', 'homeobox protein', 'infected traditionally', 'monotocous small tail', 'mapping outbreed', 'layer posse larger', 'chromosome 13 standard', 'significance significant', 'apoptotic pathway', 'parameter including platelet', 'serpina7 acsl4', 'footrot used pseudo', 'marker significant effect', 'color redness', 'identification gene polymorphism', 'marker gwa', 'respectively region cumulatively', 'transformed trait associated', 'identified linkage', 'responsible polled horned', '15 boar', 'pig used italy', 'suggested variant associated', 'canonical production trait', 'including gestation', 'regulation hpa', 'score based', 'flanked 500', 'content genome', 'improved combining 50', 'report domestic', 'gli3 gene associated', 'qtl north', 'snp 90', 'kr0 kr3', 'immune organ analysis', 'evaluated commercial', 'determinant meat', 'syndig1l vrnt', 'resistance gastrointestinal nematode', 'deposition lead dna', 'il16 plin1 igf1r', 'new gene', 'viral load adg', 'puberty candidate', 'transcriptome profiling segregating', 'northeast agricultural', 'correlation water', 'refinement cm interval', 'susceptible incidence pathogenic', 'gene related testis', 'second step 88', 'study study', 'hyal1 xirp2', '02 result', 'association observed 928g', 'marker calpastatin', 'study investigated polymorphism', 'important tissue fatty', 'body conformation udder', '590 single', 'annual cohort', '95 02', 'number genomic window', 'variation good target', 'ovis aries breed', 'discovery target', 'linkage tdt', 'respectively detected', 'nn 10', 'pleurisy processing plant', 'runx2 used improve', 'domain number tyrosine', 'analysed 322 ewe', 'avoid physiological imbalance', '1171 animal', 'horse investigate', 'nce4 nce7', '27 28', 'marker cm', 'qtl fitness', 'selection positional', 'window explaining additive', 'targeted sequence imputation', 'organization recent', 'crossing broiler', 'bw49 70 day', 'genotype 172 microsatellite', 'maximum significance week', 'fat region', 'qtl associated genomewise', 'comprised 1151', 'based bw fi', 'homocysteine concentration substrate', 'cm gm', 'coccidia foc lamb', 'gene heg1', 'mufa 13', 'accounting phenotypic variance', '60 animal higher', '01 somatic', 'near scd gene', 'birth weight observed', 'variance percentage normal', 'brief 146', 'bone area', 'synthesis skeletal muscle', 'variation somatic cell', 'important gene based', 'analysis indicated', 'total 10 putative', 'identified bull age', 'animal genotyped 88', 'day nineteen', 'haplotype reproductive trait', 'health constraint small', 'locus determining conformation', 'bta26 chromosome', 'qtl 820', 'including 19', 'weaning ssc8 qtl', 'nr6a1 gene analyzed', 'closely linked sl9a3r1', '19 586', 'create crucial', 'finding genotyped', 'locate chromosome region', 'phenotypic data adjusted', 'snp informative', 'white italian', 'locus method multi', 'model dairy cattle', 'role mediating', '36 226 informative', 'insemination resulted', 'showed number significant', 'variable 11 breed', 'lc model', 'contributed variability', 'body weight difference', 'using cattle', 'npr2 natriuretic peptide', 'trait carried square', 'egg size trait', 'weight ywt', 'affected locus minimally', 'study multigenerational pedigree', 'influenced genetic', 'detected qtls displayed', 'map locus', 'measured post slaughter', 'population sib', '14 qtl region', 'determination udder health', 'variance associated fertility', 'progeny selected tagging', 'mc4r variant reported', 'disciplinal typical', 'inorganic phosphorus ip', 'percentage pp italian', 'based selected lead', 'activity identified', 'detected 272 05', 'expected trait', '15118756c 15118774c', 'feed m1', '46w e46 egg', '20 mapped', 'family family', 'identified lld analysis', 'trait 75', 'history recording', 'holstein cow frequency', 'osteochondrosis hanoverian warmblood', 'gilt reach puberty', 'finally studied', 'pedigree provided', 'risk alelle breed', 'affecting fcr ssc', 'adg6 month', 'maintaining fat', 'dna sire', 'related meat quality', 'chicken produce', 'mutation milk', 'qtls showing association', 'bta7 insr', 'jiaxian luxi xianan', 'employing horse genome', 'predicted feed', 'ssc17 interestingly chinese', 'chewiness resilience measured', 'association marker rs268273468', 'parity 77 environmental', 'speed temperament', 'statistic multiple', 'disequilibrium region', 'taken provide evidence', 'population backcross individual', 'named tarantino approved', 'analysis homozygote', 'related prolificacy', 'unknown breed general', 'based minor allele', 'propose interval', 'carcass merit trait', 'displayed greater', 'built weighted interaction', 'arrest g0 g1', 'association estimated breeding', 'improvement milk production', 'involved network interacted', 'study validated shrinkage', 'snp gene reported', 'animal genotyped', '14 concordant', 'steroid hormone immune', 'gene responsible pituitary', 'analysis c3 cdna', 'oarx 50977717t', 'group representing extreme', 'mouse qtl region', '235 multiple', 'tm qtl', '03 16 heritability', 'acid profile beef', 'likelihood ratio 12', 'ng applying suggested', 'sequencing unaffected carrier', 'associated trait contribute', 'identify qtl different', 'molecule complement cascade', 'livestock aim current', 'significantly associated foreshank', 'segregating swine chromosome', 'ad libitum', 'risk mating blood', 'phenotype calving', 'dj gwas', 'survey represents', 'undertaken detect', 'number stage tumor', 'point phenotype', 'cat motif promoter', '15 showed', 'like ap transcription', 'bta peak 87', 'slc39a7 10', 'cast gene different', 'allowed identifying time', 'distance 8kb mean', 'locus strategy', 'result ca zn', 'disease develops', 'qtl daily', 'present 00', 'gemma significant', 'lactose content', '127 centimorgan cm', 'joint analysis using', 'imf provide', 'snp8 snp14 approximately', 'polynomial coefficient intercept', 'chromosome bta 20', 'ear tissue standard', 'method meta', '81 mb best', 'point 10', 'second parity crossbreds', 'variation ttn', 'respectively snp associated', 'region metabolic trait', '39 accounted 16', 'basis fixed effect', '05 80 phenotypic', 'bacteria intestine pig', 'ca estimating relevant', 'genotyped fasn snp', 'postweaning bw gain', 'implying multiple', 'production consistent high', 'h1h5 diplotype', 'trait pig purpose', 'significant difference birth', 'synonymous allele', 'bayes factor 100', 'number 05', 'common syndrome', 'mean new statistical', 'responsible difference observed', 'inbreeding sample', 'aa bb animal', 'decreased feed', 'gene immunological function', 'using genomatix software', 'bwf snp significantly', 'reproductive trait studied', 'homeostasis platelet', 'ovary follicle', 'pool created based', 'fat related performance', 'significantly higher il8', 'uptake apolipoprotein', '1121 progeny tested', 'background study', 'eca3 association validated', 'psmc1 body length', 'significant moderate', 'transportation chicken current', 'measured adhesion', 'region accounted genetic', 'mb consensus', 'significant genetic gain', 'threshold genome', 'identified region addition', 'body mass', 'chromosome involving', 'consistent result multiple', 'led high', 'sire subsequently identified', 'challenge modified', 'estimated genetic', 'yield meat', '147 genome', 'based approach l1', 'weaned piglet', 'record 1447', '60k chicken infinium', 'ssc 2p14 p17', '300 ctnnal1 1878', 'candidate variant', '166 nucleotide', 'linkage disequilibrium method', '10893a statistical analysis', 'chromosome resequenced kb', 'large half', 'mutation xm_001788152', 'rs81399474 rps6kb1 cltc', 'study boar taint', 'capns locus', 'hampshire nhi', 'brahman angus 296', 'replicates previous study', 'rs136947640 rs134340637', '12 week respectively', 'repeat associated increased', 'conversion ratio fcr', 'solely genetic variation', 'amino acid porcine', 'gene harness', 'qtl ibd', 'exposed acute', 'gene expression data', 'addition mrna', 'estimated variance component', 'grandsire genetic', 'effect bodyweight specific', 'finding facilitate effective', 'industry high', 'experimental design', 'standard frequency', '734 chicken', 'haplotype characterized', 'cow aa genotype', 'developed random', 'positive impact reproductive', 'number suggestive qtl', 'tool experimental cross', 'genetic influence underlying', 'observed mapping', 'coefficient calculated', 'position crossroad', 'existence qtl', 'breed associated', 'muscle greatest expression', 'identified significant stallion', 'locus carcass weight', 'evidence balanced frequency', 'using alternative', 'snp tested', 'bw different stage', 'shared multiple', 'high predictive', 'qtl gave', 'especially rural area', 'snp c14 index', 'infection currently', 'trait showing nonzero', 'animal cooperative', 'rfi final mbv', 'analysed qtl', 'associated economically', 'wide chromosomal', 'identified qtl potentially', 'altogether vrtn', 'inheritance moderate', 'ets1 kirrel3', 'synthetic pig', 'difficulty based', 'kb variant haplotype', 'qtl affecting 01', 'bovinesnp54 beadchip', 'assumed qtl allele', 'analysis performed fine', 'rbc specific rbc', 'qtl information enhance', 'identified variant', 'genotyping selection informative', 'interesting effect', 'individual study', '17 kgf', 'content determined', 'count data obtained', 'desirable breeder', 'oar9_91721507 located', 'clarify genomic', 'conversion ratio', 'association mapping technique', 'establish genetic', 'model conducted genome', 'ng compared', '43 md 131', 'cell count essential', 'region chromosome 11', 'locus spanning', 'pp 21', 'sheep mapping population', 'il8 activity', 'lewontin c4535156t g4533815a', '25 96 15', '50k ovine', 'disease likely enzootic', 'model basic association', 'spawn egg average', 'trait bayesian analysis', 'identified performing', 'specific antibody', 'pig perform association', 'dry weight', 'significant evidence imprinting', 'ssc9 13 mb', 'complex trait carried', 'study genetics', 'lta na purpose', 'heterozygous locus affecting', 'demonstrate multi trait', 'malignant tumour affecting', 'adult skin', 'covariate selection effect', 'use longitudinal', 'respiratory disease trait', '18 genome', 'hw known polymorphism', 'taint compound androstenone', 'gsk play important', 'qtl common 18', 'genetic basis fatness', 'cross iowa state', 'yield muscle fat', 'rfi2 fcr2 genotyped', 'certain aspect social', 'development entropion reported', 'analysing family exploiting', 'belongs atp binding', 'selection animal acop', 'untapped resource', 'fy genome chromosome', 'number weaned piglet', 'ayrshire population study', 'used analyze polymorphism', 'improvement pig health', 'purebreed duroc pig', 'smn1 candidate', 'phosphatase non receptor', 'investigated 357', 'observed chromosome overall', 'bmd pqct bmd', 'bird total', 'chr linkage', 'bco2 affect', 'wgblup bayesr model', 'bta 129564 located', '29 particularly', 'f2 crossbred pig', 'individual vaccinated modified', 'reared grass', '05 snp4', 'increasing fat', 'intensity profile', 'study used', 'pc indicating abhd16b', 'haemocyanin antigen', 'aerosol followed detailed', '75 marker', 'bead chip separate', 'novel snp', 'breaking strength 200', 'associated region using', 'selected outbred', 'sperm frequency significant', 'xirp2 15', '882 individual 588', 'mutation exon psmc1', 'tolerant breed', '871 finnish yorkshire', 'weight siw large', 'difference allelic', 'chromosome bodyweight conformation', 'chicken earlobe color', 'marker related health', 'characteristic investigate genetic', 'overlapping gene revealed', 'million year', 'improvement trait chicken', 'ratio trait', '80 09', 'flanking region', 'causative mutation approach', 'chunk based', 'layer need studied', 'score detected chromosome', 'maximum level progesterone', 'included genome', 'sequence genotype allelic', 'analysis 40006g mutation', 'significantly associated mo', 'control design analysis', 'ketosis identification', 'known natural variation', 'reported locus', 'intron 10 naturally', '20 gene equidistant', 'suggestive linkage qtl', 'panel composed cattle', 'gene using association', 'behave like', 'dependent qtl', 'model allowing separate', '525 progeny', 'information useful optimization', 'phenotyping combined', 'previously unknown', 'growth mineralization', 'record 692 bull', 'numerous important role', 'haplotype remaining snp', 'shamo breed unexpectedly', 'thousand individual', 'region activin', 'genetic variant', 'microsatellites maml3', 'causal mutation body', 'snp identified predicted', 'ram romanov', 'fiber ssc2', 'gene result association', 'breed production', 'depends density marker', 'trait carcass weight', 'forecast superovulation response', 'considered complementary', 'mapping suggested', 'reveal polymorphism', 'carried map', 'selected tagging snp', 'imputation increased', 'trait 38 snp', 'haplotype block built', 'gene locus', 'cattle efficient', 'genetic variance growth', 'exhibit increased structural', 'affect carcass proportion', 'performance evidence complexity', 'snp marker developed', 'balance health', 'dominant genotypic', 'genotyped 27', 'toughness increased', '47673g associated body', 'haplotype lp1 lp2', 'effect genotyped 10', 'ggaluga151406 gga_rs14554319', 'studied qtl growth', 'bta6 increased adding', '233 intermediate', 'resource study association', 'age blood sample', 'sheep screening databank', 'yield lactation', 'combined analysis data', 'zn comparing', '41 151', 'indicated candidate', 'qtl related', 'information originating', 'widespread inherited eye', 'line marker', 'significant improvement pig', 'female specific', '1180 progeny', 'identified qtl chromosome', 'trait polymorphism', 'human embryonic kidney', 'detect true linkage', '001 averaging', '2059 sheep', 'e4b gene pwl', 'mum total litter', 'population rdhe2', '265 cm 72', 'motif multiple transcription', 'white revealed', 'association study number', 'qtl evidence', 'showed differential level', 'control immune', 'identification rare high', 'consisting 321 f2', 'association detected notable', 'present line qtl', '37 phenotypic', 'chromosome region harboring', 'human mouse shown', 'information help direct', 'd2 receptor', '1008 animal result', 'declining maternally', 'trait analysed fp', '226 953 pig', 'region fatty acid', 'week 37', 'genetic effect phenotype', 'individual subsequent economic', 'pcr inverse pcr', 'role body', 'pig chromosome 13', 'profile obtained', 'association snp porcine', 'profitability concern low', 'cyp27a1 cyp2j2 gc', 'variability 93e 11', 'trait genetically linked', '549 allele substitution', 'microsatellite framework map', 'involved transcriptional regulation', 'consisted 785 replacement', 'loss present dairy', 'step unravelling', 'snp affecting', 'cw region mb', 'fat plus', 'semi quantitative rt', 'assembly cholesterol trafficking', 'behaviour chicken performed', 'criterion applied', 'bovine chromosome initial', 'assisted laser desorption', 'chicken chromosome 14', 'polymorphism intramuscular', 'likely involve', 'comprehensive study unraveled', 'group carrying utt', 'influencing cla', 'aa genotype beta', 'cattle seven breed', 'specific daughter yield', 'locus effect', 'encodes plasminogen activator', 'snp4 chr', '05 snp07', 'examine common population', 'marker density bvs', 'process taking', '13 15 showed', 'pig showed ctsk', 'rate parameter gompertz', 'susceptible line', '10 chromosome', 'area em loin', 'merino sheep breed', 'c3 play major', '306 polymorphic', 'important information similar', 'eca1 eca8 eca16', 'condition viral', 'region associated adg', 'content cutoff 001', 'pre weaning', 'growth meatiness', 'qtl fatty', 'ph24h study effect', 'sweden objective study', 'backfat tenthrib', '12 removal', 'observation demonstrate importance', 'bm subcutaneous', 'offer fast alternative', 'reflected intermediate genetic', 'used define boundary', 'individual line identical', '29 snp identified', 'analysis significant marker', 'conclusion good agreement', 'world attractive', '49 snp', 'level f0', 'age second', 'tick borne', 'content 06 milk', 'objective study ass', 'dissection complex phenotype', 'region flanked dik0079', 'molecular marker enhance', 'effect bullock evaluated', 'transmitted ability', 'used estimate regional', 'f2 population present', 'wg identified chromosome', 'based cow repeatedly', 'correlated sow', 'percent pp brown', 'including fam184b htt', 'data cattle provided', 'associated tm', 'map wild boar', 'providing breeder opportunity', 'growth association analysis', 'insertion homozygote le', 'thousand individual related', 'used ass association', 'chromosome method', '70 marker', 'tc marbling tt', 'control strategy based', 'contribute great variability', 'searched quantitative', 'measured significant effect', 'act negative', 'marker described', 'presented average daily', 'spanning chromosome', 'tissue specific', 'trait association single', 'backfat averaged 114', 'murgese slovenian belgian', 'list candidate gene', 'cwt ema loc614744', 'conformation twh', 'score skatole', 'hpa sa', '11 microsatellite marker', 'distal marker rm356', 'including qtl experiment', 'cyp2e1 conclusion despite', 'ldl concentration', 'bp respectively buffalo', 'quality egg weight', 'trait free living', '911 korean holstein', 'gene netrin ntn1', 'muscle loin depth', 'detected largest effect', 'snp highly', 'new snp gene', 'obesity diabetes related', 'genetic similarity lesser', 'marbling detected centromeric', 'chromosome 15 udder', 'md resistant md', 'carried qtl different', 'good marker use', 'components based approach', '27 28 showed', 'broiler gene', 'genotyped 165', 'high density lipoprotein', 'respectively indicating', 'gene permit insight', 'genomic based analysis', 'proliferation cell cycle', 'stranded conformational', 'regression coefficient probability', 'matrix assisted', '30 ttn', 'chain method', 'trait moderately', 'sixteen chromosome harbouring', 'variance economically important', 'data imputed', 'flock prolific', 'imf content suggestive', 'opportunity utilize natural', 'quantitative trait unambiguously', '05 marb', 'yield 82 kg', 'values marker gene', 'associated fitness accelerating', 'level homological', 'mb study', 'basis longitudinal ew', 'promoter region segregate', 'study gene associated', 'associated blv', 'result indicate qtl', 'allocation scheme larger', 'area ssc6 interestingly', 'cm bta26', 'present 00 02', 'performed 139 pig', 'rump fat thickness', 'aggressive melanoma respective', 'metabolism hmgcs1 addition', 'ssc7 locus confirmed', 'indication association fmo3', '002 average', 'phenotype nonselected', 'analyze backfat fatty', 'tt significant', 'gene intragenic variant', 'lactation phenotype genotype', 'area detected analysis', 'laying hen growing', '54 carcass', 'catfish large', '3rd 4th rib', 'addition classical', 'deposition carcass', 'domestic sheep model', 'summary result study', 'holding capacity allele', 'locus validate', 'post imi responsive', 'qtl trait measured', 'country worldwide result', 'involved polygenic', 'substitution effect 38', 'expression polled', 'acid dairy cattle', 'commercial flock', 'application include', 'gm redness', 'prior implementation selection', 'ham muscle outer', 'qtls increase understanding', 'marker backfat', 'pietrain breed significant', 'qtls used selection', 'autosome gga', 'sequence base', 'favourable effect coming', 'healthier milk', 'pattern observed phenotype', 'effect bone trait', 'controlling 27', 'rs315831750 rs313726543 rs80724063', 'traditional gwas', 'genotype information', 'report eqtls testis', 'milk colour higher', 'genomewise fat percentage', 'locus chicken population', 'weight snp included', 'perform empirical', 'like receptor trait', 'map v4 male', 'trait located', 'architecture sexual', 'c18 1n9c', 'muscle fibre density', 'potential power evaluate', 'efficiency measured residual', 'born aim', 'carcass weight', 'ease gene located', 'country include leg', 'oc estimate', 'achieved single', 'major goal poultry', 'share causative mutation', 'erhualian specific haplotype', 'compare slick', 'marker adjacent', 'altering expression level', 'mineral density', 'birth nba receives', 'evaluated embryonic', 'ab bb ac', 'time challenge', 'activity highly', 'rs419096188 associated lactose', 'epr qtl chromosome', 'srb qtl', 'polymorphism bovine', 'en 21', 'residual phenotypic variance', 'regression analysis compared', 'snp chip genotype', 'model reduced', 'polled sheep chromosome', 'underexplored study investigated', 'gene snp analyzed', '11 127 centimorgan', '1213 ewe', 'muscular fatty acid', 'affect phenotypic', 'day age 30', 'young cattle denominated', 'weight breed addition', 'salmonid aquaculture previous', 'backfat thickness body', 'bone disorder', 'gene encodes alpha', 'lactation different', 'cv fiber diameter', 'rate epr', 'human observer social', 'friesian population strongest', 'considerable genetic', 'intron fkbp5', 'generated non allelic', 'ssc7 coinciding', 'animal susceptibility', 'friesian animal using', 'submitted genbank assigned', 'different combination', 'understood genome wide', 'result reported based', 'yield located segment', 'economic present study', '72 piglet swine', 'rorc sequenced', 'research valuable', '93 cm', 'lesion 217 single', 'antigen induced', 'indicator parasite', 'trait distinguished based', 'explained region', 'following trait', 'model feed conversion', 'c16 index 0011', '69 cm', 'polymorphism snp 2108c', 'step deeper understanding', '106 cm', '13 dna binding', 'sequenced exon', 'muscle order focus', 'sscx vicinity gene', 'generated commercial broiler', 'transcription factor ppard', 'day age study', 'functional relationship', 'extreme parasite exposure', 'map 87 physical', 'weaned piglet cnw', 'ii clinical', '11 significant qtl', 'utr synonymous', 'analysis result generation', '13 pufa', 'included selection', 'breed invaluable', 'infection earlier', 'ssc10 ssc12 ssc16', 'evisceration weight semi', 'haplotype characterised bovine', 'size total number', 'bac clone 550', 'epistatic genetic network', 'linkage significant snp', 'causative polymorphism polymorphism', 'study length', 'cross founder', 'understand genotype phenotype', 'challenged separate', 'approximately 63', 'dmi 12 qtl', 'h2 15', 'information greater', 'repeated serum', 'wide significant variant', 'characterized using high', 'necessary avoid', 'metabolism compared abhd5', 'qtl associated', 'pig breed snp64_g', 'protein water', 'detected 34 mb', 'chicken carrying diplotypes', 'cattle phenotypic data', 'alignment decr1 cattle', 'wide significant percent', 'seven locus', 'bird addition', 'difference meat color', 'loki demonstrated', 'indirect effect milk', 'cross breed 000', 'qtl recent availability', 'dl experimental', 'identified underlying quantitative', '130 animal representing', 'centrifuge force water', 'heritability environmental', 'shown suggest', 'unaffected control affected', 'effect mixed linear', 'tnp1 expression influence', 'explaining additive genetic', 'reported exceeded threshold', 'breed slick', 'mainly localized', 'cytomegalovirus zinc', 'fcr 114', 'genotype affected fat', 'snp4 subsequently', 'structure validated sift', 'problem mapping quantitative', 'showed trait', 'nucleotide variant including', 'marker bms1724', 'molecule essential synthesis', 'calving service qtl', 'data analyzed breed', 'detected respectively snp', 'interbull center', 'higher adg 01', 'advanced phase project', 'respectively qtl detected', 'cardiomyopathy associated cmya1', 'susceptibility neurodegenerative', 'analysis highlighted quantitative', '60 genetic correlation', 'white leghorn wl77', 'significant variation phenotype', 'affected stallion phenotype', '106 significant', 'marker mcw241 surrounding', 'identified result approximately', 'using bayesr resulted', 'improving processing chicken', '15g snp', 'individual vaccinated', 'coding region quantitative', 'ratio oleic stearic', 'group overlap', 'report suggested', 'glucose diplotypes significantly', 'sub group', 'impact health', 'described ovine hsp90aa1', 'horn length attributable', 'le susceptible incidence', 'pre different coat', 'rs13687126 larger', 'relevantly associated', 'identified chromosome', 'weight considered', 'low estimated breeding', 'genotype individual expression', 'mapped growth', 'original line', 'fto influence fat', 'remain undetected', 'detected single nucleotide', 'substituting invasive villous', 'data gene region', 'population stratification statistical', 'semimembranosus value', 'average shear', 'spp1c 1251c', 'underlies important quantitative', 'scan serum', 'skeletal biology', '1000 fold', 'kidney adult', '400k equine tiling', 'array hybrid', 'exon 10 affect', 'association analysis diverse', 'increased gfra2', 'case study', 'inheritance soay sheep', 'utilisation complex', 'qtl eca10', 'result oleic', 'panel enabled fine', 'gene frequency tharparkar', 'imf content independently', 'glycosylation binding', 'dd 05 linkage', 'body size meat', 'fertility near', 'includes gene related', 'chosen study reported', 'range expected', 'qtl_map http', 'increased gfra2 expression', 'period sheep expression', 'measurement novel', 'lmm random forest', 'gene influence intramuscular', '10 italian', '34 mbp', 'function affecting somatic', 'respectively recent advance', '2004 2005', 'associated hcr', 'trait approach dissect', 'human considerable porcine', 'data filtering 29', 'correlated height underlie', 'tlr2 canadian holstein', 'including snp31 intron', '550 68', 'stringent test', 'affect calf', 'genotype conclusion', 'lean meat', 'model environment', 'lacking 40 amino', 'allele overall', 'association elisa status', 'related quantitative', 'maternal expression differing', 'heat stress including', 'result prkag3 gene', 'expression level highest', 'correlated chest', 'population evidence segregating', 'day post challenge', 'dgat1 insig1', 'polymorphism population effect', 'diacylgcerol acyltransferase', 'validated snp sf5', 'angus association', 'gain feed gain', 'population new qtl', 'pce qtl maternally', 'assay interrogate linkage', 'chi squared', 'porcine database snp', 'single snp', '645 investigated', 'important ocular disease', 'cattle population snp', 'refined a1', 'map infection confirmed', 'health trait snp', 'cross detected population', '20 observed including', '57 mg 57', '533c polymorphism showed', 'causative variant growth', '79 04 56', 'qtl antibody titre', 'abnormality bovine udder', 'allele bone', 'enrichment association signal', 'immunity protective immunity', 'carcass weight holstein', 'developed ovine', 'hypothesizing sorf2', '94 71', 'primate rodent', 'analysis method used', 'scenario regressed proof', 'associated residual feed', '11 cm 00', '2325 polymorphism missense', 'region regulatory', 'score 74', 'performed model', 'kinase adaptor', 'genetic mechanism determining', 'determine existence', 'csrp3 functional', 'rs13997812 significantly', 'wxp 195 wxm', 'gross pathology mycobacterial', 'beadchip 50k', 'combined haplotype', 'number gene chromosome', 'cross sectional dimension', 'predicted second', '51 total variance', 'chicken model specie', 'fetlock ocd chromosome', 'holstein family', 'ssc15 far', 'hematological trait play', 'factor btb susceptibility', 'method weighted', 'population 23', 'search new', 'purebred grandparent', 'useful current breeding', 'esr1 672c androstenone', 'identified ah1', 'volume mcv red', 'recorded white', '240 chicken obtained', 'indicated regulation protein', 'using population focused', 'arm close s0008', 'mtpap gene maybe', 'phenotype relationship epistatic', 'snp moderate range', 'qtl abw', 'trait identified previous', 'correlation 01', 'ribeye muscle area', 'association phenotypic measurement', 'genomic profiler bovine', 'carcass conformation', 'rate fprs detection', '692 female', 'variance gwa', 'marker improve ifc', 'study gwas genomic', 'fbn14 csn3', 'associated vrtn genotype', 'level lge22c19w28_e50c23 linkage', 'dependent direction', 'etec including f4', 'opportunity snp assisted', 'mlma analysis', 'sla excluded candidate', 'relative wildtype fn298674', '1959 potential founder', 'aimed evaluate relationship', 'specific haplotype', 'effect difference prevalence', 'linear model approach', 'change biological', 'duroc population 331', 'identifying selectable marker', 'beta1 snp subsequently', '334 danish', 'bmpr1 snp', 'directed dependency', 'fatness measurement video', 'reporter assay showed', 'herd 850 f2', 'analyzed using gemma', 'landrace population', 'transversion mstn af320998', 'behavior including vocalization', 'detection epistatic qtl', 'marker poultry breeding', 'erect ear', 'trait locus implying', 'abcg2 gene following', 'qtl adfi', 'locus detected oar6', 'related body', 'intron pig', 'second providing', 'dlgap1 092', 'disease lesion', 'chromosome avfec bluppf90', 'bta8 su', 'showed perfect', 'resistance aim', 'snp association detected', 'affect nkx2', 'identified associated variant', 'position major qtl', 'rs339939442 aryl', 'ucp3 polymorphism growth', 'marker constructed performed', 'cow associated', 'explained 12 phenotypic', 'residue 49 166', 'fa haplotype', 'percentage lower lean', 'pathway oxidation fatty', 'station bull', 'correlation trait ranged', 'showed suggestive significant', 'prrs virus genome', 'distributed chicken', 'growth cartilage', 'data contribute', 'contribute host', 'practice addition lysozyme', 'bta7 bta13 bta14', 'mir133b cluster', 'affecting cm3', 'trait revealed', 'streptococcus trigger cell', 'analyzed phenotypic', 'known divergent degree', 'affecting recorded', '41 188', 'predictability method compared', 'qtl location generally', '79 addition best', 'value significant qtl', 'visual appraisal 54', 'trait result total', 'mutation control ovulation', 'association performed study', 'qtl ssc', '106 microsatellite marker', '24 previously reported', 'direct dna', 'calving characteristic', '38 257', 'qtl reported', 'csrp2 csrp3', 'association common sire', 'double muscling phenotype', 'wide significant region', 'data result cattle', 'responsible effect', 'variant mutation detected', 'total 105', '41 se', 'respectively frequency', 'transporter slc17a1 slc17a4', 'analysis productive trait', 'beef cattle breeder', 'egg higher chicken', 'scan detect quantitative', 'follow work', 'score result commercial', 'ratio conclusion', '18 27 paternal', 'correlation 07', 'fabp psmc1 gene', 'haplotype resulted', 'gene affecting resistance', 'random regression', 'fundamental process', 'hybrid imprh panel', 'microsatellites sire', 'sample snp', 'allelic imbalance associated', 'stabilizing level mitochondrial', 'gene length', 'simultaneously estimated tested', 'stallion estimated breeding', 'suggest application', 'trait bta6 close', 'i199v associated important', 'data set comprised', 'identifying snp cnvs', 'ketosis showed molecular', 'help select duroc', '433c additive effect', 'market sheep', 'used milk', 'genome scan important', 'bos taurus previously', 'detection method', 'relationship polymorphism', '63 pre', 'ayrshire cattle', 'study identify eqtls', 'risk clinical', 'beadchip total 417', 'receptor il', 'moderate varying 27', '400 berkshire pig', 'taint trait', 'snp located region', 'commercial swine production', 'pig cross old', 'size 2552', 'fatness standard', 'detected 716 sample', 'associated 05 bw', 'kbp abca12', 'horse misdiagnosis', 'threshold factor', 'divided stage', 'gene controlling', 'analyzed breed', 'gizzard weight 490', 'male fertility trait', 'false association derived', 's0113 strong statistical', 'vrtn mutant', 'gene cbfa2t1', 'testis commercial crossbred', 'yearling mean proviral', 'ldl ratio', 'value 10 39', 'map phenotype', 'life age puberty', 'family member zinc', 'yearling based radiographic', 'age detected ssc7', 'fbxo32 gene predictive', 'generation inter cross', 'marker equally distributed', 'blv japanese', 'relevant single', 'suggestive additive effect', 'capitalizing population wide', 'additionally erythrocyte altered', 'deposition gene', 'affected 12', 'line loss heterozygosity', 'interval mapping im', 'distribution intramuscular fat', 'ebv reliability', 'severe case ibk', 'harboring gene involved', 'brangus cattle small', 'maml3 microsatellite', 'suggest haplotype', 'effective population size', 'foot improve herd', 'bioinformatics annotation analysis', 'complementary control', 'tfs highly', 'trait possibly enhanced', 'present hock oc', 'snp chicken fatness', 'model overlaying information', 'indicate instead known', 'akr1c2 associated age', 'polymorphism snp position', 'overlapped qtl', 'test 11 meat', '200 300 major', 'snp identified gene', 'depending applied qtl', 'gene underlying endocrine', 'pcv challenge', 'dairy cattle improving', 'interstitial pneumonia', 'marker gwa analysis', 'constructed linkage map', 'suggesting possible existence', 'gene telomeric region', 'best linear unbiased', 'considerable negative', 'differed c3c', 'sscp dna pool', 'background single', 'gene named', 'characterization chicken qtl', '11 83', 'gene necessary ciliary', 'phagocytosis animal different', 'eqtls pig', 'different susceptibility coccidiosis', 'jinhua suggested', 'dna animal', '196 snp using', 'formation chicken breeding', 'include ercc6 tonsl', 'significant phosphorus', 'qtls discovered', 'feed efficiency livestock', 'chromosome contained', 'son yield deviation', 'necrosis vasoconstriction depressed', 'single significant', 'identified harbour', 'extract shown mutation', 'identified marker bta6', 'interval encompassing arl4a', 'burgeoning kind variant', 'remains limited case', 'hydratase short chain', 'bone related', 'industry increase', 'gene corticotropin releasing', '86 304 informative', 'wgebv bootstrap', 'distribution width', 'data illumina', 'bft observed marker', 'trait 75 marker', '12 normal individual', 'recently identified ah1', 'including spp1', 'bta13 holstein', 'effect moderate heritability', 'infectious disease', 'marbling score eye', 'protein gene proposed', 'content myofibrillar fragmentation', 'feed consumption measure', 'significant slc11a1', 'effect chicken klf15', 'important role altering', 'increasing mapping resolution', 'mean corpuscular', 'acid myristic', 'basis sexual', 'mirnas highly expressed', 'factor implicated control', 'indicating potential regulatory', 'commercial line bos', 'eqtl scan 104', 'composition role determination', 'detected 84 88', 'equipment using', 'porcine chromosome harbour', 'falkiner memorial field', 'associated bm', 'trait cnvs verified', 'brangus data', 'study screen', 'environment dairy', 'model account', 'qtl chr affected', 'independence screening expectation', 'like extracellular matrix', 'bd sheep', 'transcriptomes fatty acid', 'lonrf1 uncovered polymorphism', 'genotyped informative 188', 'affect dietetic', 'showed 9657c', 'trait reduced observed', 'subunit sonic', 'nba genome wide', 'feasibility increasing', 'milk mlk', 'consists number', 'allele commercial swine', 'appropriate analyzing', 'sire segregating qtl', 'extreme end fat', 'mfge8 src', 'bac physical map', 'conducted 30 g19', 'infection different', 'protein structure', 'hypothesis different', 'tsp result', '14 ldla', 'bodyweight gain included', 'cg 600', 'purpose 309 snp', 'research snp', 'animal lower', 'microtia aim', '240g trp80stop referred', 'play role bovine', 'exon poll', 'chromosome btas trait', 'growth muscling', 'population 260', 'pig inverted', 'expression association', 'pathway pituitary control', 'forming binding site', 'yielded lod score', 'snp 1141', 'performed 278', 'associated 01 immunocrit', 'mir 1606', 'including region bta3', 'allele causal mutation', 'discovered tested statistical', '219 north', 'employed genome wide', 'difference genetic', 'phenotype result require', 'identification different genetic', 'identify number location', 'qtl strong effect', 'content identified', 'distribution poisson', 'gene affecting brd', 'disease genome scan', 'qtl pathogenic disease', 'tissue high', 'pcr kasp', 'italian autochtonous', 'weight chromosome 48', '021 adg estimate', 'significant suggestive explained', 'trait result 12', 'age estrus ovulation', 'wide range', 'mutation snp4 locus', 'imf detected ssc6', 'rate 22', 'revealed high enrichment', 'previously identified similar', 'function responsible', 'expressed liver', 'phenotype provide clearer', 'deposition regulation regulated', 'sought different', 'ssc7 foetus', 'vivo ct', 'included meat quality', 'age custom', 'central bmc sheep', '58 exception', 'cnvs associated gene', 'thickness 22', 'background genetic', 'support involvement fabp', 'observed sow high', 'term revealed enriched', 'trait oar1 clean', 'strongly associated anaemia', 'level ngf dopa', 'psychiatric illness aim', 'daughter acop', 'beef odour intensity', 'close permuted logistic', 'pdgfra protein', 'chromosome bta 11', 'sequence porcine tcap', '1310 ovlv positive', 'addition qtl identified', '100 500 kb', 'category gene', 'result regression analysis', 'measure fat depth', 'major quality', 'relevant candidate', 'longitudinal approach proposed', 'data collected monthly', 'microsatellite marker trait', 'compare qtl body', '31 15', 'significant 129', 'snp single nucleotide', '024 976 aa', 'leukotriene a4 hydrolase', 'bivariate gwas fcr', 'hybrid bull trait', 'genomic variation le', 'haplotype significant 0001', '355 snp', 'replicate result', 'obtained initial scan', 'underlying qtl milk', '119876 polymorphism', 'chicken egg', 'genetic variation underlying', 'revealed separate qtl', 'breed underlying', 'pig using selective', '272 kg milk', 'background innate', 'responsible osteochondrosis', 'mitochondrial poly', 'dominant large', '27 linkage', 'snp cast gene', '159 microsatellites', 'mapping performed separately', 'sow investigate', 'family genotyped total', 'significant effect sfd', 'gene setting priori', 'churra sheep provide', '02 used evaluate', 'identified region chromosome', '635 snp retained', 'snp 98 10', 'trait specific significant', 'qtl type', 'qtl 124 statistically', 'consumer prefer high', 'cytokine proposed', 'axis critical', 'heterozygosity 33', 'mechanism gene lead', 'ghrhr igf1 polymorphic', 'mastitis trait significant', 'qtl ssc7 growth', 'influence 75', 'coq9 ssc6 egfr', 'kit influenced number', 'polymorphism tightly associated', 'service sire stillbirth', 'pig confirmed significant', 'used channel catfish', 'snp 47673g', 'gwas explained 72', 'improvement current', 'previously observed f2', 'based pietrain sired', 'utt examined strain', 'selected lean', 'constructed chicken resource', 'gene gene', 'genetic variability', 'biological mechanism undetermined', 'genome using illumina', 'measurement included total', 'region ssc3 13', 'increased effect additive', 'replicated fine', 'landrace 01', 'pig representing breed', 'stratification statistical power', '148 snp 16', 'scan included', 'transcription factor regulation', 'problem bone', 'production trait bovine', 'based known biological', 'wk measured cross', 'ability recycle pregnant', 'study suggest potentially', 'extremely predominant', 'cm herd', 'rs109923480 gwas', 'data exemplarily', 'human mitochondrial mrna', 'identity 4986 bp', 'qtl 49', 'selection locus significant', 'variation exists number', '119 boar commercial', 'eye colour category', 'variant region explained', '2x10 16 result', 'loss 200 million', 'haplotype cl', 'limited finally', 'identify validate', 'ratio meat quality', 'duplication utr', 'conclusion data', 'transcript fetal', 'composition abdominal fatness', 'beadchip 62 163', 'production trait indigenous', 'cross 186', 'candidate gene sucla2', 'statistical difference', 'box test snp', 'population danbred', '24 ph1', 'occidental population man2b2', 'recognition gene underlying', 'revealed total 649', 'locus milk trait', 'rate 90 minor', 'using illumina', 'importance constitute valuable', 'laboratory estimate androstenone', 'association using', '25 snp centimorgan', 'expression skeletal', 'high daily milk', 'practical significance field', 'dpi respectively', 'standardized behavioral test', 'norwegian white sheep', 'effect cebpa gene', 'chicken flock threatens', 'c12 c14 c16', 'conclusion data identified', 'association contribution', 'novel candidate', 'variance chromosome trait', 'la 44', '01 cecum', 'intramuscular fat identify', '14 21 snp', 'mechanism correlated', 'adiposity gga4', 'association fcr single', '01 fcr 114', 'increasing brahman influence', 'tassel program', 'ssc10 ssc11 ssc12', '9400 51 977', 'ywt carcass', 'data bodyweight gain', 'trait duroc boar', 'ovarian follicle large', 'bovine autosome genome', 'model additionally', 'role gene pig', 'confirmed genotyping additional', 'background impaired fertility', '140 pig', 'electric conductivity', 'gene pathway', 'average drip', 'gene snp explored', 'life dairy cow', 'haplotype distribution 001', 'snp basepair', 'dataset addition quantified', 'compared traditional', 'aa 05 ac', '13 000 snp', 'backcrossed 12', 'record management', 'result dna', 'resistance developing disease', 'counterintuitive polymorphism', 'base pairs', 'chip target', 'matching herd', 'addition potential', 'chicken association', 'extracellular matrix cumulus', '210 day age', 'express substantial variation', 'snp ex1 allele', 'influence colour utilising', 'mediterranean country', 'prolificacy finnish', 'metabolism serum', 'method parameter', 'intron region sh3', '42e 07', 'independently confirmed', 'used ass', 'region located ssc5', 'chromosome 4q', 'genomic region validated', 'segregation analysis marker', 'snp fiber diameter', 'sb using', 'lactation sc region', 'semimembranosus muscle lm', 'fundamental research practical', 'genetic variation exon', 'eye iris depigmented', 'feedlot cattle caused', 'percentage weight', 'allocated autosomal marker', 'disequilibrium adjacent marker', 'case univariate approach', 'dopamine receptor d4', 'disease combined', 'gene bird response', 'genotype tt ebpβ', 'polypay dorset', 'association test using', 'different fatty', 'purebred duroc line', 'qtl mainly', 'gene family associated', 'luxi luxi simmental', 'confirmed significant polar', 'correlated premium', 'ssc9 result shed', 'using identity', 'map especially organism', 'concentration holstein', 'avian influenza hpai', 'particularly 44g', 'reported feed', 'association percentage saturated', 'exerts large range', 'chicken used identify', '10 threshold', 'snrpd3 khdrbs2', 'ere identified pooled', 'significant effect daily', 'protein percentage chromosome', '19 grandsires 499', 'effect age puberty', 'triglyceride tg high', '14 06 qtl', 'susceptibility footrot', 'harbouring putative qtl', 'tolerate excessive', 'identified career', 'jersey explore', 'related salmonella', '05 associated fatness', 'rs41919984 rs41919986 synonymous', 'study total 765', 'efficient breeding', 'milk trait milk', 'kb fabp5', 'anoctamin ano2', 'formed fetus collected', 'value 05', 'gga7 gga9 static', '55 cm estimated', 'inbred commercial leghorn', 'including triiodothyronine t3', 'exon polymorphism 2323', 'code tga apob', 'producer voluntary basis', 'mrna increasing functional', 'cdh8 igsf21 candidate', '19 generation resulted', 'study lack', 'trait carried snp', 'sex revealed', 'productive herd life', 'level opn', 'mechanism underlie trait', 'range size', 'chicken chromosome relating', 'rate female', 'using ray', 'population man2b2 unique', 'snp integrating', '260 microsatellites', 'level family analyzed', 'using maximum', 'deposition important', '119 cow', 'probably covered marker', 'indicated mutation', 'porcine 60k beadchip', 'c6 additional', 'research commercial', 'spectrometry broiler population', 'association novel single', '113 mb', 'bull heritability caudal', 'investigated 004 pig', 'trait muscle biochemistry', 'association single trait', 'kinship matrix snp', 'selecting superior meat', '10 genetic architecture', 'backward elimination analysis', 'values s26449', 'significantly associated cecum', 'utr 1040t phe347ser', 'face mdv', 'hoxa family', 'association analysed', 'perception food', 'high daily', 'difficult identify gene', 'aim research evaluate', 'bred ai', 'strength vitro hek293', '219 039 respectively', 'mrna abundantly expressed', 'myoglobin content shear', 'detected 100', 'aflp combination', 'confirms significant', 'growth chicken population', 'model investigate', 'disease foal breed', 'cattle genome wide', 'correlate milk', 'ratio compared 29', 'region plag1', 'v150i v315 a337', 'dtd pattern', 'associated fishy flavour', 'scan important', 'abdh5 affect', 'significant 38 mb', 'variant superior', 'locus known', 'genotype greater', 'identified population', 'specifically sytl3 bind', 'association region', 'esnps located sus', 'fat 57 18', '10th rib backfat', 'g4533815a snp', 'mountain alberta', 'mb apart', 'population resource', 'resistance adult sheep', 'substitution prkag3 ile199val', 'anonymous gene sixteen', 'based fragment', 'gain tmem18 skeletal', 'dscaml1 sod1', 'separately statistical', 'oestrous sheep 01', 'snp single snp', '24h identified chromosome', 'lowest 16', 'bh sire genome', 'improve horse health', 'size lcorl', 'according clinical finding', 'indirect improvement', 'mapping revealed human', 'regulatory effect', 'tissue located 41', 'aim study study', 'influenced trait linear', 'used response', 'gh1 pou1f1 ghr', 'suggests difference', 'reported metabolic', 'tree identifying qtl', '05 01 level', '05 01 determined', 'fertile expected simple', 'gene chinese native', 'trait including qtl', 'marker putatively', 'nonlinear model weight', 'predisposition develop equine', 'qtl association', 'tg growth hormone', 'smaller phenotypic effect', 'fto polymorphism', 'prediction model bayes', 'defect porcine experimental', 'result progeny testing', 'score bos taurus', 'week age age', 'bac fingerprint', 'qtl age', 'marker lower probability', '05 primal', 'control mineral', 'angelman syndrome resequencing', 'network related cellular', 'qtl myofibrillar component', 'interaction let 7c', 'worth exploration', 'strongest positional functional', 'usual warner', 'cmya1 gene homology', 'objective study fine', 'gwas conclusion result', 'specific phenotype', 'major gene increasing', 'affecting single', 'large sample stallion', 'pleuropneumoniae resistance swine', 'acute viral disease', 'showed significant 10', 'based corresponding physiological', 'sequencing project', 'increased marker', '180 debao', 'meat dry', 'sire family', 'daughter male founder', 'production conclusion', '153 qtl', 'addition maintenance', 'population family based', 'snp ggaluga151406 gga_rs14554319', 'cpm prkg1', 'study agrees', 'affecting bw detected', 'population evaluate effect', 'using primer designed', 'raised southern', 'pig herewith', 'excluded requiring fine', 'background earlobe', 'landrace pl polish', 'production trait identify', 'autosome bta', 'array seven snp', 'cm current', 'c34t lead', 'gwas analysis', 'mainly influenced leg', 'phenotype daughter', 'sperm ejaculate sperm', 'counting number vertebra', 'ssc7 ear', 'genotype suggested', 'million chicken', 'cross showed', 'mechanism lead new', 'network enrichment analysis', 'pig 253 bp', 'additional insight potential', 'similar tissue', 'receptor interacting serine', 'sow examined', 'allele substitution effect', 'autosome qtl', 'microsatellite sw1953 ssc8', 'understanding underlying genetic', 'block significantly', 'conducted pig lifetime', 'intake trajectory', 'imputed genome single', 'mb distal centromere', 'associated pleurisy', 'analysis genetic association', 'analysis showed', 'disease world', 'genetic marker imf', 'intake fcr', 'gbrowser http crcidp', 'genetically related qtls', 'bac end sequence', 'population imprinting', 'water holding', 'nucleus includes transcription', 'offspring sire known', 'egg white thinning', 'tested measured', 'cattle developed', 'control developmental process', 'finding performed genome', '1692 8774 1226', 'cattle analyzed mutation', 'polygene based knowledge', 'chromosome affect milk', 'serpin gene family', 'kit associated white', '01 snp rs43032684', 'contagious disease farm', 'replicated 05 collectively', 'gene different tissue', 'significance level jointly', 'variant improve', 'common snp', 'gene inflammatory disease', 'map quantitative trait', 'cob analysis', 'construction genetic', 'fat percent bta1', 'individual snp', 'examine eyelid', 'useful model better', '569 significantly', 'important pig industry', 'approach includes defining', 'snp indicates', '23 24 addition', 'growth rate region', 'standard additive dominance', 'milking ease', 'resistance affect', 'industry improved using', 'c18 c14', 'kosher resistant', 'model respectively total', 'use transcriptome profile', 'dmi body condition', 'trait directly', 'malnutrition potentially genetic', 'cow significant', 'observed population', 'sphingolipid protein', 'supported evidence chromosomal', 'probability aforementioned', 'g4533815a g4533675c snp', 'coli respectively result', 'analysis eth10 locus', 'physiological measure trait', 'cross divergently', 'snp chip used', 'kept constant replacing', 'slaughter pig result', 'ml sheep', 'gene encoding subunit', 'heterozygote significantly lower', '808543 located upstream', 'impact swine', 'prolactin mixed', 'individual tissue clustering', 'relationship sire serum', 'gene known associated', 'function related', 'importance variation es', 'snp showing genome', 'trait including peak', 'snp 10 78', 'ca based previous', 'effect bl', 'sequencing technology snp26', 'sheep method ovine', 'susceptibility tb', 'live weight meat', 'maintain production', 'associated mechanism', '1054t 1122c 1143g', 'gene suggested potential', 'complement activity based', 'validated study', 'allelic substitution', 'composition previously detected', 'sourced chromosome 23', '16 udder morphology', '18 fp ebv', 'effect obtained', '19 36 respectively', 'total trait variance', 'footrot identified', 'data depending estimator', 'oc fetlock', 'square linear model', 'step cm step', 'putative positional', 'route better', 'analysis revealed multiple', 'eqtl scan focused', 'effective selection', 'suggesting mutation gene', 'link possible', 'height ratio body', 'angiopoietin pathway likely', 'window variance monte', 'growth selective', 'locus locus locus', 'improvement japanese black', 'owing qtl 74', 'cattle ccaat enhancer', 'carcass length', 'transformation likelihood', 'sheep potentially useful', 'included snp previously', 'reproduction concentration', 'homeostasis previous', '28 18 significant', 'indicated statistically significant', 'lep gene', 'regarding immune cell', 'threshold bovine', 'gene sc', 'milk important', 'height reg3g regenerating', '32 affected 64', 'snp slc9a3r1 nos2', '15 cm', 'marker associated disease', 'affect atgl expression', 'database analyzed', '57 university', 'ultrasound measurement', 'mono oxygenase fmo3', 'pgf expression', 'region identified gene', 'tested artificial insemination', 'demonstrated context dependent', 'ratio significant 12', 'integrity rate abnormal', 'region bovine chromosome', 'animal percentage total', 'sire 286', 'direct effect stillbirth', 'included 32', 'breed level', 'percentage somatic cell', 'hic1 transcription factor', 'study identify potential', 'phenotype actively', 'large effects qtl', 'represented identified pleiotropic', 'skeletal frame size', 'effect variables association', 'significant effect relevant', '306c located', 'genotyping beadchip population', 'marker effect production', 'effect novel', 'bw70 bwg feed', 'mutated ube3b gene', 'threshold animal', 'total single', 'unfavorable rg', '606 006', 'distinct qtls chromosome', 'effect c14 percentage', 'make aim present', 'human comparative map', 'cast capn1 snp', 'phenotype studied', 'control variation', 'copy lcorl', 'eu eu sire', 'spp prevalent', 'utilise data', 'rs81399474 rs81400131 rs81405013', 'gave conclusive', '1751a asp582gly berkshire', 'identify homozygous', 'genomic model 40', 'response expression level', 'treated previously', 'chromosome wide significant', 'data powerful candidate', 'industry breeding', 'mrna level sox', 'performed using half', 'population study provides', 'marker texan2 sire', 'sire allele', 'gene cluster especially', 'association verified', 'effect fabp microsatellite', 'completely partially', 'heavy bodied', 'tfn qtl pig', 'clear candidate', 'followed validated', 'eprs trim29 ehmt2', 'term submaintenance', 'enhance direct selection', 'attempt identify', 'c14 c14 c16', 'applied statistical analysis', 'typical western pig', 'scurs addition additive', 'height fat meat', 'mir predicted milk', 'trait related growth', 'lyrm4 ktn1', 'gga5 using', 'thirteen single nucleotide', 'affecting feed intake', 'eye development reproductive', 'ab aa', 'qtl cpd german', 'different inbred', 'identified chromosome 21', 'animal associated', 'disease usually', 'male calf 14', 'considered indicator', 'ige igg', 'analysis facial', 'approach bvs', '60 respectively result', 'bta28 chromosome', 'conducted comparing', 'association tg_x05380 422c', 'value 28 10', 'c16 c18 c16', 'bovine chromosome previously', 'human nutrition dairy', 'mir 1596 3p', 'unusual gene conferring', 'differential expression skeletal', 'hybrid silico', 'using specialized', 'data suggest mir', 'gga1 gga2 dl', '01 observation', 'bt rib eye', 'number pig total', 'chicken genetic', 'chicken red', 'fasting plasma glucose', 'response driven', 'using software package', 'variance monounsaturated fatty', 'kdr tdo', 'fat thickness qtl', 'caused amino', '42 weight', 'involved major', 'g3072a igf2', 'occurring mirnas', 'percentage unit', 'additional gene marker', 'individual showed', '0001 associated', 'ppargc1a abcg2', 'aim investigate', 'promising gene', 'important indicator', 'moving 10 sick', 'compromised eggshell quality', 'snp embedded illumina', 'communal natural', '85849977 49 10', 'covariate factor', 'negative energy', 'qtl affecting fat', 'individual length width', 'qtl maternally imprinted', 'variability genetic parameter', 'brandon manitoba university', 'main casein milk', 'thickness 05 pl', 'type lysosomal storage', 'identified liver', 'associated total milk', 'bp deletion', 'gene strategy', 'software mixed linear', 'gene broad', 'actn2 plxnd1', 'snp illumina 50k', 'role xenobiotic transporter', 'nn 10 ap', '95 variant association', 'intercross backcross family', '60 porcinesnp60', 'imputed genome sequence', 'rw070 showed fixed', 'mastitis square analysis', '45 44', 'locus extensive', 'model provides', 'isu uoi', 'scottish blackface artificially', 'area bta qtl', 'key candidate milk', 'beta lactoglobulin polymorphism', 'linkage mapping facilitate', 'pig monitored', 'snp panel accounting', 'remained experiment', 'negative effect adg', 'average age 113', 'little research', 'mapped 70', 'impact growth', 'data set including', 'opportunity understand ovine', 'provide direct', 'bta 29', 'trait identified qtl', 'snp genotyped massarray', 'fetal growth', 'assigned unplaced', '3rd 4th', 'rs41919984 rs41919985', 'mdv major', 'qtl detection 160', 'genetic selection rapid', 'trait rainbow trout', '363 animal', 'acid polyunsaturated long', 'large effect length', 'type beard wattle', 'effect additive', 'susceptibility contributing observed', 'potential mechanism involved', 'chronic disease single', 'acid 22', 'mining significant', 'expression analysis carried', '25 gene number', 'completed gensel software', 'trait based association', 'furthermore plumage condition', 'gene affect kosher', 'tcf21 based', 'qul capns locus', 'express 33', 'aj292286 1330g', 'desirable increase', 'coefficient probability corrected', 'exclude c1843t', 'rxrg sdhc locus', 'tissue accumulation', 'national center cool', 'bft2 backfat', '8068 reached significant', 'harbored significant', 'inhibitor hif1an', 'capn1 located chromosome', 'ghrl ghrelin', 'performed different period', 'scan 31 phenotype', 'cywater percentage', 'targeted exome', 'trait potentially', 'mum different parity', 'day suggesting affect', 'rrn3 asap1', 'allele positive effect', 'population consisted 2327', 'identify enriched pathway', 'gene studied', 'mapping study bta', 'snp mixed linear', 'carried gwass total', 'specific genomic', 'generally joint', 'clinical epidemiologic study', 'tibiotarsal breaking', 'plink software using', 'sheep using', 'poisson distribution', 'temperature lesion chromosome', 'sequence bovine', 'effect differed', 'grandsire family using', 'impact animal', 'breed multibreed', 'gene slc11a1', 'alive total', 'important pattern', 'qtl esc', 'capacity follow', 'mapping chromosome', 'bta2 42 72', 'hr birth', 'characterized excessive', 'locomotion problem bone', 'stature confirmed', 'variant significant phosphorus', '05 haplotype 42344t', 'homozygous animal', 'size used trail', 'mcv mch future', 'chromosome 93', 'sample 201', 'german warmblood', 'nematode sheep', 'protein type', 'ubiquitin protein ligase', 'value qtl maximum', 'associated susceptibility btb', 'trait examined fiber', 'line mapped f2', 'measured ew time', 'predicted haplotype', 'cm distance', 'amplified in2 primer', 'genome wide genome', 'metabolic index fatty', 'dopa decarboxylase', '40 43', 'qtl length', 'ssc7 explained estimated', 'content decreasing unsaturated', 'acop associated', 'association abcg2 fe', 'level exposure map', 'dam good physiological', 'ctsk selected', 'currently pastoral', '259 amino', 'environment increase', 'analyze data', 'evidence existence', 'identifying marker serve', 'remodeling lactation', 'cecum content bacterial', 'meat quality major', 'effect sib family', 'effect alpha', 'identified chromosome clinical', 'lrp12 tribbles homolog', 'representing breed', 'detailed phenotypic', 'major mb window', 'pbw pregnancy', 'phenotypic measure long', '01 association', 'associated tt genotype', 'sequenced broiler leghorn', 'farm substantial', 'life calf', 'gain better understanding', 'wide scan strongest', 'cm analysis 14', 'box cox transformation', 'trait locus mapping', 'ghr respectively uncovered', 'element supported', 'improve pig meat', '1310 ovlv', 'mesh enrichment analysis', 'white revealed novel', 'reached highest', '08 respectively', 'regard order', 'formation finding provide', 'region fact harbor', 'lower value tnb', 'ghrhr ghr igf1', 'true qtl', 'produced mutation', 'step poor eggshell', 'architecture gwas', 'confirms teat udder', 'identified pair', 'method collected', 'internal organ trait', 'presently quantitative trait', 'average phenotype dense', 'relationship series', 'detected identified snp', 'tigar sept7 kirrel3', 'growth obesity', 'bft vivo ssc10', 'differential association', 'carrying genotype', 'resulted protein', 'gene purportedly', '248 cm kosambi', 'detected basis', 'beadchip f1 individual', 'acaca relevantly associated', 'step forward unraveling', 'ssc9 near', 'conception fewer day', 'influence growth', 'locus change', 'lightness yellowness significant', 'bta 23', 'trait studied seven', 'cm2 cm3', 'influenced multiple', 'rate affect body', 'single boar family', 'element strongly associated', 'rflps bovine prdm16', 'tnf promotes', 'concentration c3c', 'breed homozygote gg', 'world association specific', 'cancer eye cancer', 'visfatin leptin', 'conducted basis', 'important genomic', 'locus gene apart', 'controlling trait oar1', 'significantly increased carrier', '76 individual using', '05 genotype dd', 'using 50', 'acid change exhibited', 'conducted marker available', 'factor gdf5 involved', 'breed analyzed variation', 'allele appeared', '20 chinese', 'daughter produced', 'overcome employing', 'rs107856818 rs107856856 rs107857156', 'specific form', 'unrelated sire novel', '1013 genotyped', 'involved chitinase', 'suggested snp', 'cancer model continuing', 'layer data understand', 'cow map', 'resistance previous', 'gene addition region', 'weighted analysis', 'employed reduced representation', 'resequencing panel', 'breeding perspective', 'age 05 snp28', 'analysis refined critical', 'evolutionary benefit', 'foot used distinguish', 'linkage independent qtls', 'analysis ci posterior', 'acid dairy', 'snp indicated regulation', 'proposed strong candidate', 'eqtl mapping', 'ppar signaling pathway', 'fetal growth identified', 'variance qtl accounted', 'acsl4 candidate', 'identified cluster highly', 'additionally test statistic', 'heritability trait process', 'ibh cutaneous', 'square interval mapping', 'suis infection fec', 'theoretical basis', 'using constrained tensor', 'carried significant association', 'igg2 response', 'phagosome tight', 'polymorphism snp 31224g', 'near gene', 'clearly outweigh', 'quality analysis performed', 'igfbp7 adamts3', 'associated snp account', 'ornament comb', 'thickness narrowed interval', 'fst involved', 'silico approach', 'role suggestive molecular', 'ifn il 10', 'mapping precision earlier', 'mon 2203', 'random model circulating', 'genotyped illumina 50k', '80 cm bta5', 'candidate gene grm4', 'polymorphism located lactalbumin', 'highly expressed parorchis', 'width chromosome sw1037', 'probability qtl', 'related phenotype dongxiang', 'chromosome dairy population', 'pork method', 'identified brown', 'result following adjustment', 'using recently released', 'covering 18 porcine', 'keds segregating free', 'vaccenic acid', 'bmp binding', 'length week 1730t', 'percentage carcass carcass', '000 50k single', '10 selected', 'kb apart arpp21', 'evaluate backfat thickness', 'overlapped 750', 'qtl bta23 estimated', 'result refined qtl', 'acid content composition', 'matrix phenotype', 'number originated chinese', 'region carry', 'associated survival following', 'horn growth', 'viral antibody', 'volume manure', 'microbial pathogenic', 'palmitoleic vaccenic fatty', 'piebaldism holstein', 'study performed f2', 'general scan meat', 'impact fat size', 'rambouillet flock', 'acid mineral citrate', 'accelerate identification', 'basis trait approach', 'hoop phenoypes collected', 'rlf fmp', 'equilibrium 05 breed', 'near centromere hypothesis', '612a exon ile159val', 'level family level', '6321 hol bull', 'btax bta10 bta5', 'igg1 igg2 response', 'mexico h7n3', 'adg nellore', 'birth ssc13 lesion', 'genome region snp', 'increase understanding constitutive', 'family based association', 'dio3 gene involved', 'tyrosine present nucleotide', 'genetic architecture pork', 'inconclusive confirm qtl', 'located similar region', 'control located chromosome', 'load dpi', 'gga2 respectively chromosme', 'dorsi ld gluteus', 'caused mutation', 'observed decr1', 'outbreak fowl typhoid', 'related production livestock', 'spanned 382', '01 004', 'cm studied', 'maternal permanent environment', 'reveal new', 'docosapentaenoic acid content', 'moderate information', 'revealed statistically population', 'significant association scd', '159 large effects', 'gemma software mixed', 'qtl generation', '339 lactation', 'water ash', 'snp t314c', 'ewe significant effect', 'signalling haemostasis', 'indicator udder health', 'respectively result', 'confirmed porcine cmya1', 'performed genome', 'marker af', 'identified 9657c', 'sire pool genotyped', 'using heterogeneous', 'gene region result', 'androstenone ssc2 detected', 'role induction', 'including tnfrsf1b', 'affecting post', 'detected qtl gompertz', 'trait correlated', 'newly detected study', 'effect microsatellite bms490', '26 trait gwa', 'providing start', 's0069 ssc8', '44 cm 51', 'mirnas 20', 'cm male', 'pig population region', 'involving different breed', 'nos3 bmp1 slc19a1', 'second peak', 'separate genome wide', 'linear transformation clarified', 'marker microsatellite', 'bta10 bta11', 'parturition important', 'insemination caused sudden', 'importance use', 'considerable economic loss', 'additional insight', 'oar3 showing highest', 'throughput method analyzing', 'mbp bos', 'identified inverted', 'yield cow genotype', '251 kb', 'heritabilities identify locus', 'contributing better selection', 'recurrent case dd', 'emmax revised significance', 'individual protein abundance', 'weight 490', 'complex subunit related', 'consisting 100 female', 'progeny pedigree used', 'study plasma glucagon', 'grading trait lm', 'snp ucp3', 'indicate aflp', 'qtl wing', 'significance level declaring', 'phenotype 16', 'service hcr1', 'screened single nucleotide', 'analysis showed snp07', 'indole mrna', 'identified substitution', 'utilized random regression', 'egg egg weight', 'identified gene', 'ratio 0004 fatness', 'strategy manage disease', 'sqsl1 explained', 'lp lactation', 'parasitism production trait', 'suggesting selective', 'sire inconclusive confirm', 'male 24', 'limited sample population', 'tibia individual', 'analysis tbg significant', 'egg trait chicken', 'level opn secreted', 'level marbling japanese', 'mutation npc1', 'marker interval gamete', 'correlation 60 similar', 'includes animal', 'based different', 'predictor carcass trait', 'confers heterozygote', 'pex7 ssc', 'bulge20 bm81124', 'single qtl reached', 'gene trait single', 'study lead', 'ssc2 ssc16 01', 'birth chromosome significant', 'low association analysis', 'grazing gastrointestinal', 'production low input', 'protein 49', 'hinfi animal aa', 'modulated certain', 'pai major', 'trait family specific', 'wrinkle formation', 'map qtls log', '13 23', 'causative snp', 'microsatellites maml3 snp', 'additional f2', 'lectin mbl', 'gwas depends', 'hw meishan', '01 43 lowest', 'gene presence', '2515 mon', 'average diameter', 'large white', '05 01 decreased', 'region bta6 confirmed', 'locate chromosomal', 'imprinting closely linked', 'region conducted genome', 'dgat1 allele', 'small 215 bp', 'important understand', '57 60', 'activation desaturation', 'using genomatix', 'f41 remains', 'swine fever', 'high quality snp', 'selection shaping', 'multiple snp encompassed', 'estimate genetic value', 'sib group', 'nineteen qtlrs distributed', '919 snp', 'erythrocyte antigen marker', 'pig finding current', 'year round lambing', 'like transient', 'analysis revealed numerous', 'white duroc breed', 'bmp15 candidate gene', 'association study possible', 'prioritized used', 'cbg variant transfection', 'r2 value', 'ability important', 'history identifying', 'genetically modified animal', 'association fork', 'commercial dissection adjacent', 'sexual maturity significantly', 'remain poorly understood', 'snp pooled analysis', 'trait method qtl', 'bayesian markov chain', 'believe comparing', 'seventy genome wide', 'ssc6 mb ssc14', 'em qtl', 'eumelanin black pigment', 'nba snp', 'trait weak', 'previous gwas indicating', 'association pit polymorphism', 'measurement carcass length', 'steer sired angus', 'slaughter incidence', 'snp panel used', 'effect length', 'association analysed trait', 'gene fall', 'insight molecular genetic', 'gene deserve', 'estimate heritabilities', 'genotyped 120 microsatellite', 'nfatc4 abtb2', 'potential identify functional', 'identified suggest alternative', 'taint undesirable animal', 'associated fat deposition', 'data primiparous holstein', 'region previously identified', 'family analyzed interval', 'novel principal', 'reflect cow reproductive', 'associated odds infection', 'study unraveled', 'trait form', 'diameter significantly higher', 'family result', 'genetics host parasite', 'result indicate bmp15', 'widespread pig industry', 'sequencing overall', 'analysis 81 protein', 'high frequency exclusively', '05 year old', 'used observation following', 'associated mrna level', 'pietrain breed pig', 'identified region small', 'estimated association analysis', 'new qtl suggest', 'boar using porcinesnp60k', '22 trait allele', 'yellowness effect retinal', 'tt 14 effective', 'intensive growth using', 'tailed wool sheep', 'etiology necessarily adult', 'greater chest', '12 mb', 'danish holstein grandsires', 'susceptibility recurrent', 'significance threshold region', 'conducted identify polymorphism', 'average spacing', 'fat different population', 'variance major difference', 'group influencing pigmentation', '38 cm variance', 'nn 10 mum', 'strongest effect ssc8', 'cryptic allele important', 'ghr mixed animal', 'variant filtered', 'ssc1 marker', 'increasing allele bta14', 'bac clone containing', 'global picture identifiable', '25 6n', 'animal reference', 'pcr hha rflp', 'study provides insight', 'study provide support', 'population romney merino', 'considerably improved power', 'effect hatch gender', 'subsequently showed haplotype', 'identification large effect', 'qtl detected', 'tox3 gene parameter', 'exon bos', 'qtl analysis egg', 'association elisa', 'effect apob', 'density 777k', 'identified polymorphism p3', 'autosome association marker', 'bovine milk fat', 'leg ssc 10', 'lamb approximately month', 'unique qtls abdominal', 'trait ph 15', 'decreased 97', 'white leghorn progenitor', 'potentially associated important', 'bos taurus examined', 'affymetrix high density', 'significant qtl showed', 'ssc 10 mb', 'polymorphism haplotype present', 'type cnv ranging', 'harbor scd', 'percentage afp plasma', 'sample 043', 'animal integrative', 'dichotomous trait frequency', '05 mb', 'result marker trait', 'dik2862 bms778 lod', 'experiment based', 'importance evolutionarily economically', 'factor similar', 'line single nucleotide', 'known genetic control', 'tg gene', 'infection inflammation post', 'beta adrenergic', 'involved thyroid metabolism', 'yield milk quality', 'considered selection program', 'given qtl family', 'randomly chosen', 'regulatory motif', 'function 68', 'f2 cross significant', 'color horse', 'forming network interacting', 'catalyzes step hypusine', 'investigated sequence', 'measure exposed feather', 'detected trait time', '1985 positive', 'power detect true', 'average value linkage', '25 candidate', 'model human', '800 animal pig', 'holstein experimental', 'association trait covariates', 'phasing snp chip', 'facilitate positional', 'sequencing method 215', 'influencing consumer preference', 'bm7209 position highest', 'cattle productivity investigated', 'region associated resistance', 'identified bovine', 'maternal antibody response', '043 02', 'polymorphic microsatellite marker', 'marker representing 29', 'evaluated using', 'implementation polymorphism', 'meishan cross resource', 'included analysis', 'heifer pregnant ai', 'massif central', 'window higher compared', 'development genetic', 'architecture underpinning production', 'sheep adapted', 'data suggest prkag2', 'predicted retail', 'meishan pietrain family', 'nr3c1 leading amino', 'semen quality', '45 min ultimate', 'sequence detected novel', 'marker include breeding', 'model individually', 'gpr155 fyve domain', 'susceptibility acute chronic', 'il8 chemokine', 'fw located chromosome', 'microsatellite marker situated', 'test association total', 'key founder', 'used qtl', 'gene single nucleotide', 'ssc7 marbling', 'direct interaction muc13', 'mixed model approach', 'transcript profile linkage', 'analyse effect 11', 'bovine dna chip', 'important quality', 'supply nutrition piglet', '12 3020a 4500a', 'calpian capn1', 'cattle plag1', 'investigation revealed', 'association irf3 shown', 'common haplotype result', 'association analysis indicated', 'calculate weight snp', 'related testis', 'relevant information', 'total particularly interesting', 'gradually declined', '300 measured', 'caudal supernumerary teat', 'presented indicate', 'abcc4 bta12 cbfa2t2', 'snp explained approximately', 'tested robustness', 'area measured ulna', 'associated ncapg', 'association number single', 'previously associated dpr', 'lowest highest', 'alpha calculated', 'lumbar fat 08', '35 palpation heifer', 'btb significant', 'acsl1 gene 481', 'genotyped using chicken', 'k88 strain', 'corrected number', 'egg weight population', 'aa gg genotype', 'genomic profile total', 'gene landrace pig', 'used improve efficiency', 'detect peak', 'growth production lean', 'ancient mutation time', 'effect qtls trait', 'diplotype bmp15', 'feed efficiency specie', 'suggest use molecular', 'lectin domain family', '04 56 05', 'documenting population', 'defect condition', 'mapped quantitative', 'mainly enriched variant', '12q21 12q23 located', 'included snp gene', 'response crowding stress', 'various emotional social', 'erhualian population identified', '691 commercial', 'mcm130 affecting', 'mutation summary', '1029 individual white', 'task multiple testing', 'reactivity tolerance human', 'demonstrated research', 'gene genotyped', 'pig exposed experimental', 'aimed map qtl', 'determined controlling', '992 progeny', 'enlarged sample cattle', 'indicator udder', 'qtls abdominal fat', 'collected explained 11', 'possible use calpain', 'total 27 highly', 'performance association', 'array reference genome', 'study represents complete', 'association different chromosome', 'body weight 12', '10 threshold phenotypic', 'production trait prlr', 'significant snp remarkably', 'lamb allocated half', '11 predominant accounted', 'affecting limb', 'gene bdkrb2 gtf2ird1', 'analysis assigned gene', 'tgf betar sequencing', 'ability sow', 'displayed thinnest', 'sd haem', 'multiple generation', 'bone breakage study', 'proved successful', 'backcross lamb entire', '03 16', 'discovered sus', '76e 07', 'gene conclusion use', '14 using identical', 'located intronic region', 'fk506 binding', 'control group', 'holstein gwas combining', 'myc proto oncogene', 'involved study aim', 'lead acute', 'biological practical', 'reference candidate gene', 'f10 generation respectively', 'fertile expected', 'kidney fat', 'broiler sire dam', 'prevalence proviral concentration', 'reciprocal cross phenotyped', 'proteolysis analysis 81', 'test measured', 'bioinformatics analysis result', '01 fetlock', 'variation fatty', 'term human health', 'association feed', 'allele traced', 'analyzed association polymorphism', 'analysis various subtypes', 'familiar production 104', 'adr inra design', '14 female fertility', 'th including triiodothyronine', 'qtl chromosome 100', 'region caused', 'dietary organoleptic', '299 genotyped', '15 total', 'individual subjected behavioral', 'qtl causing', 'study comprehensively evaluates', 'trait including metatarsus', 'mutation discovery sheep', 'haplotype constructed basis', 'fat tissue significantly', 'selection far', 'association analysis imputed', 'preferential male mediated', 'estimation linkage', 'set 777', 'build genomic selection', 'snp associated 17', 'twinning herd', 'fertility trait complex', 'excretion qtl genome', 'qtl 25', 'consumption usually designed', 'control line significant', 'chromosome best', 'interaction mt', 'novel polymorphism snp', 'evaluated polymerase', 'clinical case revealed', 'dominance effect btb', 'reported web based', 'genetics refining', 'growth health', 'trait main selection', 'recorded association identified', 'gland present work', 'functional implication', 'conducted gwas bcwd', 'result using methodology', 'gga23 gg27', 'population including genetic', 'snp51_bta 119876', 'attributed ovine', 'work needed', 'region reached', 'male reproduction', 'using cattle study', '515 bull phenotyped', 'candidate fi1', 'continent particularly negative', 'using 95', 'phenotype significant value', 'secretion significantly associated', 'signal chromosome 23', 'haplotype hap1 hap2', 'heritability estimate', 'density protein cholesterol', 'determine cow fertile', 'respiratory disease likely', 'trait offspring allowed', 'ipnv estimated', 'health reducing economic', 'called shimofuri economically', 'expected negative effect', 'confirm importance obtaining', 'flavour caused', 'trait breed correlation', 'connect ocd associated', 'snp array reference', 'affected sire', 'wide significant quantitative', 'tgfbr1 transforming growth', 'dominance heritability 12', 'ssc2 ssc4 ssc6', 'mainly gene related', 'model circulating probability', 'smma new', 'blup single', 'greater phenotypic value', 'component qtl analysis', 'including snp gene', 'validates region literature', 'measured selected', 'imf deposition', 'bmw percentage cw', '108 qinchuan cattle', 'called longitudinal', 'trait 53 205', 'milk fat composition', 'variance model', 'gene research marker', 'receptor tlr2', 'white cattle', 'illinois yorkshire meishan', 'influenced polymorphism small', 'associated pork quality', 'beef yellow fat', 'program brief 146', 'trait related trypanotolerance', 'subsequently haplotype based', 'linkage qtl', 'qtl similar position', 'method qrt pcr', 'fish 50 gene', 'insag insag higher', 'significant qtls effect', 'minolta duroc breed', 'angus red', 'day located bta2', 'cut average', 'percentage milk measured', 'coopworth sheep sire', 'polled animal 47', 'born tnb', 'surface fimbria different', 'inform search', 'density bmd used', 'family member a3', 'percentage cow sire', 'based minor', 'brahman breeder', 'proportion fat protein', 'measure rarely', '186 progeny phenotype', 'blood hair', 'opn recognized important', 'suggested significant', 'val respectively spatial', 'particularly non production', '20 study result', 'qtl phenotypic marker', 'directly whirling disease', 'variation associated temperament', 'performed population', 'ebv 0097 allele', 'approach joint analysis', 'new data better', 'marker applied duroc', 'follicular igf2', 'family showed', '48 198 snp', 'chl rxfp1', 'trait identified candidate', '31 32 cm', '888 pork', 'genomic analysis', 'objective perform', 'study follows', 'gi parasitic infection', 'altering expression micrornas', 'excluded result suggest', 'package regional heritability', 'previous work north', 'causality significant polymorphism', 'subsequently pedigree', 'gene linked phenotypic', 'seven stallion mare', 'notably nlrc3 nlrp12', 'breeding program estimate', 'developed create window', 'snp study', '44 648 snp', 'individual decrease', 'public health', 'qtls trait', 'analysed animal', 'based genome scan', 'noncortical lod metaphyseal', 'chromosome qtls cross', 'breeding genetic resource', 'wwc2 cdkn2aip trappc11', 'report used deregressed', 'wrinkle herd', '15 month age', 'confirm validity', 'xinghua line white', 'map unique set', 'expiration shortage', 'mutation accounting 12', 'evaluated correlation', 'insulin triglyceride level', 'fat expression pattern', 'viral clearance heritability', 'cm abdominal', 'sss17 tg', 'feature reflects', 'undetected box', 'crimp trait', 'live weight lesser', 'effect pig carcass', 'reported previous gwa', 'trait novel', 'born total', 'high level linkage', 'associated piglet', 'bf intramuscular fat', 'weight haematocrit', 'based association approach', '328 progeny', 'body weight week', '26 individual', 'data support high', 'region fine mapping', 'region localized chromosome', 'allelic effect fat', 'polymorphism investigated pcr', 'wild type genotype', 'fat 18 07', 'included 1077', 'novelty qtl', 'trait daily fat', 'pcr technique', 'pressure demonstrating importance', 'revealed 70', 'feed intake fcr', 'esr2 snp', 'performed 129', 'reproductive disorder data', 'subtypes identify', 'breed 54 790', 'ham weight hw', 'drps pre corrected', 'genotyped 600 single', 'location australia underwent', 'crossbred population snp1', 'major qlt chromosome', 'pig genome identify', 'weight month body', 'western origin', 'rate fdr correction', 'density relative weight', 'position using lald', 'content backfat 15', 'gas1 gpat3', '00 10', 'male qtl', 'bcs dmi', 'pre breeding body', 'juiciness chewiness cooked', 'trait breeding program', 'chromosome ssc9', 'region affecting reproductive', 'st associated fec', 'study indicated snp', 'titre cestode', '83 prediction', '190 day me1', 'gene cluster characterized', 'locus result useful', 'mapping qtl characterization', 'type allele consequently', 'identify important', '10 12 general', 'abundance pectoralis leg', 'elovl6 elovl6 533c', 'single snp analysis', 'ssc12 cie', 'ratio identified', 'density porcine', 'biosynthesis monounsaturated fatty', 'level conclusion result', 'allele major gene', 'sh3rf1 herc2', 'cebpa gene different', 'withers height wh', 'dorsi muscle abdominal', 'reason gene located', 'pinpoint functional variation', 'capacity selection result', 'ld drip', 'termed sal1 present', 'acid composition', 'significant association haplotype', 'locus located locus', 'genetic control native', 'ascites syndrome remains', 'various snp significantly', 'fixed lcorl ncapg', 'endotoxin recently study', 'shown additive quantitative', 'embryonic mortality', 'cross bred lineage', '001 relative', 'followed qtl', 'goal broadened', 'respectively imputed', 'neonatal sheep using', 'used analysis moderate', 'pathway related', 'altered mutation using', 'probability unification method', 'new detected', 'percent pp', 'fsh receptor', 'mean 30 standard', 'pig obesity diabetes', 'contained adipose tissue', 'snp surveyed corresponding', 'bta04 screened number', '226 953', 'precise specific trait', 'selection effective', 'bird measured', 'density lipoprotein intermediate', 'linkage disequilibrium explained', 'underlying molecular', 'individual thought', '10 66 pqtdt', '106779 strongly', 'data research', 'sheep explored', 'lamb slaughtered', 'association analysis mutation', 'fabp activity', 'qualitative trait', 'qtl abdominal', 'chromosome marker association', 'hap2 resolved increased', 'identified synonymous', 'trait inadequacy', 'employed dna pooling', 'gene contribute cattle', 'bp upstream mir', 'fecxr fecge', 'genetic disorder discovered', 'caused missense mutant', 'mb interval associated', '33043081 overlap weight', 'accounted phenotypic', 'date entropion domestic', 'result linkage', '122 62', 'increased calf size', 'marker lei0101 located', 'scan mastitis phenotype', 'highest effect minolta', 'mutated site', 'c20 cis cis', 'furthermore haplotype analysis', 'significant rfi', 'located dog orthologous', 'heterosis previously observed', 'significant additive genetic', 'vaccination level brsv', 'associated vertebral number', 'nesfatin suppressed', 'resulted limited', 'd28521 1574a', 'pc captured', 'drop method performed', 'pedigree result', 'qtl confirmed', 'genetic region associated', '40a single', 'variation lamb', 'explored single trait', 'showed nominally', 'economic concern country', 'pigmentation trait', 'total 32', 'bta6 increased', 'femoral bmd', 'phenotype probably', 'separately previously described', 'variation sc dairy', 'confirmed result demonstrate', 'important feature performed', 'reproductive seasonality sheep', 'respectively statistical analysis', 'influence skeletal frame', 'study empirical value', 'expression gene expression', 'mapping ldla', 'ornithine decarboxylase gene', 'significantly greater random', 'vertebra large scale', 'influence response tick', 'treated superovulation snp', 'region enhances', 'bft1 bft2', 'foot conformation', 'measured spectrophotometer 585', '10 11 significant', 'identified newly', 'influencing trait meishan', 'animal increased', 'information candidate gene', 'content bacterial', 'mammary gland infection', 'map genetic determinant', 'qtl identified sensory', 'value 015 snp', 'coincident present', 'used candidate gene', 'including 44 cow', 'promoter genotype', 'ref older', 'detected chromosome 14', 'gene serum leptin', 'pork effect', 'role controlling', 'using phenotype', 'act form', 'genome influencing', 'persistency lp', 'industry dissect genetic', 'package high low', 'chromosome 12 13', 'chicken sub saharan', 'genotyped soay linkage', 'inferring qtl', 'effect genotype snp', 'interaction production', 'cm explaining', 'cow suggest fabp4', 'specie genetic', 'vl wg42', 'adrb1 506a', 'effect haplotype', 'length carcass slaughter', 'trait research university', 'cm ssc1 significant', 'candidate involvement resistance', 'polymorphism association', 'glo recorded', 'depending qtl', 'additional information genomic', 'detecting kit', 'mtnr1a hypothalamus year', 'cadm2 considered', 'genetics complex', 'heritabilities breed 52', 'reach maximum', 'candidate selection', 'quality pig', 'training history identifying', 'present nucleotide', 'animal genotype increased', 'favourable percentage abnormal', 'genome extension', 'occurring 000 birth', 'site ube3b', 'test power imposing', 'locus affecting economically', 'regulation chemical physical', 'hf subsequently showed', 'subsp paratuberculosis map', 'abhd5 knockdown preadipocytes', 'ultimately leading cyclicity', 'genomic dna 92', 'hmga2 located dog', 'snp chemokine', 'snp possible marker', 'significant marker yielded', 'total 417', 'increased mean corpuscular', 'qtl chromosome result', 'reduce fat deposition', 'holstein 2058', 'involved signal', 'ewe distributed 15', 'type size conclusion', 'correction genome', 'snp 40006g', 'using case', '353c bp', '25225a 25316t utr', '301 piglet', 'principle analysed', 'expression skip compared', 'gpihbp1 interstitial', 'information confirmed ib', 'mb apart approximately', 'quality nutritional healthfulness', 'herd individual', 'conclusion taken finding', '10905e 07 intron', 'reproduction asrep', 'snp capn1', 'obtained 26', 'expression influence morphological', '48 using', 'major qlt', 'breed analysis underpowered', 'pathway bco2', 'milk protein including', 'npffr2 crim1', 'debao pony known', 'trait proximal end', 'thickness subcutaneous', 'improvement trait disease', 'w2cl pwsy', 'signal mexico h7n3', '0010629 value', 'fat metabolism method', 'snp rate 85', 'estimate penetrances psi', 'crossbred population including', 'placenta abortion addition', '261 italian', 'qtl location 67', '165 microsatellite marker', 'trait 41', 'population low', 'using step approach', 'rfi largely', 'rac hanoverian', 'block contains positional', 'fold selected qtl', 'genotype polymorphism neaurp', 'greatly implied trait', 'connected cross', 'growth fatness trait', '72 mb bovine', 'dcd mcd contributing', 'fast method', 'charolais simmental', 'desiccation ham', 'cow northern', 'combined model additive', 'trait presently assessed', 'farm namwon chonbuk', 'disease frequently affect', 'sure independence', 'curd cycurd curd', 'increase growth fatness', 'chicken based', 'leghorn progenitor modern', 'previously detected holstein', 'cyp2r1 clinical mastitis', '10 day farrowing', '05 snp 124', 'heritable estimate', 'activity atgl chicken', 'tissue relative healthy', 'tt tt', 'boar large white', 'meat affect associated', 'population using genotyping', 'expression exogenous', 'coincide qtls detected', 'presence segregating qtl', 'scan using imputed', '305 cow tested', 'study gwas utilized', 'gwas based single', 'infected pig', 'involved process germ', 'locus described', 'approach bayesb', '12q21 12q23', 'distinguish different breed', 'association displayed dependence', 'outbreak 100', 'electric location', 'integral role uterine', 'position 134 bp', 'rate japanese', 'associated chicken growth', 'manipulation trajectory', 'later stage', 'losing statistical', '540 lamb dissected', 'productivity economic prosperity', 'shanxi black mashen', 'commercial broiler line', 'chromosome region', '08 03', 'block including intron', 'location large', '417 bp myostatin', 'recorded semimembranosus muscle', 'particularly beef breed', 'day somatic cell', 'chromosome used result', 'diameter shd', 'grade brown pigmentation', 'bms483 mnb', '24 month age', 'component aim', 'detailed carcass', 'map backcross', 'immune response future', 'mnb66 family', 'trait polish holstein', 'shandong chicken', 'convex fold', 'previous genome sequencing', 'maternal behavior called', 'berkshire pig collected', '22 62', 'collinearity regression closely', 'particularly animal', 'gene candidate gene', 'insight genetic', 'allele microsatellite locus', 'site detected', 'code multiple', 'used 14 paternal', 'snp 636a', 'fat intake stearoyl', 'affecting breaking', 'cattle allow inclusion', 'identified economically important', 'estimated using single', 'affecting mdv resistance', 'available novel marker', '24 chromosome wide', 'chromosomewide significance level', 'haplotype shown powerful', 'region response chicken', 'length number', 'statistic plot', 'coverage identify marker', 'utmost importance', 'me1 genotype longissimus', 'process equine', 'respectively provided good', 'cattle square analysis', 'analysis designing', 'infected cell vitro', 'ax 311625843 ax', 'idea functional polymorphism', '104 mb', 'qtl tested 80', 'using phenotypically extreme', 'bft hanwoo', 'similar autosomal recessive', 'qtl genetic', 'value 10 additive', 'named tarantino', 'paternally imprinted igf2', 'polymorphism explained variation', 'function lung', 'occur result', 'qtl associated cw', 'different allele frequency', 'snp associated susceptibility', 'genetic control qtl', 'addition haplotype explained', 'population order', 'derived northeast agricultural', 'related locus', 'mapped major quantitative', 'crossing pietrain', 'bta 20 identified', 'indicator growth', 'animal partly imputed', 'interval 70', 'production efficiency economic', 'sex steroid main', 'ep like respiratory', 'gene 119', 'conceive maintain', 'tnf gene bovine', 'gain adg feed', 'gene screened candidate', '125 non', 'additional backcross', 'beef aim study', 'marker average spacing', 'deposition lipid metabolism', 'exploration population', 'kit region revealed', 'locus improve understanding', 'recognition site investigated', 'ascites multi faceted', 'sow year', 'protein lack', 'fishy metallic', 'mutation nearby qtl', '1927 animal', 'ryr1 commercial', 'identified contribute better', 'category triglyceride', 'screening expectation', 'qtl varied depending', 'mapping performed using', 'saleable meat yield', 'fam198b correlation', 'age matched', 'icelandic cdk2 finnsheep', 'human obesity conclusion', 'individual genotyped 289', 'analyzed selected autosomal', 'bta6 rs110527224 rs42766480', 'snp highest allelic', 'hoof trimming', 'qtls revealed ph15', 'frequency minor', 'metabolism greatly contribute', 'adipocyte gene', 'length sparerib', 'pork sus scrofa', 'ocd fetlock joint', 'covariates used joined', 'performance livestock', 'vater association', 'sequence 31', 'population 50 year', 'fcr inverse gross', 'year period animal', 'association analysis', 'gain ratio', 'ovine gene mef2b', 'ratio muscle', 'approach chromosome trait', 'pig 160', 'approach identifying', 'genetic base complex', 'coa content', 'anaemia control', 'marker chosen spaced', 'igg1 igg2 concentration', 'androstenone covering candidate', 'lepr candidate', 'qtl cm', 'statistically significant 001', 'ldl2 rs330779504', 'castration male', 'individual known clinical', 'sscs 10 13', 'ldl2 rs330779504 ld', 'mastitis examined dsn', 'cm1 specific strep', 'bioinformatic predictive', 'cross lc', 'oligogenic polygenic', 'sequence variant classified', 'data editing', 'gene including cell', 'result agreed', 'main conclusion previously', 'marker 10 bonferroni', 'segregating family target', 'stomach weight', 'leghorn red', 'information sire', 'indirectly affect body', 'pig fixed alternative', 'defect heterochromia iridis', 'gdf8 known', 'devastating outbreak', 'common trait gene', 'population elovl6', 'candidate gene upregulation', 'trait order magnitude', 'bc1 f2 progeny', 'conversion ratio meat', 'flanked region', 'evaluated embryonic mortality', 'phenotype le', 'identify genomic variant', 'mal2 lpar1', 'understanding technological', '21 tibetan hen', 'animal line', 'fat yield 79', 'mqts 531 randomly', 'score consequently deepen', 'analysis clinical mastitis', 'genotyped 82', 'compared breed gwas', 'fdr located', 'value csn1s1', 'significance analysis', 'human region', 'weight seminiferous', 'osteochondrosis dissecans', 'living animal', 'muscle injury', 'e3 299 s100t', 'reliability increased approximately', 'population genotypic', 'in2 primer', 'highly heritable 90', 'phenotype useful', 'beadchip 24', 'cm 51 cm', 'absorb tiny', 'component susceptibility', 'rs43032684 significant dominance', 'detection 23', 'linkage study outbred', 'use various', 'locus small effect', '47 226 novel', 'rs43101485 rs43101486 located', 'qtn effect simulation', '19 suggestive significant', 'growth difference', 'epha5 nbea', 'snp rs81399474 rs81400131', 'susceptibility ketosis dairy', 'mutation respectively forced', 'recombinant clone rm1', 'level respectively 21', 'cn αs1 αs2', 'fundamental basis', 'activation type', 'pcr sscp employed', 'quality mechanism', 'sex counterintuitive polymorphism', 'insight regarding', '28 showed suggestive', '826 individual beijing', 'cm 80', 'considered potential genetic', 'method performed expression', 'erhualian intercross total', 'c19orf42 tmem38a', 'different haplotype csnps', 'tnb significant', 'instrumental colour lightness', 'minor difference providing', 'biosynthesis result female', 'stratified sex', 'elucidate associated', 'susceptibility swine according', 'ii revealed 15', 'physical map 87', 'available multitrait', 'resulted special', '137 qtl', 'genetic strategy reduce', 'pig earlier', 'ssc8 partly', 'gw identified hdl', 'ppargc1a variant milk', 'paternal expression', 'rf importance criterion', '141 141 mb', 'fat tissue qtl', 'including nf κb', 'substitution position', 'allele european', 'chicken igf1', 'detailed qtl analysis', 'analysis revealed period', 'position bta04 narrowed', 'alternative strategy manage', 'pre requisite practical', 'qtl characterization help', 'limitation gwas', 'greater power detect', 'control data filtering', 'cebpd gene locus', 'gene 604', 'day older homozygous', 'limousin 98', 'sampled muscle recording', 'veterinary practice trait', 'gnmt abcc10 pla2g7', 'associated increased sc', 'including bovine lap3', 'gave highly significant', 'chromosome scanned using', 'ucp3 strongly', 'fell region', 'prkag2 gene', 'minimized genotyping sire', 'natural antibody', 'animal half sib', 'box dimeric binding', 'sow suggesting genetic', 'facilitate gaining', 'score marb', 'pericardium advance', '591 kb containing', 'sequence porcine gsk', 'significant qtl genome', 'relatedness sample', 'mapping association analysis', 'weight gain pig', 'gene gluteus', 'maternal line sample', 'bvd pi', '31 autosome', 'using transcriptome profile', 'mineral protein', 'associated stress', 'size identified', 'set proviral', 'relevant fatty', 'ubiquitous cell surface', 'translational modification', 'role dominance holstein', 'level experiment', 'tested weighted', 'progeny based resource', 'prolific breed', 'study aimed estimate', 'tfn furthermore', 'population st', 'difference promoter', 'lack concordance time', 'study revealed bull', 'haplotype encompassing 01', 'useful guidance marker', 'mortality increased calf', 'formed basis', 'revealed previously identified', 'heifer dna genotyped', 'important marker assisted', 'cm step', 'sets majority', 'finding g16 animal', 'mean distance mb', 'analysis fat', 'significant economic loss', '912 bird broiler', 'strongyle faecal egg', 'enabled characterization', '2449c 2379c h3', 'encoding inositol polyphosphate', 'fat thickness steer', 'del del', 'deposition additional', 'based sift 06', 'callipyge carwell locus', 'provide insight molecular', 'common population homozygous', 'positional correlation', 'chicken line differential', '1955 2003 expected', 'explain qtl mapped', 'scc alternative snp', 'vertebra nve rib', 'cm longer individual', 'sc available study', 'considered situation interactivity', 'dairy cattle routinely', 'ml ewe', 'record analyzed number', 'significant lod', 'illumina bovine 50k', 'f2 reciprocal intercross', 'binding repeat containing', 'expressed late feathering', 'performed using genabel', 'gene obtained contained', 'like quantitative trait', 'etv5 herc3 dicer1', 'offspring g2', 'available dna genotyping', 'vs fw 85', 'qtl highlight candidate', 'fat thickness 0009', 'population pair primer', 'suggest muc4', '27514 haplotype', 'different type fatty', 'control epl', 'error rate affected', 'study genome', 'affecting shank', 'gene subsequent gene', 'age identified using', 'association signal notably', 'bovinesnp50 50', 'bc1 f2', 'evidence addition', 'relationship matrix', 'aa showed significantly', 'trait respectively 22', 'including sheep milk', 'trait heifer ability', 'represented individual measurement', 'tnp1 investigate', '05 liver 01', 'research mqr panel', 'snp located bta14', 'autosome centromeric', 'infected herd cow', 'paternal maternal meiosis', 'data targeted', 'significance threshold derived', 'significant imputed', 'muscling qtl', 'characterizing genetic', 'gwas approach total', 'detected different', 'objective research identify', 'human diet major', 'revealed 32', 'liver tissue finding', '591 kb interval', 'associated subscapular skin', 'polymorphism strongest linkage', 'intercross population', 'pig fcr data', 'compared frequent haplotype', 'microsatellite marker qtl', '86 83', 'affecting milk protein', 'chemical body', 'content indicated', 'influence behavioural', 'fcr calculated based', 'low proportion', 'lactation phenotype', 'small size born', 'medium high heritability', 'mode expression', 'promising result long', 'gene regulate', 'proximity gene', 'wide allocated', 'mammary gland study', 'ovary snp useful', 'advantage gene reported', 'kyphosis mb', 'density 30 mb', 'energy growth', 'muscle fat', 'splicing enhancer', 'used genome', 'excess hco3 tco2', 'association tg_x05380', 'hypothalamus eqtl fos', 'associated bw49 bw70', 'platform analyze', 'omega pufa content', 'pig highest record', 'resistance anthelmintic rapidly', 'addition 29k transcribed', 'fcr 05', 'novel known', 'polymorphism fbxo32', 'expression value measured', 'level chromosome 10', 'spotted pig', 'mechanism action', 'level brsv specific', 'growth development new', 'arranged 20 cm', '14 22', 'yield fy protein', 'gene region provide', 'new vision identify', 'sib family bull', 'mirnas lead phenotypic', 'eca 18', 'sib duroc pig', 'snp indel identified', 'background korean chicken', '10 nominal association', 'breed collectively', 'muscle color score', 'revealed total 37', '192 snp meat', '53 bta', 'lamb confirm validity', 'association 10 16', 'variation tnp1', 'candidate affecting', 'analysis genome', 'fat metabolism regulating', 'record 806', 'associated level beef', 'affected component', '897 snp', 'detected 5239c', 'phenotypic extreme trait', 'slaughter weight 140', 'total 194 144', 'significance pathway network', 'point onset laying', 'f2 analysis', 'quality difficult', 'marbling study single', 'linked milk composition', 'chicken il', 'showed parity specific', '54 genome wide', 'mating carrier', 'public database', 'state spl', 'provide target mutation', 'legally harvested using', 'weight lipid accretion', 'fourth parity anai4', 'background sensitivity genome', 'genomic best linear', 'consecutive snp explained', '21 72 week', 'positive dbwavg', 'containing microphthalmia associated', 'second qtl using', 'muscle contribute', '160 961g', 'overlapping milk production', 'gene camp', 'associated snp explain', 'ssc15 ssc17', 'regulating mo genetic', 'fitting fixed', 'gene sahiwal karan', 'resistant breeding pig', 'triplet delivery identified', 'testing case definition', 'specific polymorphism', 'block h1 101', 'qtl control', 'score based meat', 'pork tenderness population', 'strategy aimed', 'expression steroidogenic', 'like receptor tlr4', 'locus qtl ssc2', 'polyunsaturated total', 'genotype cc fabp', 'dgat1 linkage disequilibrium', 'value 340', 'mt heritable', 'data using combined', 'region accounted 23', 'improving growth', 'study individual', '05 150 001', 'cow grouped according', 'efficiency snp', 'initial genome scan', 'predicted change', 'mykiss aquaculture industry', 'fatness unexpectedly', 'associated trait mapped', 'dairy artificial', 'maturity measured', 'number animal reference', 'attribute fresh beef', 'herd 332 chinese', 'supporting association', '682 individual belonging', '371 danish', 'candidate gene dgat1', '488 individual', 'marker pde4b', 'immunocrits association analysis', 'affected sib pair', 'herd life milk', 'small breed yield', 'low increased', 'npffr2 based known', 'gene convincingly associated', 'genetic parameter nineteen', 'horse classified case', 'human model specie', 'metabolic pathway', 'calculated allele separate', 'cm _ldha_79 cm', 'common problem', 'fcr data genotype', 'data separate group', 'ssc4 ssc7 showed', 'reactivity human overlapping', 'mb consistently associated', 'lobe domain', 'scan gpt 143', 'resistant ascites', 'eosinophil number following', 'tata independent manner', 'identified snp genotyped', 'genotyping 3360', 'lp study hypothesised', 'previously detected single', 'allele female population', 'wg respectively genomic', 'wide qtl tick', 'trait considered based', 'milk production qtl', 'database huge number', 'snvs associated', 'according affected sib', 'genome analysed association', 'longitudinal model gwas', 'phe279tyr mutation milk', 'oleic stearic acid', '51 single', 'fi interval', 'transition 24 transversions', 'analysis combining leg', 'correlation 01 genomic', 'beadchip genotype 35', 'pathogenic haemonchus contortus', 'shape growth curve', 'pp 10', 'level seven snp', 'horse murgese', 'nearly 39 additive', 'birth weight pta', 'behavioural index', 'different breed meishan', 'trait snp showed', 'male litter detected', 'frequency lce ubl5', '48 mb bft', 'reduction tainted carcass', 'measured androstenone', 'utt rainbow', 'signalling holistic expression', '40 436 snp', 'identify locus effect', '18 eca18 developed', 'body weight pbw', 'qtl substitution', 'identify susceptible pig', 'targeted eqtl scan', 'project implemented mainly', 'level beef', 'association medium chain', 'trait negative impact', 'model mrmlm', 'semen volume number', 'cestode parasitism production', 'feed intake regulation', 'sequence single', 'functional cluster', 'negative allele bone', 'wrinkle generated growth', 'regulation bovine', 'trait 43 qtl', 'individual tested', 'parasite resistance trait', 'animal qtl mapping', 'japan analyzed sire', 'stillbirth btax', 'carrying utt', '10 genomewide', 'close receptor tyrosine', 'detected ssc1 marker', 'characterization slc39a7 gene', 'considered positionally', 'mc4r different', 'day old female', 'lower leg swelling', 'selection improved resistance', 'large phenotypic', 'significantly decrease expression', 'centimorgans new', 'lung involved', 'assistant selection kind', 'pcr sscp technique', 'role uptake transport', '50k snp', 'using panel high', 'chromosome included seven', 'intestine liver muscle', 'cell pig number', 'native population highly', 'conditional selected region', 'significantly affect protein', 'thirteen significant', 'showed expression level', 'different tissue explored', 'window significantly', 'fatness muscle', 'marker 53 cm', '29 duroc pig', 'inhibition bmp5 gene', 'taste panel', 'outbred broiler', 'candidate gene increased', 'studied confirm previous', 'second step', 'tagging snp', 'using 82 genetic', '44 single', 'represent functional polymorphism', 'estimate r2 autosome', '34 647', 'abundance measured expression', 'bc respectively', 'left model', 'control 36 328', 'family performed', 'direction adipose fat', 'multiple snp', 'run dna based', '028 genotype', 'number band', 'ranged 16 11', 'content milk map', 'variation fibre', 'cattle population located', 'genotyped snp thought', '01 genotypic value', 'affected adult body', 'gga4 qtl', 'time occurrence estimated', 'major protein', '123 holstein', 'qtls come', 'selection trophy hunting', 'subset large', 'industry innovation information', 'tended associated increased', 'polymorphism g1406a t3602c', 'order facilitate', 'gga26 significant effect', 'bft examined f2', '596 yorkshire', '3112c cebpd gene', 'meat type pig', 'region mir', 'autosome bta bta11', 'causative agent zoonotic', 'current study conducted', 'pig ultimately', 'microarray measurement gene', 'sow productive life', 'lactation stage functional', 'susceptible animal breeding', 'genotyping furthermore rs419096188', 'scottish blackface sheep', 'low association', 'taste cooked pork', 'caspase gene significantly', 'bl 0488', 'function development', 'near previously detected', '29 cm 05', 'crucial importance influencing', 'estimate additive dominance', 'growing broiler', 'collapse oocyte', 'prrsv infection data', 'maximum likelihood animal', 'pivotal candidate gene', 'sequence buffalo', 'major haplotype inferred', 'result infer additional', 'carcass classification scheme', 'snp located chromosome', 'v6a genotype affected', 'associated skeletal measurement', 'repeated twice', 'snp mutation', 'performed identify snp', 'carried variance component', 'analysis quality control', 'contains weak', 'previous work current', 'implemented compared', 'map infected herd', '04 total 30', 'height cow', 'identified included mutation', 'cast haplotype', 'undertaken map qtl', 'type enzyme protein', 'social emotional', 'study chromosome identified', 'regulation seasonal reproduction', '175 ng compared', 'density apolipoprotein', 'total qtl identified', 'asp glu thr', 'higher il8 expression', 'analysis f12 generation', 'trait heredity', 'area relative number', 'contemporary dairy', 'resistance varies', 'antibody iga lamb', '770 000', 'content muscle fully', 'human handling', 'desired level', 'fat thickness negr1', 'showing gene', 'bodied line fayoumi', '22 cutlet area', 'liveweight differ', '50k data genotyped', 'tenderness blonde', 'dissection backcross recombinant', 'bp nucleotide', 'wide suggestive significance', 'finger protein', 'hot carcass', '10 german holstein', 'paternal imprinting effect', 'male qtl effect', 'mir 1606 altering', 'disease resistance help', 'quality present', 'rfi measure feed', 'level intact boar', 'ecotypes companion study', 'statistic value', 'suggest chicken hmga2', 'variance respectively present', 'brown half sib', 'obtained post', 'prlr located qtl', 'qtls novel addition', 'sequence data accuracy', '33 908', 'disease evaluated', 'cloned classified form', 'polyunsaturated fatty acid', 'gene probable', 'sequencing lonrf1', 'qrt pcr analysis', 'day old addition', 'analysis included genome', 'qtl understand', 'znf389 showed', 'project gonzales texas', 'effect milk trait', 'marker microsatellites statistical', 'carcass genetic', 'provides novel', '90t located', 'allow clear', 'line del del', 'cast gene', 'acid summer winter', 'rate including', 'strength using', 'explained 34 sd', 'substitution single nucleotide', 'confirmation segregated', 'combination herd level', 'accuracy improved increasing', 'meat lightness redness', '83 egg higher', 'cc ca', 'loin meat', 'serological status', 'haplotype linked snp', 'affecting number vertebra', 'ncapg risk', 'serum cholesterol', '445 amino', '37 12', '2446 pig population', 'data independent design', 'significant family', 'sample dna factor', 'disequilibrium analysis ldla', 'dupi comparative genetic', 'fat composition selection', 'motility mo sperm', 'appears useful', 'likely underpinning genetic', 'fat 07', '855 cv highlighted', 'maturity approximately 20', 'tissue weight', 'trait population chromosome', 'result indicated rb1', 'esr allele observed', 'study hematocrit hct', 'mbp region affecting', '0005634 nucleus includes', 'study contain interesting', 'offspring g2 generation', 'content sheep milk', '1043a 402a', 'enhanced growth', 'gene phkg1', 'phenotypically linked early', 'high certainty qtl', 'unaffected male different', '238 chicken', 'formation xinghua', 'lm qtl encompassing', '198 day record', 'daughter result significant', 'region additional chromosomewise', 'metr cyst heritability', 'impact consumer', 'population discrepancy', 'effect ccl2 rs41255713', 'stringent test account', 'protein gene srebf1', 'gene unclear', 'level initial analysis', 'interfering movement aim', 'animap program', 'used total', 'allele study effect', 'evaluate potential association', 'gamma non catalytic', 'total 106 significant', 'affected individual', 'herpes virus infects', 'gallus gallus gg', 'governed muc13 gene', 'qtl identified ct', 'landrace 125 yorkshire', 'genotyped initially 139', 'related protein 12', 'ssc12 15 mb', 'initially selected based', 'sigma 0011', 'assessment proteolysis', 'male animal meat', 'population available livestock', 'level androstenone landrace', 'family marker chromosome', 'revealed 38819398g', 'used routine evaluation', 'allelic imbalances strategically', 'polymorphism 2412', 'correlation slope', 'multitrait model second', 'sweep occurred', 'precursor derived', 'lald successful assigning', 'cattle population rdhe2', 'chromosome equus callabus', 'qtl pleiotropic effect', 'locus affecting growth', 'including exterior', 'snp selection method', 'sheep sequencing', 'ebv result indicate', 'piglet survival rate', 'strongest statistical signal', 'difference cd cc', 'cofactor atgl', 'liver muscle transcriptomes', 'bta various bovine', 'dmi kg bw', 'located ssc2 identified', 'vaccine based combined', 'using genome data', 'effect backfat', 'line selected 10', 'bmp responsive luciferase', 'zbrk1 transcription', 'pqtdt 40', 'enriched distinct tandem', 'color contains gene', 'genotype accordingly', 'regression significance', '604 largest proportion', 'large eared breed', 'sexual precocity', 'reproductive trait genome', 'egg production rate', 'eqtl detection', 'mineral density noncortical', 'study using commercial', 'randomly chosen hanoverian', 'identification genetic marker', '05 nba', 'expensive difficult measure', 'locus suggestive', 'early domestication', '40 md', 'known genetic mechanism', 'qtl detected eggshell', 'number posterior teat', 'marker segregating', 'milk production male', 'handling confinement novelty', 'wg42 viral', 'heritabilities blood', 'gene based biochemical', 'manage disease selectively', '765 chinese merino', 'potentially follow distribution', 'ssc6 interestingly', 'c18 trans', 'study f2 charolais', 'intron igf1', 'growth mutation 30', 'force taste', 'growth record', 'analysing connected f2', 'hdl ldl', 'qtl reject', 'strength genome wide', 'affected level acvr2a', 'leptin concentration duroc', 'swr1637 haplotyping', 'cytological metabolic', 'ridge responsible limb', 'fst value', 'mrna study', 'yield estimated using', 'involved muscle maintenance', 'qtl region corresponding', 'suggests polymorphism', 'affect fatty deposition', 'polymorphism snp genotyping', 'region multiple', 'androgen known candidate', 'important production', 'analyzed correlation', 'cattle provide basis', 'factor gdf5', 'observed age estrus', 'finish pig', 'method result result', 'pigmentation chicken', 'ratio using', 'refine region tested', 'week age mapped', 'cast prkag3', 'muscle seven qtl', 'regulated genomic imprinting', 'different flock animal', 'isolated blood', 'snp 3020a 4500a', 'disease cattle objective', 'na bind lp', 'study suggest dlk2', 'haplotype 59 steer', 'common domestic', 'linked marker form', 'eye area backfat', 'raised better understanding', 'covering 22 linkage', 'purpose single', 'size ovulation', 'ocular disease cattle', 'unsurprisingly domestication', 'pork loin loin', 'driven hand energy', 'protein yield cow', 'make possible identify', 'composition estimated scottish', 'landrace f2 cross', 'linked social behavior', 'significant association signal', 'perfusion disturbance', '998 columbia', 'thickness chromosome 11', 'scaling adjustment multiple', 'retinoic acid potent', 'snp zero', 'level shared', 'chromosome genomic region', 'genetic background analysed', 'region indicates association', 'faceted effect mufa', 'allele 207 262', 'different linkage group', 'substitution single', 'size important', '10 average', 'resequencing result provide', 'effect million variant', 'cnvs meat quality', 'genotype c2a2', 'accuracy close zero', 'epithelium growth', 'basis understanding', 'cnvs major source', 'mapping effort elucidate', 'performance trait 35', 'increase marker density', 'complex trait associated', 'qtl initially identified', 'rediscovery mendel', 'sharing based ld', 'size sequencing', 'cause qtl', 'significantly associated adjusted', 'composition measured', 'length uterine', 'transcript mainly', 'hd 7209 seq', 'iteration position qtl', 'chain myh family', 'identify region copy', 'present study locate', 'mechanism involved trait', '382 cm', 'ssc6 associated marbling', 'content ifc average', 'ghsr igf1r', 'breeding value ap', 'genetic basis mastitis', 'pathway involved feather', 'growth ncapg gene', 'red line 692', 'determined dominant', 'determined high density', 'simple interval', 'regarding trait', 'significance including', '13 qtls 18', 'fit snp simultaneously', 'binding 0003677', 'liver gfra2', 'kind data heavily', 'program applied genome', 'h1 present study', 'set enrichment analysis', 'background stallion', 'detected genetic group', 'support high potential', 'fat protein content', 'intercross standard production', 'qtl gga2 gga4', 'aseasonal reproduction sheep', '62 week hen', 'akt1 siva1 gene', 'gene complete', 'marker rs81109601', '1207 snp', 'achievement study', 'psychosis 16p13 haplotype', 'bta20 chromosome wide', 'analysis f2 intercross', 'polymorphism employed', 'breed holstein nordic', 'freezing cooking loss', 'model human postnatal', 'controlling eradicating disease', 'f3 85', 'rs330779504 ld c18', 'cost production', 'qtl validated', 'exon 12 finding', 'substituted german value', 'female fertility using', 'genotyped microsatellite marker', 'abt obtained phenotypic', 'strongest association rfi', 'obtained densitometry shadow', 'multiple variant described', 'indicate bmp15 play', 'rs13997809 significantly', 'group according', 'centromere hypothesis', 'ascertain possible', 'available 640 animal', 'cassette transporter', 'using population f1', '10 receptor il', 'opportunity map', 'region detected 12', 'stage mammal', '2012 caused 70', 'role opn', 'f4acr mapped locus', 'rtbc mirna ensbtag00000037306', 'alternative allele', 'length variability discovered', 'commonly examined biomarkers', 'calf dwarfism', 'chosen putative positional', 'individuals intercross', 'increasing knowledge', 'snp rs41694646', 'bacterium inherited', 'kg analysed', 'suggest dlk2', 'position highly', 'dpr genetic evaluation', 'epistatic pair located', 'mainly influenced polymorphism', 'vertebrate genetic control', 'mapping precision power', '15 bp duplication', 'kidney adult longissimus', 'mendelian model analysis', 'porcine large', 'bf detected', 'regulate gene', 'pathway important', 'proposed causal mechanism', 'bull high', 'classical trait calving', 'beadchip suggestive association', 'sire calving ease', 'pcr transcript variant', 'study novel', 'imprinting effect highly', 'batch 412', 'receptor ghsr insulin', 'marker gene influence', 'protein snp identified', 'method novel', 'conclusion snp', 'genetic variation evolutionary', 'day blood', 'allele 01 finding', 'appearance variation', 'data accuracy prediction', 'difference promoter function', 'gain carcass weight', 'performed thoroughbred standardbred', 'understand genetic mechanism', 'year study 60', 'bta16 significant', 'clone containing cast', 'pig method trait', 'error variance component', 'friesian sequence data', '59 10 13', 'method analysis common', 'conductivity ce', '02 used', 'feedlot bull 13', 'understand impact protein', 'se 060 016', 'consequence adult phenotype', 'modified live', 'significant snp alga0022658', 'response major infectious', 'backcross progeny ovine', 'qtls located bta6', 'awassi merino backcross', 'serum amyloid a2', 'ma objective current', 'production trait report', 'taken demonstrate', 'used examine association', 'resistance sheep completed', 'oc equus caballus', 'chicken chromosome shown', 'ghsr igf1r bwg', 'beef used', 'leping spotted pig', '23 cm number', '6e rs312463697 chromosome', 'fetal bull testicular', 'demonstrated synthetic commercial', 'ssc2 reached significance', 'sult1a1 cyp2e1', 'significant association allele', 'indigenous genetic resource', 'role ucp3', 'force tenderness', 'data addition', 'molecular level', 'member csrp1 csrp2', 'positive 02 twinning', 'marker bms483 mnb209', 'bull sequenced', 'producing q448h', 'mechanism controlling rfi', 'color ph marbling', 'colour quantitative qualitative', 'husbandry cattle includes', 'birth lead considerable', 'variation antibody response', 'dominant earlobe', 'cell vitro', 'largest prediction accuracy', 'fat female specific', 'individual snp marker', 'py respectively positional', 'segregating population population', 'ccr heifer', 'bta6 bta11', 'genetic parameter growth', 'immediately transited breeding', 'hematocrit hemoglobin so2', 'm1 haplotype associated', 'qtl length scapula', 'snp minor allele', 'kr3 kr3 12', 'defined locus mb', 'depth recorded', 'foetus fattening', 'trait l1 insertion', 'located potential', 'scd fads2 srebf1', 'involved mammary', 'dik4482 identified', 'detected second quantitative', 'association verification study', 'putative qtls located', 'trait better', 'variant associated white', 'site microrna', 'age study conducted', 'breeding inherited defect', 'provided opportunity discover', 'reduced 056 nucb2', 'industry genetic improvement', 'low correlation', 'identification marker', 'study designed ovinesnp50', 'keratoconjunctivitis ibk beef', 'total 262 eqtls', 'control 129 vs', 'artificially challenged', '26 growth', 'competitiveness industry maintain', 'population revealed', 'total 14', 'used identify candidate', 'cow weight nelore', 'sign similar', 'tlr4 candidate gene', '660 gene considered', 'loss minolta color', 'threshold claim', 'standardbred french norwegian', 'white individual', 'include quantitative trait', 'sheep paper', 'snp observed sscx', 'propose mutation lepr', '35 generally snp', 'factor insulin like', 'number potential genes', 'genotype examined effective', 'analysis method assumes', '22 unique', 'ow 24296 swr1637', 'heritabilities twinning', 'conclusion overall', 'rbc rdw respectively', 'growth factor beta', 'quality meat', 'using significant snp', 'ap reproductive longevity', 'study confirm fine', 'decline prkag3 ssc15', 'bovine il8', 'individual egg', 'lr non synonymous', 'present bayesian treatment', 'based genbank accession', 'furthermore eqtls', 'poultry angiopoietin pathway', 'hugo nomenclature', 'cwt marbling', 'high density marker', 'including hormone production', 'detected 05 linoleic', 'viral load', 'bola qtl', '22 21', 'exhibited significant', 'understanding gene mechanism', 'opposite end', 'ehh identified 35', 'rate closely', 'snp located related', 'avpr1b catecholamine indicates', 'structure including 543bp', 'studied chromosome scd', '28 85', 'trait upper thermal', 'variation imqp', 'provide new information', 'eqtls testis commercial', 'expressed wide', 'nrr56 nrr90 estimated', 'snp agreement result', 'fold bootstrapping', 'gwas sheep investigated', 'map brd qtls', 'low frequency weak', '021 posterior qtl', 'animal end', 'substitution effect predicted', 'aries chromosome oar', 'angus charolais gelbvieh', 'concentration significant suggestive', 'desaturation stearic acid', 'gonadotrophic cell', 'genotype qtl', 'resistance md', '145 microsatellite marker', 'beginning chromosome', 'possible identify locate', 'polymorphism perilipin gene', 'protein transcription factor', 'genomic region selection', 'selection reduced', 'multiple testing chromosome', 'human kaufman oculocerebrofacial', '149 cluster differentiation', 'effect behavioural trait', 'service calving', 'stallion searched fkbp6', 'improving genetic characteristic', 'different gene affecting', 'potential marker rao', 'tb previously', '90 23 mb', 'atpase member type', 'play functional role', 'mutation 173 snp', '44 heritability cn', 'qtl semen ph', '15 phenotypic', 'gene homology human', 'combined functional genomics', 'complete open', 'aa exhibited best', 'scanning coding', 'qtl bta 32', 'sorbs1 nfkb2 agpat3', 'background independent study', 'chromosome analyzed daughter', 'genotyped awassi ewe', 'pietrain sire commercial', 'innate immune identify', 'jersey dj nordic', 'closely located chromosome', 'gene bw bone', 'human cnvr potential', 'parity objective study', 'negligible cost', 'located 68 mb', 'fkbp6 associated', 'snp bta18', 'group unknown', 'map used comparison', 'sib line descent', 'single qtl qtl', 'polymorphism novel', 'effect incidence', 'experiment qtl', 'gga5 shank related', 'qtl region overlapping', 'effect variety', 'calcium transporting atpase', 'study characterize region', 'analysis detailed study', '21 dpi wg21', 'backfat thickness rib', 'available genetic marker', 'based granddaughter', 'marb bta10 mb', 'reveal qtl', 'similar pattern seen', 'lbx1 possible candidate', 'haplotype esr2 eaat2', 'trait analyzed trait', 'sib design', 'inhibitor bone', '240 microsatellite', 'associated behavioral', 'breed common', 'faecal sample', 'parturition comparative sequencing', 'promising candidate milk', 'suggest domestic', 'dlgap1 092 conclusions', 'lead blindness', 'lack domain likely', 'ltnb gene', 'highly pathogenic influenza', 'bft loin muscle', 'segregating maternal', 'microsatellites spanning chromosome', 'bta20 contains skp2', 'identification causative mutation', 'variation associated', 'sequence deposited', 'investigate polymorphism lg', 'mapped distal end', 'variant contribute index', 'changing ile 442', 'characterization qtl information', 'mdv remain', 'method population different', 'occur result opposing', 'effect bw55', 'chromosome base', '2058 italian simmental', 'significantly correlated earlobe', 'gene affecting growth', 'mnb 209 genome', 'gene slc12a9 positional', 'result clearly suggest', 'snp ppara gene', 'gene segment', 'studied region 17', 'sox differently', 'different quantitative trait', 'inter strain brother', '14 weight', 'representing pig', 'significant qtls 10', 'thr257met effect cbg', 'subsequently investigated association', 'animal little research', 'conducted construct', 'possible marker litter', 'processing presentation qtl', 'past 20 yr', '12 24 qtl', 'comprised 940', 'orexigenic factor', 'dmy fp tsp', 'gga2 gga4 tibia', 'pork industry', 'qtl mastitis resistance', 'heredity bcse lead', 'association microsatellite', 'level progesterone prior', 'trial animal', 'including pig chromosome', 'genotype ac showed', 'cattle moderately', 'snp genotyped 800', 'trait breeding value', 'lrrc14 fuk', 'win conflict normal', 'day suggesting', '2021 breeding', 'status north american', 'high depth mammary', 'conclusion study revealed', 'carcass 24', 'range performance', 'map spanned total', 'gene correspondence qtl', 'pp dmy tended', 'age bw70 bwg', 'milk production sheep', 'resistance selective dna', 'sliding window consecutive', 'mapped using forward', '16963 uw', '59 cm', '17 respectively', 'basis daughter', 'marker applied', 'including qtl survival', 'reporter construct haplotype', 'production trait daughter', 'abcc10 pla2g7 gene', 'anal atresia occurs', 'influenced trait ph', 'gene associated reproductive', 'mb region 20', 'adipocyte number', 'selection programme genetic', 'insemination fertility treatment', 'level close position', 'reduction commercial breeding', '576 906 jiaxian', 'mbv according', 'qtl highly correlated', 'sixteen region included', 'unselected control', 'fat profile gas', 'meat fat', 'prrsv determine predictive', 'aiming identify quantitative', 'example include', 'pony polymorphism', 'parameter influencing', 'analyzed cast gene', 'containing cast gene', 'inra084 qtl', 'historical information', 'rnf103 tspan31', 'low hpa', 'associated hu sheep', 'analysis 13', 'bull belonging', 'contrast 259', '279 μg addition', 'progeny selected', 'population gushi', 'endocrine trait showed', 'indigenous japanese breed', 'trait finding provide', 'gene validated crossbred', 'trait determined mhc', '0238 0601 ubl5', 'lamb 15 adult', 'common environment random', 'gga2 mapped head', 'different resistance trait', 'abundance measured', 'generally negative', 'level compared combined', 'allele reproductive trait', 'cattle breeding little', 'milk sample phenotype', 'search shared increasing', 'area 01', '31 megabases mb', 'paper introduce', 'rfi2 respectively', 'snp value genetic', 'intolerant 10 cfu', 'snp 20 promising', 'gdf10 gene polymorphism', 'caused intramammary', 'ppargc1a located middle', 'structure exhibit', 'association analysis 500', 'chicken population', 'result pig', '24 55 cm', 'locus associated 35', 'hatched chick f2', 'different degree resistance', '777k illumina chip', 'mammary gland preferentially', 'advanced imaging', 'set sub', 'qtl effect fatness', 'female 150 ai', 'degree resistance', 'relatedness matrix', 'suggestive linkage coccidia', 'week maximum', 'snp significantly affected', 'ssc7 foetus fattening', 'nematode parasite located', 'integrative genomics', '80e bonferroni correction', '63 sixteen', 'haplotype analysis showed', 'non receptor type', 'novel mutation 173', 'trait carcass composition', '10 similar', 'porcine genome resource', 'entire mlw', 'gqls method identified', 'partial cdna', 'utrs association growth', 'distal pig chromosome', 'gene expression related', 'interacting quantitative trait', 'result detailed qtl', 'processing industry commonly', 'gene individual', 'provides opportunity select', 'dq static qtl', 'intermediate genetic', 'shortens autumn', 'cm individual', 'disequilibrium phase functional', 'qtl bta4', 'jx cattle', 'associated conductivity meat', 'lethal common', 'variation mineral', 'coupling total 24', 'gene teat udder', 'fe important factor', 'allele maternal descent', '0004 fatness', 'significant weight', 'region gene response', 'significant kyphosis vertnin', 'evidence cyp2e1', '1kb 12 100kb', 'gwas useful approach', 'population estimated', 'developed highly', 'population jxau population', 'dairy 76', 'profile beef study', 'qtl model resulted', '6723a allele absent', 'dsn population broadly', 'allelic variant variant', 'solid percentage close', '642 snp chromosome', 'teat ratio posterior', 'cattle breed particular', '2449g located', 'ssc15 qtl affecting', 'pig originally genotyped', '10 paternal half', 'marker examined', 'outbred limousin jersey', 'marker detected', 'trait trait significant', 'development function ovary', 'shamo japanese', 'fatness heavier', 'lack overlap', 'mapping experiment detect', 'provides putative', 'work shed new', 'named fecl based', 'family domesticated', 'ocd associated', 'trait long', 'gene gys1', 'neural disease', 'large white aldehyde', 'mchc mean corpuscular', 'oc radiographic finding', 'damage response', 'polyunsaturated total fat', 'measurement similar', 'haplotype derived 660k', 'performed parity', '27 comprising spop', 'high informativeness s0008', '36 37', 'cbs variance explained', 'chromosome 11 consistently', 'week age shank', 'lipoprotein receptor', '525 sire progeny', 'infection variant gene', 'stratified age category', 'identified model addition', 'associated ear type', 'explain difference', 'comparison data previous', 'using roh', 'variation lesion', 'feasibility targeting qtl', 'aim perform', 'result meaningful miga2', 'result despite', 'investigated analysis region', '13 cm imf', 'calpains inhibited calpastatin', '19 grandsires', 'quantitative association', 'dock7 gene', 'gene mapped linkage', 'half sib holstein', 'analysis suggested potential', 'needed reproductive', 'shed light research', 'involved antitumor', 'nanyang qinchuan', 'relate hematological', 'area muscle ph', 'step forward better', 'locus spanning 34', 'detected reference', 'steer evaluated american', 'gas chromatography expressed', 'gga1 significant', 'resistance anthelmintic', 'total 633', 'breeding selective', 'ass bone', 'gene potential target', '08 03 ssc7', 'nutrition piglet', 'resistance qtl', 'weaning gain post', 'influence social', 'precursor sequence primary', 'gene identified study', 'snp consistent fasn', 'ovulation rate identified', 'population lacking validation', 'fertility trait defined', 'melanoma synthetic trait', 'radiographic examination', 'decrease bmp15 promoter', 'expression profile different', '120 microsatellite', 'compared animal', 'similar sample size', 'specifically targeted selection', 'taint compound snp', 'density microsatellite', 'fat protein production', 'rs13684616 strong', 'contains gene camp', '1n9c c18', '98 20', 'control strategy breed', 'epistasis additive additive', 'muscling carcass', 'rflp respectively significant', 'polygenic influence relevant', 'result proportion phenotypic', 'increased ewe lifetime', 'formation partially', 'contributing better', 'fat ether extract', 'poultry industry increase', 'dam approximated single', 'air k232a', 'hornless studied', 'earlier linkage', 'early expression puberty', 'analyze identify', 'multibreed strategy allow', 'nr6a1 gene respectively', 'unrelated sheep genotyped', 'milking ability', '42 weight lm', 'recovery cheese rec', 'body weight included', 'test established marker', 'anoxia conversion muscle', 'genetic factor small', 'fat protein yield', 'agreement result crossbred', 'fat deposition objective', 'pituitary control cortisol', 'bovinesnp50 beadchip illumina', 'mtnr1a gene ovine', 'qtls located porcine', 'genomic based', 'trait locus horse', 'discrepancy method', 'telomeric region ssc7', 'analysis performed separately', 'qtl associated growth', 'locus qtls come', 'potential ebv', 'seven 10 epistatic', 'trait ref dataset', 'use qtl', 'height newly identified', 'marker fatness trait', 'searched genome', 'yield body weight', 'greatest number', 'creole cattle', 'study reveal genetic', 'qtl investigated using', 'unfavorable linkage', 'ease strong association', 'cm chromosomal region', 'dataset containing', 'qtl nordic holstein', 'additional resource', 'bta 129564', 'perform high density', 'result affected calf', 'studied performed', 'sscp pcr rflp', 'gene phenotype', 'world poultry', 'set including', 'bta6 10', 'functional gene related', 'genotyped cross', 'status performed case', '12 quantitative', 'snp hmga2', 'suited development', 'identification additional', 'reproductive trait considered', 'sow consequence', 'interval employing', 'project comprising', 'correlated incidence mastitis', 'acute disease reconvalescence', '187 marker', 'characteristic lean meat', 'comparison ocd', 'harboring qtls carcass', 'eth10 dinucleotide microsatellite', 'selective sweep occurred', 'highly dense marker', 'mechanism mammary', '61 177 single', 'iberian pig lead', 'significant qtl avfec', 'response innate', 'exists distance linear', 'association single', 'specie sequencing analysis', 'study polymorphism associated', 'intron intron snp', 'derived swiss large', 'associated testis', 'lipoprotein serum concentration', 'conformational polymorphism pcr', 'mir 1658 economic', 'mid infrared', 'imf especially using', 'snp simultaneously removing', 'evolution virus objective', 'generation performed', 'calibration ct', '31 producer', 'acid receptor', 'expression gene selective', 'burden conclusion', 'chromosome ssc2q', 'enrichment functional', 'reduced respectively sow', 'lamb leg', 'breeder selection trait', '608 half', 'breed database mainly', 'located bta14 dienoyl', 'effect clarify biological', 'promote marker assistant', 'cross multiple qtl', 'meishan intercross qtl', 'bta1 qtl affecting', 'approach gwas significant', 'evaluated ovulation rate', 'architecture teat', 'csrp1 wnt7b hmx1', 'metacarpal length', 'analysis productive', 'toxicosis polymorphism xk', 'ssc2 qtl', 'cellular development', 'increased ratio mufa', 'beneficial haplotype present', 'effect bf fat', 'longissimus muscle area', 'bcs identified', 'depth nominal 05', '556 second', 'construct using', 'individual belonging 112', 'kr kr', 'indicate marker assisted', 'derived array', 'lactose total solid', 'loss salmonid', 'stat5b gene essential', 'using different population', 'affected genetic', 'representing seven', 'set comparison', 'hap9 adapted', 'application various', 'resource identifying genetic', 'pathway associated trait', 'cattle grazing', 'related analyzed', 'sired progeny', 'desirable dairy industry', 'major qtl affecting', 'related transcriptomic analysis', 'validated decreasing dmi', 'estimated trait semen', 'f2 offspring statistical', 'issue spite extensive', 'association bta8', 'reliably performed', 'respectively genome', 'standard deviation ebv', '630 1332', 'practice improved selection', '0051 modelling additive', 'angus simmental genotype', 'excess fat', 'reference gwas', '55 78', '06 83', 'complexity genetic basis', 'condition growth remained', 'analyzed genomic region', 'mlm multiple', 'seven beef', 'necessary ciliary function', 'known increase muscle', 'selection future study', 'demonstrated muscle specific', 'fgf8 snp analysis', 'finding confirmed previous', 'end chromosome identified', 'notable contribution region', 'qtl keyhole', 'production record', 'regulation skeletal muscle', 'mb chromosome bta', 'percentage respectively', 'conducted 238', 'sw1495 skin', '45 lipid', 'cooked meat shear', '83 polymorphic', 'showed feasibility efficacy', 'effect specific single', 'paternal effect qtl', 'estimate marker effect', 'provide evidence selection', 'usual warner bratzler', 'body slanting', 'transportation cell differentiation', 'age body slanting', 'successful implementation marker', 'common alias', 'feed intake identify', 'control analysis including', 'winter summer', 'determined data analysed', 'tenderness marker predictive', 'examined positional candidate', 'variant achieved limited', 'confirmed previous qtls', 'mastitis cm somatic', 'skeletal trait identified', 'ntn2lsts1 fdr 0051', 'significance level snp', 'service number service', 'pooled dna sire', '424 snp trait', 'fat trait northeast', 'substantial proportion', '85 significant', 'content additionally based', '71 17 mapped', '17 20 23', 'gene localization', 'model maximum likelihood', 'novel seven', 'identified presence highly', 'reverse transcriptase polymerase', 'mapping led', 'lung testis brain', 'set varying size', 'various genetic background', '12 value', 'showed different combination', 'trait drawn tentatively', 'measured composite', 'involved development', 'map region', 'time saving', 'polymorphism analysed snp', 'mtnr1a determine', 'affect body composition', 'genomic dna sequencing', 'ryr1 causative', 'white composite', 'segregating bos', 'chromosome iberian', 'model qtl', 'various aspect bovine', 'corresponding gene surrounding', 'dairy character chromosome', '18 phenotypic variance', 'lipid allele', 'fat genome', 'studied population result', 'ssc7 ssc11', 'study focused', '328 snp available', 'f2 individual association', 'recombination observed 10718g', 'infectious nutritional management', 'candidate gene polymorphism', '54 association identified', 'affecting trait detect', 'addition association result', 'regression daughter', 'cm controlling ssc3p', 'hereford bh 547', 'gene cluster cis', 'series simulation', 'fetal viability', 'steak sampled muscle', 'principal component pc', '72472 locus frequency', 'significance gwas', 'chromosome omy9 explained', 'gene known role', '05 elisa', 'haplotype present', 'weight 41 day', 'obesity human pinpoint', 'analysis key identifying', 'study gwas provide', 'biology health', 'association seven', 'ranch kinsella', 'total tick count', 'haugh unit', 'association study infectious', 'protein cow milk', 'rate epr measured', 'pde6g polr3h cox15', 'trappc11 stox2 pelo', 'locus investigated stage', 'primary effect', 'qtl exceeded chromosome', 'romane martinik black', 'clearance maternally derived', 'presented provide helpful', 'result lay preliminary', 'selection objective study', 'program marchigiana', 'resistance counted', '19 identified', 'responding gastrointestinal nematode', 'finally polymorphic coding', 'snp chip 777', 'total 39 microsatellite', 'indicated change', 'influencing individual reactivity', 'associated fl utt', 'associated enhanced 18', 'inferred simplem method', 'assayed snp', 'genotyped using ovinesnp50', 'horse needed shed', 'cdh13 enrichment', 'energy metabolism', 'percentage cw', 'considerable research', 'performed backcross independently', 'region contained refseq', 'f0 bird', 'challenging difficulty obtaining', 'account population', 'additional highly', 'steer post', 'detect qtl high', 'variant scd', 'ap early indicator', 'hcr1 gwaa', 'western modern breed', 'inflation factor carried', 'approach gdd', 'porcine chromosome 2p14', 'wt wt genotype', 'yellowness respectively family', 'poultry especially rural', 'high low blup', 'pig fattened traditional', 'indigenous pig western', 'marker information', 'association dmi', 'maternal polar', 'animal arr', 'qtl suggests', 'dam nested', '279phe used', '79 significant 0001', 'holstein immunological function', 'late feathering', 'blup genome wide', 'especially research', 'end chromosome apparently', 'precision technology le', 'region clearly', 'arachidonic acid 20', 'resource analysis mirna', 'bratzler wb', 'chicken increased', 'gene fat1', 'included meat', 'factor klf family', 'factor substantially affect', 'pig phenotyped backfat', 'detected altogether', 'member a3 leucine', 'random forest', 'gene mannosidase', '724 meat type', 'leptin biological', 'growth composition', 'resistance hpai complex', 'underlying polyceraty', '10 different family', 'qtl sc repeatedly', 'additionally genomic region', 'required maintenance gain', '3990 animal genotyped', '961 snp 26', 'correlated trait qtl', 'density marker identify', 'lactoglobulin lg prolactin', 'snp setd7', 'increase number thoracic', 'mapped site close', 'heat susceptible', '77 chromosome wise', 'linkage disequilibrium assessed', 'local genomic', 'absence level pigmentation', 'molecular estimate', 'association opn ppargc1a', 'important cytokine', 'centrifuge force', 'black japanese brown', 'determine association', 'resource population 214', 'unit udder', 'family member abcg2', 'pig fullsib', 'qtl exploiting selective', '298 gilt divided', 'homeostasis maintained', 'dh compared dj', 'fertility trait larger', 'notch1 37453246g absence', 'suggest candidate', 'proportion genetic variation', 'novel bp insertion', 'average tolerance', 'industry ham', 'instead multiple phenotypic', 'non roan', 'sample used boost', 'identification snp provides', 'followed backward selection', 'hgd protein', 'day commercial pig', 'fetal tissue 40', 'considered promising candidate', 'beadchip order', 'number service conception', 'rate important phenotypic', 'genetic proof', 'sacrificial culture', 'score gqls', 'shared qtl exclusion', 'untranslated region respectively', 'asian breed clustering', 'useful utilizing', '490 duroc boar', 'effect separately potential', 'locus method snp', 'showed higher', 'characteristic lean', 'interval bta6 identified', 'skeletal muscle indicating', 'serum concentration c3c', 'population multi trait', 'mn na', 'chromosome trait', 'program coordinated', 'chicken analyzed 60k', '198 type', 'heterozygosity relative extended', 'effect shown', 'reveals mpdz', 'lower rt higher', 'convergent strabismus exophthalmus', 'total novel', 'significantly associated ld', '85 cm', 'worm count 178', '000 androstenone', 'reported influence', 'su wld type', 'bta23 dst mocs1', 'expression pattern atp5b', 'changing photoperiod stimulates', '88 37', 'progeny phenotyped growth', 'tt tc cc', 'coding snp 86', 'snp validated', 'disease resistance infectious', 'variance effect', 'dj nr breed', 'length craniofacial', 'sweep analysis refined', 'tibia femur', '2228t promoter', 'marker used association', 'screened 284', 'function melanogenesis', 'trait region suggest', 'fdr portion body', 'ssc affect imf', 'record litter size', 'marker quantitative trait', '49 snp 44', 'aspect cow', 'bayesc fitting', 'characteristic pt region', 'significance position narrowed', 'rs15231472 rs13849381', 'disease testing case', 'a1 a2', '420 day age', 'gene identify', 'wide level evidenced', '100 cfu map', 'genetic architecture fertility', 'population regarding', 'marker molecular', '15 using linkage', 'possible causal mutation', 'greater aa', 'health longer', 'foundation statistical', 'gga2 gga3 gga4', 'oar3 qtl affecting', 'observed analysis', 'average 103 lamb', 'detection performed experimental', 'pathway finding advance', 'expected relate', 'trait including genome', 'liveweight differ aa', 'component analysed qtl', 'region consistent', 'gene close', 'sequencing mir 27a', 'total 6173 record', 'quarter meishan descendant', 'equine osteochondrosis report', '01 common', 'high ld correlation', 'level snp sire', 'detection snp', 'predictor trait related', 'sole causative', 'large eared', 'chip 777', 'genetic variant underlie', 'adg including', 'receptor tlr9 measured', 'lobe number lamb', 'low h1', 'f2 hybrid yorkshire', 'fcr qtl', 'angus brahman influenced', 'mean difference', 'sscp association polymorphism', '821 italian large', 'efficiency fe important', 'pale 17', 'suggest allelic', 'threshold carcass', 'including single trait', 'notably cdkal1 tert', 'compared white duroc', 'identified gene significantly', 'dsn breed', '200 subject', 'located ssc5 harbor', 'chr1 27', 'af snp', 'affecting meat tenderness', 'polar overdominance mode', 'rs4121165 gc corrected', 'hybrid suggesting', 'coagulation trait', 'measurement 160 age', 'evaluate number effect', 'breed italian', 'korean holstein', 'underlying pleiotropic qtl', 'validation population using', 'animal revealed bp', 'major determinant diarrhea', 'qtls identified bradyzoite', 'holding capacity significantly', 'trait vf2', 'selected lead', 'position 131', 'previously reported influence', '491 ai boars', 'test performed', 'bta7 93', 'knowledge syndrome', 'lean bf fat', 'marker microsatellites qtl', 'sequenced cdna', '91delgccaggggtgtgagcc influence promoter', 'effect related protein', 'respectively snp surveyed', 'based sscrofa10', 'considered good', 'fdr 05', 'highly correlated suggesting', 'location mb', 'type npc mutation', 'carcass trait carried', 'example unl', 'trait statistically', 'link ovine', '64 unaffected', 'trait tendency', '400 kbps', 'snp a59v associated', 'snp chip genotyping', 'association bodyweight gain', 'changing time', 'discovery population comprised', 'genetic correlation parity', 'analysis data identified', 'locus qtl serum', 'understanding mastitis', 'hemoglobin mch mean', 'based experimental', 'index line', 'leg rear view', 'resource population population', '14 18 heifer', 'analysis wgcna total', 'estimate parasite', 'kit eca3 79', 'economic success pork', 'mapped associated', 'considerable level', 'mrna expression analysis', 'related cattle', 'sd wool', 'piglet routinely castrated', 'chromosome bm6425 chromosome', 'daughter efficient', 'age genetics', 'human 96', '05 423t', 'c18 c14 jb1', 'flock animal genotyped', 'metabolic process transport', 'sod1 gene expression', '76 individual', 'analysis meat ph', 'cattle despite considerable', 'count 16', 'sex linked inhibitor', 'expressed sclerotome play', 'performance influencing individual', 'analysis snvs identified', 'play minor role', 'scan implemented using', 'tissue quantitative', 'red white', 'result mtdna maternal', 'search epistatic qtl', 'snp located 44', 'domestication qtl contains', 'contribute multiple', 'type abhd5 affect', 'chosen daughter', 'locus qtl milk', 'pleckstrin homology', 'conducted construct haplotype', 'larger additive genetic', 'dermal pigmentation shank', 'resistance cm dairy', 'identified effect 36', 'family sequence', 'summary resistance', 'control cross membrane', 'research farm evaluated', 'shift expression genetic', 'loss study', 'studied significantly', 'change secondary', 'cured ham pig', 'content result considered', 'expected robust multiple', 'helpful fine mapping', 'image analysis', 'duroc gilt', 'accuracy increased effect', '44 412', 'gilt sow performed', 'taint trait influenced', 'identified roh', 'harbouring putative', 'prkab2 prkag3 vegfa', 'organ trait', 'foc showed', 'catabolism lipid', 'work investigate', '22 breed asia', 'snp 619', 'effect previously detected', 'identified novel mutation', '26 umd', 'day starting 22', 'genotyped 13 snp', 'measured survival', 'moderate density', 'non redundant cnv', 'appear detected previous', 'length week dqsl2', 'property milk', 'strengthened additional pair', 'thickness landrace', 'favorable phenotype investigate', 'weight cattle', 'breed linkage mapping', 'gene gbp1 average', 'angelman syndrome', 'set permutation', 'breed white', 'disequilibrium block formed', 'assay revealed significant', '05 haplotype', 'sheep localise', 'variation sow fertility', 'litter mate low', '293 130', 'continent recent', 'family showed logarithm', 'chip mixed', 'chromosome bone', 'distributed 15', 'available subset 19', 'amplification sequencing', 'duplication detected', 'snp 29 bovine', 'intron 2723c', '008 04 bvd', 'pig breed involved', 'recombinant qtl region', 'sample constituted', 'based imputed', '123 26th', 'suggests eyelid', 'threshold resulting 10', 'genetic resistance map', '46 sire phenotype', 'contaminated egg meat', 'located peak significance', 'bta5 detected', 'single marker gwas', 'effectively current qtl', 'variant functional', 'qtl identified tibia', 'line descended commercial', 'cow superovulation', 'cd2 cell pig', 'maternal breed qtl', 'male pig data', 'correlation 96', 'estimate allele', 'knowhow regarding gene', 'qtl fatty acid', 'sck2 snp', 'future melanoma', 'mir recently fast', 'postulated pleiotropic', 'caspase recruitment', 'female 361', 'index bos taurus', 'order identify significant', 'mean proviral concentration', 'curve allowed', 'porcine hd beadchip', 'trait analysis', '60k chicken single', 'combined efficient', 'country le favourable', 'explaining previously', 'axis prepubertal', 'including platelet', 'identified region haplotype', 'length productive', 'map using 251', 'malformation occurs', '08 lr', 'glm provided evidence', 'genotyped white composite', 'score subset data', '13 27', 'distributed region 21', 'bull significant 05', 'immune response adult', 'shared hypothetical identical', 'kinase associated reproduction', 'fraction genetic', 'milk trait comparing', 'family qtl affecting', 'bw weaning weight', 'marker association assessed', 'mapping population imputation', 'feeding adipose tissue', 'region ranged 88', 'phenotype related', 'indicated leptin', 'major allele', '113 twhs', 'telomeric position', 'size 70', 'crossbred sow', 'rm1 solo insertion', 'c14 strong linkage', 'gu253337 320t rs43676359', 'located near', 'mycobacterium paratuberculosis infection', 'shown sensitive', 'ssc3 influencing', 'understanding mucin', 'crossing duroc', 'obtained database added', 'quantitative trait statistical', 'yield thigh', 'identify common locus', 'tt ebpβ', 'received apr individual', 'age puberty reproductive', 'genome scan duroc', 'simplicity ability determine', 'crimp 05', '01 ci trans', '12284a 12331t resulting', 'affecting cattle birth', 'dna variant', 'milk 0001', '19 36', 'software total 19', 'contains multitude gene', 'previous significant', 'qtl explains total', 'elovl6 533c highly', 'f2 chicken f2', 'sheep breeding identify', 'rdw respectively snp', 'total 529 37', 'unfamiliar animal life', 'efficiency livestock production', 'loin asga0070634 value', 'significant qtl 01', 'qtl significant additive', 'fully employ', 'large white italian', 'cause identified', 'wide threshold value', 'failure exploring', '18 22 associated', 'method genomic prediction', 'associated bone weight', 'reproductive trait generation', 'high prolificacy', 'defined snp bp', 'breeding study', 'significantly current', 'relative contribution 63', 'previously unique', 'total epistatic pair', 'agreed previous qtl', 'explaining 19', 'mating strategy avoid', 'chromosome 60 mbp', 'delayed snp differentially', 'turnover energy', 'based approach beneficial', 'pedigree based selection', 'located 34 mb', 'heterozygous v371m', 'allele frequency used', 'sex herd', 'fat deposit', 'prrsv specific', 'tribbles homolog trib1', 'mastitis qtl', 'gene function potentially', 'control limited study', 'tested association offspring', 'common approach identify', 'founding sire', 'acaca ghr adrb2', 'myofiber density', 'belonging transforming growth', 'apparent le', 'respond medical treatment', 'lr gwas identified', 'respectively aim study', 'gene bp indel', 'seven region', '648 snp', 'containing 16', 'ph1 phu', 'polymorphism leading', 'detected genomic', 'noninbred white leghorn', 'atrophic rhinitis', 'growth reproductive performance', 'using geneseek80k snp', 'parental line revealed', 'combined haplotype carcass', 'score located', 'point wise significance', 'small population size', 'snp c4535156t', 'affected control total', 'hybrid steer conducted', 'jb1 a80v', 'cm3 lactation', 'real data', 'camkmt gene exon', 'investigated genetic effect', 'parameter snp', 'plasma cortisol', 'datasets chinese holstein', 'vartnb conclusion', 'selection allow', 'day intestinal', 'expression genotype low', 'association udder', 'gene imprinted gene', 'respectively distributed', 'candidate gene biological', 'profiled focusing chromosomal', 'background trait individual', 'ssc1 ssc8', '24 addition 49', 'feature involved maintaining', 'acid pig', 'morphology trait respectively', 'detected previous', '10 false', 'model overall', 'measured breed', 'bta 24', 'ovarian hypoplasia', 'affecting proportion bone', 'based rs13687126 rs13687128', 'pfts finding contribute', 'fat content estimated', 'efficiently production', 'holstein dh', 'stress infection', 'bl withers height', 'early feathering chick', 'site molecule', 'previously identified marker', 'marker located prkag2', 'exon potential', 'gradient biological membrane', 'heart weight pancreas', 'organism growth', 'analyzed variation tight', 'ph described pigqtl', 'q1 msh', 'snp myadm gene', 'using quantitative trait', 'verified qpcr haplotype', '119 marker genotyped', 'analysis la', 'sf3b1 associated', 'approach seven different', 'characteristic morphology thermoresistance', 'variance 32', 'mlm used subsequent', 'genetic marker future', 'depigmented iris sector', 'gene network enrichment', 'cross meishan', 'liver kidney', 'included bivariate', 'sensory property nutritional', 'group covariates', 'chain reaction rt', 'trait inheritance different', 'sire crossed', 'lower effect variance', 'different diagnostic', 'heritability frequently reported', 'glycosylated forming binding', 'performed 96 baluchi', 'association spot14alpha', 'maximum lod score', 'osteochondrosis report', 'underlying locus', 'resource subsequent study', 'group identified suggesting', 'polygenic nature inheritance', 'pig multimarker regression', 'avpr1b meat quality', 'approach parameter used', 'nle⁴ phe⁷', 'porcine locus', 'polymorphism intronic', 'receptor potential', 'ass role mutation', 'gwa rhm', 'seven bovine', 'breed breeding', 'accurate positioning qtl', 'generation family based', 'old failure', '21 sire progeny', 'involved regulation coagulation', 'swine growth meat', 'cnv generated', 'ref previously analyzed', 'detected absence', '30 informative snp', 'homology insulin like', 'effective genomic', 'texture juiciness fat', 'encodes transcript', 'wide suggestive locus', 'interestingly low positional', '24 month 05', 'quality sequence', 'custom maximum likelihood', 'express software data', 'selected model estimated', 'genomewide association study', 'panel tenderness', 'quality trait suggests', 'stop codon encoded', 'approach used wilmink', 'gga4 tibia', 'putative cnv region', 'following criterion minor', 'myofibrillar fragmentation index', '660 528', 'fit simulated', '114g caused', 'bmps peptide', 'method result', 'weighed scanned using', 'genome wide false', 'cattle large large', 'disorder horse misdiagnosis', 'region associated traditional', '762 bird', 'analysis incorporated', 'expression bmp5 gene', 'genetic predisposition common', 'significance 58', 'significantly 96 10', 'based differential', 'twinning rate analyzed', 'nicl snp effect', 'used preliminary', 'scan udder related', 'animal revealed', 'bc respectively allele', 'experiment intended', 'ncapg 1326t locus', 'related feed intake', 'snp age calving', 'revealed difference expression', 'genotype circulating prolactin', 'analytical approach successful', 'crossbred cb', 'gene highly significant', 'sirna interfering analysis', 'xp2 xq2', '350 male lamb', 'ssc11 48 cm', 'base fifth', 'inherited white', 'locus associated en', 'reflect large effective', '923 boar danish', 'sufficient power validate', 'cleavage site propeptide', 'increasing cbg', '356 microsatellites covering', 'associated social', 'cxcr1 cxcr2 gin', 'close s0082', 'approach account population', 'g6pc3 pycr1', 'influencing carcass composition', 'signaling pathway highlighted', 'genotype observed frequency', 'exists number', 'associated parameter meat', '23 polymorphism detected', 'location candidate gene', 'sensory trait 15', 'cattle caused', 'animal polymorphism', '40mg milk furthermore', 'performance calf bwt', '26 study', 'holstein charolais cattle', 'pcr sequence analysis', 'moderate heritability difficult', 'analysis parental animal', 'point fine', 'polymorphism exon', 'muscle important tissue', 'using genome wise', 'role bovine', 'infection general', 'stressor neurotransmitter like', 'bovine lactoferrin gene', 'evidence polymorphism', 'qtl intensity profile', 'require investigation', 'vital role', 'breed dna', 'gene set af', 'multi locus mixed', 'breeding based', 'impact random', 'casein complex', 'linked sl9a3r1 snp', 'validity associated', '80 encoded', 'map explained 28', 'performance trait including', 'triiodothyronine t3 thyroxine', 'strength rump', '715 284 750', 'thickness trait', 'chromosome gga5 result', 'ibsp spp1 isg20', 'genotype bpi exon', 'genomic value project', 'muscle adipose tissue', 'improve fe improved', 'different half sib', 'pubertal development', 'genome scan identify', 'cbs fold higher', 'feed requirement', 'china segregated', 'model linkage', 'trait cddr', 'morphogenesis effect hair', 'gr meat', 'ntng1 pign', 'success likely warranted', 'trait range 23', 'osteochondrosis oc', 'porcinesnp60 beadchip bayesian', 'trait suggestive significant', 'confirmed experimental study', 'power qtl', 'regulated fat deposition', 'trait 80e', 'chinese holstein cattle', '05 ct scanning', '139 marker', 'sum severity', 'dqsl2 identified', 'hypothesized causal', 'panel porcine', '39328 rs132865003 rs134340637', 'informative 188', 'gizzard genotype', 'underlying qtl direct', 'italian duroc group', 'drip loss result', 'computed allelic peeling', 'genetic factor influence', 'sequenced novel', 'season difference', 'end number', 'snp achieved', 'hy line white', 'element target', 'lep fabp', 'conserved imprinted', 'strain locus f4bcr', 'competitiveness industry', 'evidence variation lcorl', 'formed posttranslational modification', 'residual glycogen ssc3', 'calculated compare different', 'intercross pietrain', 'lesion type ssc16', 'progeny candidate', 'pp affected pp', '10 bwt', 'texel ml', 'involved prader', 'showed individual', 'atp5b widely', 'case carcass', 'population utilized', 'lce ubl5', 'snp density insufficient', 'associated locus', 'parasite resistant susceptible', 'single mendelian qtl', 'embryonic mortality conclusion', 'embryo length uterine', 'genotype production body', 'altered arrangement granulosa', 'pik3cb 22x10', 'validates region', 'result hcr1 gwaa', 'hemoglobin hgb mean', 'qtl possibly', 'variation calpain', 'threshold consumer acceptance', 'p450 cyp2 gene', 'total 675 pig', 'ap early', 'trait repeatability', 'variation multitrait group', 'test bioinformatic', 'qtl current', '111 mn na', 'genotype determined high', 'selection signature region', '52 respectively remained', '16 locus significantly', 'analysis 13 000', 'qtl ssc15', 'bigger sample', 'hanwoo commercial', 'erhualian f2 resource', 'influenced qtl chromosome', 'lard fatty acid', 'meta analysis single', 'pde4b2 expressed', 'sire 3070', 'largest number qtl', '14 fa', 'data indicated', 'bovinesnp50 beadchip 50k', 'tender allele similar', 'breed sheep polypay', '61 62 mb', 'estimate milk yield', 'european strain', 'affymetrix snp', 'qtl fixed european', 'regulate rab27a required', 'significant tentative', 'architecture ultrasound based', 'homeobox snp marker', 'affecting fatness', 'chicken paternal half', 'cross boar', 'snp beadchip tested', '32 day gestation', 'matched herd according', 'applies infection prrsv', '135 768', 'associated maternal calving', 'run6 genome', '73 59', 'palatability validation study', '05 threshold detected', 'conducted using mixed', 'phenotypic difference beneficial', 'gelbvieh hereford limousin', 'red cattle 224', 'foot angle measured', '46 suggestive', '14 20', 'contains annotated', 'mb accounting', '20 29 measure', 'heritability analysis', 'affecting lm dimension', 'comprising novel', 'disequilibrium result hcr1', 'gwaa performed additive', 'deposition reinforces', 'suggested atp5b probably', 'different allele mutation', 'qtl analyzed subsequently', 'platform bayesian method', 'previous result support', 'chip used genotyping', 'detected gnaq', 'angus cow', 'increase experimental', 'mixed model 24', 'arm ssc2 effect', 'population 298', '550 snp', 'search candidate', 'used quality control', 'using bayesian model', 'identified scd single', 'imf respectively analysis', '30 gilt farrow', 'marker detected fabp4', 'sib family average', 'variation qtl', 'population genotyped', 'addition based', 'transcriptional level genetic', '141 snp used', 'marker significant adg', 'discovery rate correction', 'adipocyte number ssc9', 'wide significant', 'causal variant', 'difference chinese', 'thought influence', 'end gene', 'bird important plethora', 'chromosome bta01', 'genotyped 158', 'growth finishing period', 'muc13 gene pig', 'scan included total', 'harbored additive genetic', 'nature inheritance conclusion', 'association high', 'position widely used', 'day prediction ca', 'gene drd4', 'additional outbred family', 'ebv result provide', 'ii clinical mastitis', 'finding contribute biological', 'nucleotide exon 23', 'wisconsin herd estimate', 'alive rg', 'slick locus principal', 'qtl cumulatively', 'gland lead reduced', 'sheep revealed', 'study analyze', 'gene predicted participate', 'content 60 kg', 'sdk1 juiciness', 'ictaluri severe disease', 'candidate gene sbno2', 'establish efficient accurate', 'marker bovine', 'complement factor bf', 'component adjusting', 'component analysis applied', 'signaling natural', 'potential molecular', 'individual pathway rfi', 'qtl affecting fatness', 'trait combination', 'dna construct encoding', 'nba total', 'information nearest positional', 'qtl completion bovine', 'multiple variation', 'trait yellow', 'variation cnvs major', 'analysis 61 pig', 'modern holstein dairy', 'genome selected association', 'indel 106_ 91delgccaggggtgtgagcc', 'polymorphism analysis designing', 'alternative genotype', 'feed efficiency potentially', '400 berkshire', 'homeostasis glucose', 'docile breed', 'genotyped illumina 60k', 'effect increased chromosomal', 'hormone conclusion', 'cation channel', 'resistance map', 'glucose diplotypes', 'snp hapmap49848 bta', 'fat 27 cm', 'annotated gene network', 'qtl detected fm', 'close kit', 'accurate diagnostic test', 'score lesion gm', 'aim study estimate', '365 snp significant', '24 hour phu', 'qtl ci 124', 'rft 33', 'similar study aimed', 'ssc11 kitlg', 'cluster differentiation', 'pool 100', 'revealing cryptic', 'distance snp 100', 'carry muc13b', 'provide step', 'attenuated european', 'bird exhibit', 'frequency alternative allele', 'bite hypersensitivity', 'solving direct breeding', 'qtl contains', 'record body weight', 'ssc6 ssc10 1on', 'acid exchange', 'capacity 21 24', '1970 widespread use', 'analysis lld', 'map distal', 'snp rs80983858 located', 'selected homozygosity alternative', 'breed influence imf', 'new clue understanding', 'approach accelerate genetic', 'effect trait lepr', 'progeny broiler layer', 'mapping type', '32 pathway', 'qtlr 19 chicken', 'nucleotide polymorphism mapping', 'suggestive qtl plasma', 'evidence exclude', 'susceptibility coccidiosis used', 'bms778 lod drop', 'used localize centromere', '12 week developmental', 'involving candidate gene', 'potential quantitative trait', '84 phenotypic', 'resulted nonsense mutation', 'enabling comparison result', 'detection qtl lameness', 'far point', 'ssc6 reported', 'respectively iv importantly', 'formation vertebral', 'variation kyphosis', 'snp affect trait', 'resulting divergent', 'evidence differential set', 'nba nm', 'combination haplotype', 'infection grazing faecal', 'gamma pparg erb', 'weighted gblup wgblup', 'result sensitive sampling', 'leghorn population', 'improve carcass meat', 'cloned mapping', 'strain qtl', 'examined expression serpina6', 'variant ovlv susceptibility', 'ca identified', 'better understanding underlying', 'allele increase shoulder', 'control imputation 290', 'ce muscle redness', 'informative animal', 'ssc4 liw 170', 'fsil generation', 'finding confirm qtl', 'comparison standard unweighted', 'number insemination nins', 'calpain gene family', 'lamb 879', 'frequency 54 haplotype', 'semen production', 'array sowpro90 enriched', 'trait primary', 'balance gene information', 'holstein experimental population', 'associated bodyweight', 'bird cc', '12 cm objective', 'variation locus', 'enhanced resistance map', 'based mixed', 'explained quantitative', 'baby blue severe', 'immune capability', 'type iia muscle', '01 detected', 'mountain alberta canada', 'growth low growth', 'showed genotype respectively', 'effect brahman', 'pig population', 'birth weight preweaning', 'ectodermal ridge', 'rf model', 'type npc', 'identified reported', 'region used analysis', 'rate measure', 'casein total protein', 'family single', 'chinese cattle population', 'region linked', 'suspected french', '27 29 se', 'charolais holstein crossbred', 'compared phenotypic', 'heritable categorical disease', 'alternative approach including', 'pig commonly', 'dimension fat', 'pla2g7 gene ssc7p1', 'transcript encoding putative', 'chromosome comparative', 'function genomic', 'nramp1 shown influence', 'conserved porcine', 'study genotyped 192', 'mainly detected', '50 intramuscular', 'gwas utilized', 'iia ssc14 number', 'bp deletion 15079217delc', 'controlling sla', 'minolta respectively suggestive', 'flanking likely qtl', 'buffalo encodes', 'suggest fst', '391 single nucleotide', 'desaturase fads2 investigated', 'melting point inner', 'emmax produced highly', 'combined data individual', 'fsil elite', 'candidate eqtls associated', 'artificial challenge', 'potential region', 'accounted half', 'ssc4 meat', 'complex trait following', 'imf estimate', '19 million imputed', 'explained known', 'successful qtl mapping', 'analysis revealed similar', 'sire heterozygous locus', 'characterized aimed identify', 'weight death', 'relationship unique', 'bta26 bta27', '712 calving', 'fine tuners complex', 'female proportionally', 'diplotypes based snp', 'major region lung', 'depth segregating texel', 'trait following chicken', '11 12', 'variation examined', 'sequenced animal', '14 age service', 'controlled af', 'increased 05 expression', 'identification heterozygous', 'map fine mapping', 'nba average piglet', '13 highly', 'pbx1 rgs4', 'coding sequence', 'resistance immune response', 'family previous', 'cell score mastitis', 'ratio male', 'interpretation based approach', 'resistance susceptibility bacterial', 'search position', 'narrowed fine', 'exogenous antigen', 'explains small difference', 'ssc12 conclusion', 'decade numerous', 'block built weighted', 'nucleotide polymorphism detected', 'loin eye area', 'qtl revealed chromosome', 'implemented based seminological', 'differ aa bb', 'like ubl5', 'including 4993', 'genotype variance', 'trait investigation result', 'dasan breeding farm', 'novelty arena test', 'accuracy 50', 'snp rs107856757', 'ph muscle', '18 candidate region', 'score sc implemented', 'study gwas meta', 'chicken ecotypes', 'gene ppard', 'poultry production order', 'trait intrinsic', '180 day carcass', 'lald successful', '13 bta27 83', 'mediated mobilization skeletal', 'snp bovine tlr2', 'method snp fm244720', 'contributes little rln', 'pig italian large', 'meat yield yield', '01 haplotype', '43 68 trait', '14 18 joint', 'functionally relevant quantitative', 'production trait using', 'i199v locus', 'segregating study', 'fi genomic', '95 confidence interval', 'significant effect serum', 'calf specific', 'expression muc4 high', 'linked marker', 'understand effect single', 'disequilibrium f4bcr locus', 'adipose accumulation association', 'population shared mutation', '108 qinchuan', 'important phenotypic trait', '13 06', 'dr used study', 'sow landrace', 'genotyped 488', 'devoted production', 'day animal model', 'analyzed trait located', 'parasite likely', 'mucosal defence', '21 evaluated qtl', 'insight novel porcine', 'gwas 12 snp', 'c3 cdna', 'power gene', 'mortem anoxia conversion', '8774 1226', 'model bvs result', 'ovulation twinning rate', 'gene interesting', '28 mm', 'population genome scan', '387 snp', 'horse breed significant', 'chromosome dissection backcross', 'independent replication secondly', 'development regulation', 'circulating vaccenic', 'eca 26 result', 'epistasis qtl', 'heritability estimate average', 'cast taurine zebu', 'weight soft', 'resolved increased calf', 'maintenance horn', 'height withers', '32302 identified polymorphism', 'sci body conformation', 'trait fat fatpc', 'twinning 29 571', 'resistant susceptible selection', 'remains unknown copy', 'explained 11', 'dependent record', 'previous snp information', 'abdominal fat 0001', 'important aspect', 'biological pathway underlie', 'line swine express', 'issue sheep breeding', 'identification qtl result', 'mir 184', 'qtl qtl model', 'trait pre requisite', 'obtained following challenge', 'bacterial load sire', 'inclusion internal', '234 number fetus', 'qtl multiple', 'population study locus', 'adipocyte differentiation study', 'adjust horse phenotypic', 'accomplished genome scan', 'percentage breeding', 'entropion mammalian', 'significance obtained fat', 'gain 003 feed', 'meat large white', '11 cis', 'needed shed light', 'detect effect', 'protein level suggesting', 'effect onset', 'tyrosine kinase', 'bvs 13', 'using subset inra', 'important reference fundamental', 'revealed present allelic', '200 purebred', 'information univariate', 'trait mapped proximally', 'affecting brd morbidity', 'effect bf', 'selection modify', 'slightly contribution snp', 'cacna2d1 gene', 'rate 282 day', 'correction total', 'important improvement current', 'restriction evident symptom', 'model overfitted indicating', 'gland infection significantly', '2978 daughter analyzed', 'alpha 169 kg', 'array nh', 'ssc6 ssc11', 'approach targeted', 'associated candidate gene', 'qtl contributing effect', 'variation resistance carrier', '117 marker covering', 'gga5 explained phenotypic', 'tested determine number', 'typed 29 bovine', 'bhb identify genomic', 'cross using', 'study detected', 'available progeny', 'porcine human', 'economic societal', 'rs15675065 ghrl', 'clinical ulceration', '85k snp', 'permutation based 3500', 'pig finding provide', 'acid result agreement', 'aimed identify genomic', 'animal prevent', 'marker respectively', 'bta14 corresponds', 'sign selective sweep', 'kit pax3 mitf', 'possible candidate gene', 'rib significant', 'included 180', 'snp italian local', 'gene conclusively linked', '30 lower concentration', 'acid metabolism study', 'correlated growth carcass', 'corresponding trait respectively', 'maternal paternal reproduction', 'heat tolerance chicken', 'natural condition', 'trait drawn notably', 'used mrna expression', 'considered validated occurred', 'result gene', 'span hoxd gene', '10 65 linkage', 'benefit application', 'genetic marker pig', 'qtl region previously', 'involved cytokine signalling', 'analysis eth10', 'dairy sheep outbred', 'method used identify', 'heritability genomic', 'pair significant', 'protein transacylase mcat', 'quarter horse', 'service fewer', 'born tnb confirmed', 'animal originating cross', 'wide chromosome', 'limitation previous', 'canchim population', 'valle del belice', 'variance resistance cd', '857 532 genotyped', 'abcg2 environmentally', 'versus 25', 'peak genome trait', 'hen associated increased', 'epistasis qtl considered', 'fat detected region', 'c1q binding', 'emaciation growth retardation', 'large litter highly', 'case control model', 'involved regulation qtl', 'linked qtl trait', 'gg gg cc', 'phosphate isomerase phosphogluconate', 'informative polymorphism used', 'subtypes including', 'bon cebú', 'composition precluded beef', 'protein yield identified', 'testing imputed', '214 pig resource', 'individual milk sample', 'trait locus allow', 'lactation decline', 'grandsires 499 son', 'locus rs43284251 rs109210955', 'metabolite glucose phosphate', 'polymorphism 361', 'estimate moderate', 'gene effect', 'study 33 71', 'beef industry using', 'cbg affinity cortisol', 'favourable condition', 'effect 269 kg', 'duroc purebred population', 'horn ovary', 'transcribed region', 'validated shrinkage estimation', 'generation sequencing genome', 'recently serpina6', 'bta14 milk fat', 'environmental genetic', 'trait landrace large', 'familiar production', 'animal inheriting', 'resulting fishy odour', 'columbia breed', 'detecting fine', 'bta23 estimated breeding', 'gridqtl org', 'pinpoint causal', '7539 sheep', 'associated total', 'cross cattle', 'kinase ampk', 'oc equus', 'potential key', 'dairy cow strongest', 'close microphthalmia', 'associated adg including', 'genotype significantly le', 'dwarfism fleckvieh', 'effect estimated searching', 'cagaca used', 'thickness different myog', 'ssc6 f2 intercross', 'causative trait', '13 990 160', 'improve hcr genomic', 'smaller rump length', 'erectness important', 'experiment using fisher', 'tnf function', 'variation trait pig', '1on ssc13 ssc15', 'protein fabp4', 'abdominal fat suet', 'ldrm analysis 144', 'distal femur white', 'cn cn gd', 'linkage gga2 mapped', 'positive selection signal', 'gene experiment showed', 'genotyped panel', 'distributed 26', 'vasoconstriction depressed circulating', 'disorder including obesity', 'effect mir', 'line permutation', 'growth fatness pig', 'panel day', 'study candidate locus', 'scd transcript', 'acid composition genetic', 'population method aquaculture', 'del genotype', 'method relationship', 'region ssc1 using', 'significance threshold 10', '15 13 12', 'chromosome 19 affect', 'remained analytical', 'color naturally', 'value detected qtl', 'ccnd1 fto pla2g6', 'snp 8068', 'gene 61 kb', 'norwegian duroc boar', 'animal broad', 'level post weaning', 'gene analysis identify', 'region regulating milk', 'platform bayesian', 'trait associated multiple', 'indirect selection resistance', 'shank growth time', 'growth factor adiponectin', 'chicken eliminate gap', 'population including major', 'loss cpg site', 'showed 115 window', 'result screened', 'economic importance pig', 'ca zn', 'uniformity understand', 'osteochondrosis oc palmar', 'high level heterozygosity', 'qtl located gene', 'significantly associated boar', 'cm marker initial', 'analyzed previously', 'muscle area body', 'mean value', 'polymorphism bmp15 exon1', 'higher toughness', 'landrace 100', 'animal percentage', 'boars association reproduction', 'enrichment functional analysis', 'mirnas mature mirnas', 'underlying calving ease', 'storage disorder', 'respectively play', 'sfd wagyu limousin', 'extended haplotype homozygosity', 'haplotype hypothetical', 'sire 40 dam', 'partly contributed', 'accuracy selection process', 'ovgp1 fbxo43 tssk6', 'quality cause considerable', 'snp identified previous', 'ssc5 12', 'weight exhibited', 'osteochondritis dissecans ocd', 'itgb5 firstly', '768 996 972', 'dj nr', 'haplotype mapped', 'fraction lymphocyte', 'affect various', 'case dd', 'length 577 chicken', 'il10 interferon', 'population 81 02', '46 snp target', 'snp4 snp16', 'trait inheritance', 'fdr 05 gene', '10 single', 'respectively gene xin', 'collected weekly basis', 'effect dairy', 'starvation drosophila make', 'mapping method refined', 'italian landrace 23e', 'related genome result', 'respiratory problem', 'genotyping 33 marker', 'detected ssc1', 'mch mean corpuscular', 'performed 17', 'transcript analysis', '0e 07', 'variance amova', 'profile snp bin', 'improves slightly', 'using pure line', 'dik0079 20', 'scd polymorphism', 'joint linkage', 'c14 snp scd', 'number teat recorded', 'method dataset comprised', 'sample 152 italian', 'selection study aimed', 'trait soluble', '127 independent', 'btc 038813 btb', 'evaluated transcriptional activity', 'area ra', 'ap reproductive', 'wk age assessed', 'his465arg 1751a asp582gly', 'sib maximum likelihood', 'fat showed', 'enhances opportunity', 'snp respectively significantly', '14 45 36', 'colour pattern', 'laying intensity', '1142c exhibited', 'applied 50 snp', 'process beef', 'association calving trait', 'muscle weight myofiber', 'screened single', 'progressive loss structural', 'classified missense variant', 'examination striking similarity', 'snp chosen significant', '05 bft', 'training period', 'known gene suggested', 'combine data independent', 'site 1001t', 'eca 24 raspf7', '20 genotype available', 'holstein population distinguish', 'region provide starting', 'higher follicle', 'domain family gene', 'multiple regression analysis', 'fat percentage snp', 'trait approach provide', '22 milk', 'promotor gdf9', 'basis difference understood', 'component chicken thermoneutral', 'adverse welfare consequence', '771a 1101a', 'record 556', 'homozygous lower conception', 'simultaneously breeding', 'stillbirth calving', 'allele putative qtl', 'node resistant', 'transfer respectively report', 'fetlock hock', 'completely pigmented pig', 'biological perspective result', 'potential causal mutation', 'yield bta 16', 'short transcript', 'body foot', 'pign znf75a gene', 'affecting androstenone candidate', 'simple trait provide', 'sta milk', 'trait half', 'c18 index', 'region probably', 'identifying genetic factor', 'process livestock genome', 'breed second set', '10 genetic variance', 'qtl weight', '01 hardy', 'additive dominance qtl', 'family corresponding', 'martinik black', '02 00', 'covariate qtl chr', 'potential effect body', 'predicted milk', '17 02 conclusion', 'accounted 12 18', '13 sw1495', 'confirmed extended', 'ssc1 significant qtl', 'implying selection altered', 'closely related qtl', 'analyzed using bayesian', 'group familiar', 'lifetime parity combined', 'identified 241 snp', 'ttn conclusion', 'fak pak', 'varied according', 'gene clarification genetic', 'involved response', '204 binding region', 'suggest neuronal', 'genotype bull', 'analysis myostatin gene', 'affecting rear', 'population assessed', 'protein yield bta', 'resistance btb', 'tenderness compared', 'trait dressing percentage', 'post immunisation', 'genotype rs13687128 significantly', 'respectively result study', '4185 0815 2283', 'activity mttp', 'wise fdr located', 'ass mutation responsible', 'htr2a rs17664565', 'pp near', 'tested robustness genetic', 'risk case', 'cycle ebv pat', 'mastitis detected study', 'f2 hybrid', 'snp present bayesian', 'detected pig past', 'girth cg total', 'thickness result provide', '05 data serve', 'danish udder health', 'associated post infection', 'cause development bcse', 'category gene ontology', 'gga8 gga9 gga10', 'agreement qtl', 'revealed porcine', 'epistasis consistent original', 'effect course', 'snp major', 'seven novel polymorphism', 'lowly heritable categorical', '44 single nucleotide', 'complementary multivariate technique', 'fluctuating asymmetry developmental', 'identification utilization', 'rw070 qtl region', 'shoulder width', 'genome selection', 'locus growth associated', 'width chromosome gestation', 'used genotype 1728', 'currently possible', 'incidence clinical', 'trait wise', 'signaling mapk signaling', 'suggest host response', 'detected using standard', 'ssc13 lesion', 'aim study detect', 'identified promising influencing', 'multiple trait linear', 'annotated gene involved', 'qtls pcgs potentially', 'component pregnancy', 'assumption qtl fixed', 'length polymorphism aflp', 'eth10 pcr amplicons', 'acting effect 16', 'located chromosome gene', 'in7 g162c igf2', 'caused partly differential', 'linkage disequilibrium 22', 'glutathione metabolism', 'approach suggested polygenic', 'ssc6 ssc14 wild', 'chromosome type', 'herd selected', 'based significance paternal', 'construct protein', 'a506c significantly', 'qtl gompertz parameter', 'signaling major qtls', 'tbg apoh', 'result model', 'rich qtl affecting', 'foundation follow study', 'covering chromosome 12', 'gene mterf2 rtmb', 'located untranslated', 'characteristic located different', 'pig pig second', 'mapped separate locus', 'total 239 animal', 'box protein 32', 'prolificacy sow conclusion', 'ssp paratuberculosis map', '48e 07 respectively', 'successful result', 'mainly located gallus', 'spanning promoter major', 'capn6 additional genome', 'cow testing', 'addition influence gene', 'gdf9 g593a t824c', 'active shackle line', 'acer3 itgb4 ggt6', 'marker arf5', 'prnp gene', 'spleen lung', 'size born 2013', 'highly significant gene', 'background increased disease', 'combined phenotypic', 'methodology analysis', 'genotype detected setd7', 'purpose study confirm', 'variance harbored 124', 'candidate gene permit', 'ssc10 using imprh7000rad', 'gut tissue', 'increase weight trait', 'level large', 'observed square analysis', 'selection programme', 'strict bonferroni', 'lipid level', 'serum antibody mapped', 'finding purebred population', 'exmoor pony', 'method using panel', 'bp untranslated', 'association daily', 'region tg', 'segregated family explained', 'component litter', 'afe additionally region', 'use 39 microsatellite', 'studied 58', 'indicus breed appeared', 'observed skatole', 'enlarged 16 amino', 'involved control adipose', 's20 rps20 study', 'meta analysis breed', 'number gene', 'proteolytic activity chromatin', 'test snp immune', 'zp3 significantly associated', 'c5697t intron bmp', 'psychosis occurring', 'mapped gallus gallus', 'nba receives widespread', 'missense mutation g489a', 'associated nervous', 'candidate gene close', 'ovulation rate 102', 'covering 31 equine', 'difference respect qtl', 'pig 30 purebred', 'csn3 qtl', 'eca 14 27', '113 worm', 'percentage showed significant', 'ph measured', 'tb affect', '37 snp pig', 'using ovinesnp50', 'breeding program challenging', 'bw10 13 bw13', 'gain additionally', 'line cross square', 'gene influence litter', 'accompanying skeletal', 'method study used', 'facial wrinkle', 'form failure', '30 000 teladorsagia', 'case identification causal', 'larger sd', 'identified snp 2449g', 'population macro environmental', 'progression clinical ulceration', 'microsatellite marker significant', 'association haplotype candidate', 'cattle aged 24', 'dairy cattle biological', 'reduced medullary', 'information concerning', 'maximum lod', 'resulting missense mutation', 'bta using', '90t play', 'calving performance dairy', 'chromosome critical region', 'differential thermoregulation', 'qtl generally acted', '897 report', 'addition total chromosome', 'bco2 snp w80x', 'level particular', 'despite gap', 'analyzed association genotype', 'red junglefowl rjf', 'affinity cortisol parental', 'responded heat treatment', 'population evaluation', 'tnnt3 overall liking', 'enduring challenge evolutionary', 'locus detected', 'map ldrm', 'shank trait qtn', 'swine industry study', 'chromosome gga1 gga5', 'site pref progesterone', 'cyp17a1 aco2 pi4k2a', 'marbling bta4 replicated', 'fp bta tentative', 'role growth development', 'ghana study', 'feather furthermore feasible', 'search european', '40 10 12', 'method glm', 'study refine qtl', 'aspect bone turnover', '376 snp remained', 'follicle h3h3', 'sscx epididymal weight', 'efficient cattle genome', 'line qtl', 'selectively genotyped', 'qtl revealed inra', 'detected fy explained', 'rainbow trout aquaculture', 'g32e variation underlying', 'marb high', 'eth10 dik5248', 'markedly reduced', 'locus potentially far', '05 manych merino', 'analysis snp residing', 'shown increase number', 'multi trait gwas', 'bta chromosome 12', 'commercial nelore population', 'expressed fat depot', 'loss fiber', 'measured body', 'sheep result showed', 'volume measured subgroup', 'c18 trans genomic', 'cm away', 'edwardsiella ictaluri severe', 'efficient future pig', 'weight change packed', 'hypusine formation', 'single snp bovine', 'ctsd useful', 'measurement aiming', 'qtl influencing leucocyte', 'wide scale', 'solid yield', 'origin meishan significant', 'created phenotypic', 'day 590', 'population bird slaughtered', 'resulting cross taurine', 'autonomy phenotype', 'gwas fcr conclusion', 'marker retain', 'polymorphism breed specific', 'cast breed analysis', 'regulating erythroid', 'panel 54 001', 'use sharper', 'qtl ebv rear', 'covariate prediction ccp', 'great impact economic', 'quality fatness', 'lbw ssc1 ssc2', 'proportionally larger number', 'present complete', 'wg vl exhibited', 'effect obtained genetic', 'maasai breed', 'difference breed', 'overall trait category', 'detected kdm5a', 'revealed novel population', 'genotype dd 05', 'tcf21 chromosome', 'allele estimated 89', 'trait presently', 'vrtn positional', 'lacking extensive', 'detect snp use', 'human cattle', 'mrna polymorphism', 'tail development', 'receptor gene esr', 'play vital role', 'fatty acid group', '80 09 ancestral', 'exonic mutation', 'associated feather pecking', 'region responsible abnormal', 'ref dataset 321', 'ascites multi', 'exploiting porcine 60k', 'loss function', 'information used', 'depending host', 'local population japanese', 'accumulation association', 'mechanism regulating fetal', 'color group affecting', 'fatty acid lipid', 'ewe case', 'ancestral homeologues', 'main meat', 'fat1 locus', 'ige level s2', 'chicken n301 bw', 'identified analysis extended', 'investigated possible', 'backfat majority qtl', 'quality trait seven', 'region used snp', 'related candidate gene', 'gene causing', 'binding activity', 'weight bta6 replicated', 'based weight', 'curve genetic improvement', 'measure body', 'divergently selected fat', 'conducted identify putative', 'multiple specie', 'cluster gene gene', 'acid characteristic', 'f2 population pair', 'controlling leucocyte trait', 'protein significantly associated', 'population consisted 796', 'layer cross conducted', 'ssc1 ssc9 ph', 'gene covering 18', 'plasminogen activator', 'white cross population', 'behavior example', 'carcass trait analysis', 'sequencing genomic technology', 'measured behavioral', 'performed declare', '150 21 significant', 'increase sow reproductive', 'square test snp', 'sequencing testis', 'driploss hap2', 'design adr', '05 bioinformatics analysis', 'cortisol concentration response', 'variant associated hindlimb', 'snp pit', 'representative trait', 'different cattle breed', 'hatching group', '10 imf', 'aimed characterization', 'mbl1 genotype differed', 'snp array facilitated', 'study result compared', 'sharing analysis commercial', 'purpose cattle breed', 'widely applied specie', 'site different', 'production directly related', 'exposure human handling', 'firmness score', 'associated snp present', 'cattle cattle', 'diplotypes h3h7 h2h2', 'qtl bta02 prim', 'fever incidence', 'hen growing welfare', 'qtl region combining', 'associated fatness growth', 'cm 28 35', 'crucial fat deposition', 'test determine significance', 'type 5305c exon', 'wt fresh', 'total 320 186', 'variance respectively chromosome', 'history recording production', 'loss deciphering', 'broiler population', 'correction based', 'snp chip order', 'horse rhenish', 'postnatal mood disorder', 'social reactivity qtls', 'response keyhole limpet', 'tested seven snp', 'diarrhoea significant', 'loin muscle trait', 'utilization bone', 'modern breeding scheme', '528 amino acid', 'beadchip 152', '1599 f2', 'mt reported breed', 'scrofa chromosome significant', 'logistic regression test', 'commercial dairy population', '10 association identified', 'analysis package', 'analysis significant additive', 'evidence additional locus', 'fatty acid animal', '16 negative', 'cdna genomic', 'immune response induced', 'milk map', 'region cnvrs covering', 'inducible guanylate binding', 'allele fixed segregating', 'random sample 136', '0011 0001 summary', 'threat world', 'unique informative specific', 'interpretation methodology', 'family qtl analysis', 'allele 332 position', 'linear model total', 'using mouse model', 'indicating target', 'ss411628932 ss411628936', 'pheromone previously reported', 'weight 10 12', 'gene igf1', 'physiology gene including', '768 sample genotyped', 'association study epidemiological', 'allelic additive effect', 'cause diabetes obesity', 'effect lep', 'significant qtl ssc6', 'nr3c1 gene identified', 'relationship individual calculated', 'gene near position', 'scd haplotype', 'horned male lod', 'haplotype block associated', '42895 genotype jj', 'danish red', 'cow allocated', 'range meat', 'previous report qtl', 'result particular', 'chicken efficiency commercial', 'convincing recombination event', 'known qtl growth', 'beef cattle genetically', 'snp harbour', 'taint component testicular', 'genotype data using', 'snp identified fasn', 'second parity', 'major involvement', 'point deserves highlighted', '12 dna', 'conservation key biological', '238 association', 'galnt13 xin actin', 'molecular level identify', 'bayesian approach', '85 linear', 'haplotype reproduction trait', 'locus qtl located', 'spp adult', 'ncii breed association', 'affecting peak force', 'study screen polymorphism', 'gga mir 1556', 'analysis lld mapping', 'mb 37', 'endangered dsn population', 'cell response lp', 'gene sequenced molecular', 'adipose tissue pasture', 'cluster largest', 'thought influence backfat', 'production bone', '192 119', 'adaptation tropical climate', 'underlying causal mutation', 'panel unrelated', 'bta11 btax', '3000 bp', 'finding validation applied', 'mean reached economic', 'rate suspected french', 'allele inducing high', 'ewe chromosome', 'large justify', 'association lea', 'throughput phenotyping combined', 'ct scanning', 'allele adjusting', '1033 animal 240', '1395 pig base', 'genotype carcass', 'imputed genome', 'metabolism gene previously', 'mstn cattle carcass', 'perform qtl scan', 'ayrshire holstein jersey', 'lean percentage', 'gram positive bacteria', 'plag1 chchd7', 'infection tuberculosis reported', 'panel ass', 'analysis using population', 'postgsf90 version', '17 unrelated', 'method association chicken', 'seven qtl chromosome', 'detected potential', 'male female suggesting', 'bmd significant qtl', '34 genome wise', 'significance chromosome', 'explained marker 15', 'difference allele frequency', 'muscling qtl pleiotropic', '242 bac', '87 qinchuan nanyang', 'mrna level available', 'recorded time qtl', 'evaluated specie contain', 'region oar3', 'addition pig', 'respiratory cattle', 'useful approach', 'conducted previously', 'gene possibly affecting', 'gwas revealed 83', 'homozygous size effect', 'mixed model result', 'associated feed utilisation', 'body underlie variety', 'assay using sperm', 'number ttn teat', 'interaction range', 'trait related muscularity', 'flock additional 495', 'near leptin', '0002 0013 remaining', 'trait qtl exert', 'imf estimated gcta', 'boar genotyped illumina', 'csnps significantly', 'quantitative pcr genotype', 'trait involving varying', 'association fcr', '300 ssc16', 'detected gene siglec12', 'breed favorable effect', 'life study', 'recorded herd', 'bull sire belonging', 'infrared spectrum produced', 'resistance identified mapping', 'pig test', 'formation spp1', 'binding site located', 'trait based allelic', 'located 34', 'similar carwell', '161 bull', 'association distinct', 'data 497', 'norwegian trotter thoroughbred', 'growth differentiate', 'rfi difference actual', 'program present', 'inferior fat protein', 'subset 336', 'public concern', 'fec attributed', 'number marker identified', 'respectively cc boar', 'splice variant', 'bta marbling qtl', 'vle fetal', 'chicken abdh5', 'progenitor chicken red', 'critical role apoptotic', 'evidence major', 'discovery snp', 'animal lower mature', 'component epistasis', 'data set analyzed', 'empirical 05', '039204 hapmap26001', 'data added', 'low fec', 'approach identify single', 'region contribute great', 'f2 intercross population', 'expression mtnr1a', 'important pattern recognition', 'qtl genotyping 33', 'snp itih', 'year birth genome', 'service qtl', 'observed qtl effect', 'linkage 01 putative', 'provide picture genetic', 'main goal study', 'hcn1 tspan9 mrps30', 'approximate multi trait', 'suggested interesting polymorphism', 'cattle trait important', 'pm resistance eimeria', 'complex 15 snp', 'involved adg', 'rs41630030 rs41642251 highly', 'model based framework', 'effect predicted 43', 'stop codon aberrant', 'trait controlled gene', 'gsg1l associated', 'target gene', 'anai4 29 32', 'association specific host', 'porcine nucb2 gene', 'power detect significant', 'cw week', 'carotene 10 dioxygenase', 'response dairy', 'study gene warranted', 'pathogenic disease', 'positive effect litter', 'synonymous mutation 1053c', '264 cow different', '09 kg 05', 'pcr amplification', 'sc german holstein', '07 205 bw', 'refined using ldla', 'analysis regional', 'deviation yd', 'individual phenotypic', 'cut yield measure', '05 control infected', 'constructed using', 'fundamental goal', 'linkage analysis resulted', 'linked primary antibody', 'impact economic success', 'located bos', 'value total', 'different transmissible', 'qtl characterization', 'lamb used validate', 'pr cd afc', 'level segregation', 'resulted smaller qtl', 'peak 01 29', '25 addition', 'bovine breed using', 'using genotype data', '15 contiguous marker', 'bvd pi 79', 'datasets chinese', 'infected traditionally managed', 'information epistasis', 'marker dwarf horse', '18 docosapentaenoic acid', 'genetic variance selected', 'snp 29', 'ewe extracted', 'trait spawn', 'obtained study indicates', 'leg bowing tibia', 'correction used adjust', 'width breast feather', 'effect fresh', 'signalling specie', 'oar18 qtl example', '32 polymorphism informative', 'fine mapping effort', 'mutation foetal growth', 'genotype 30', 'adjacent marker 300', 'afe chromosome main', 'chicken line used', 'shared kb haplotype', 'play fundamental', 'tested sample', 'acid caproic acid', 'estimated gcta', 'valdostana red', 'resistant carrier state', 'bf belongs group', 'depth irs4 considered', 'study alzheimer', 'cause significant cost', 'significant 01 multiple', 'animal selected carefully', 'function identify locus', 'clinical sign study', 'meat performance pig', 'depth canonical conformation', 'novel sequence polymorphism', '82 candidate gene', 'length maternal', 'ssc6 significant snp', '05 evaluated trait', 'offspring identified 40', '0097 allele', 'layer chicken experimental', 'sex specific manner', 'involving 284', 'genetic study conducted', 'breed suggestive qtl', 'capacity trait', 'associated ap', 'imf based potential', 'autosome bta binary', 'determination semen quality', 'mmwt residual', 'rao susceptible', '10 associated muscle', 'variance accounted single', 'shear force slightly', 'removal anestrus failure', 'single nucleotide substitution', 'attitude copy', 'bta14 negatively', 'cattle result proportion', 'porcine muc13', 'network involving candidate', 'database association', 'fw pedigreed', '10936g missense', 'qtls carcass', 'piétrain german', 'response circumcincta susceptible', 'volume number spermatozoon', 'comparison based deviance', 'identified single nucleotide', 'using ray computed', 'high density genotyping', 'trait level little', 'vary asian european', 'random source variation', 'number novel', 'probability 060', 'polymorphism growth carcass', 'chinese purebred outbred', 'ssc2q comparative analysis', 'cheesemaking process identification', 'usmarc resource population', 'breed method', 'arcsine transformed pcv', 'locus study used', 'growing pig ultimately', '58 single', 'information physical', 'influenced qtl region', 'intracellular bacteria interact', '1185c sc', 'gene pde4b lepr', 'number functional teat', 'sift 06', 'included number', 'mirna statistical biological', 'mastitis jersey', 'cattle motivated', '12 bull 493', 'epl score estimated', 'rxfp2 autosomal gene', '313 erhualian', 'economic loss health', 'interval remained', '86 f3', 'study reported', 'fourteen chromosome', 'disequilibrium method', 'significantly lower', 'total epistatic', 'association identified reached', 'different muscle gluteus', 'individual 531 large', 'ema fat', 'disease virus peptide', 'test day prediction', 'greater female male', '15 significant ph', 'associated ch4', 'chromosome ssc 10', 'h5n2 highly pathogenic', 'rg 37 14', 'hanwoo gene', 'multiple horn rare', 'snp located faf1', 'used understand', 'dry season', 'intercross method', 'useful developing', 'ebv based ssc4', 'level carried', 'linked innate', 'milk progesterone', 'trait model genotype', '23e 12', 'annotated gene qtl', 'italian holstein', 'result beneficial reproductive', 'study 062 dsn', 'vivo ssc10 58', 'tga apob', 'fat ether', 'association mga quantitative', 'family largest significant', 'il 10 il', 'knowledge mechanism underlie', 'igf gene igf1', 'approach selection', 'body length tail', 'pathogenesis eye disease', 'revealed extra source', 'scavenging production', 'suggest muscle', 'chromosome family qtl', 'identify marker haplotype', 'level atgl', 'stress poultry result', 'standard able identify', 'pair difficult', 'interval gamete indicated', 'qtl bos', 'region potential candidate', 'fat cell 20', 'gene far', 'development oocyte', 'ineffective low', 'utilized average', 'aid future', 'exists multiple marker', '077 control', 'affect ujumqin economic', 'higher inactivity le', 'romanov ewe', 'challenge alternative', 'disease common domestic', 'differentially expressed abomasal', 'especially fasn', 'differentiation pathway significant', 'subunit ubiquitin protein', 'reveal causal variation', 'animal present work', 'suggest network analysis', 'family confirmed additional', 'postnatal growth restriction', 'intron boundary bovine', '10 partial imprinting', '76 genome wide', 'comparing opposite', 'based information', 'development normal sarcomeric', 'horn type', 'identified snp gene', 'way cb', 'highest mrna', '16 ltn rtn', 'data generation experimental', 'order reduce', 'existence gene', 'information combing', 'marker sw1856', 'warrant investigation', 'limited small', 'informative snp correlation', '531 3533t 615', 'opn level plasma', 'white identified 116', 'good alternative method', 'atgl expression tg', 'bta6 identification gene', 'influence reproductive', 'time time seven', '10 kg enhanced', '21 28 functional', '497 bird brazilian', 'lap3 ncapg lcorl', '41 dam', 'led detection', 'weight week age', 'represent wide', 'total 101 qtl', 'allowed reduction 90', 'study fabp4', 'snp potential genetic', 'autosome single', 'commercial laying hen', 'gene qtl qtl', 'oc includes', 'known biology lp', 'impact gene transcript', 'presence association body', 'trait black', 'assessment associated structural', '73 cm', 'single strong association', 'igf1r acsl3 ghr', 'genome comparing result', 'trait region', 'gene boundary candidate', 'variance direct calving', 'detected extreme cross', 'decreased loin depth', 'mapping positional candidate', 'mutation research', 'partitioning genome 22', 'bacteriological analysis denmark', 'screened sequencing', 'offer additional', 'distance animal', 'localization qtl', 'growth detected', 'total 73', 'epistasis analysis fitted', 'sire conclusion total', 'polymorphism conservative', 'used indicator', 'anxa10 female died', 'responsible effect observed', 'nr6a1 protein result', 'qtl vs', 'yield 028 genotype', 'variant designated cd46', '172 genome wide', 'marker withstand', 'closely associated', 'susceptibility ketosis identification', 'ssc7 rs81477883', 'combining leg', '12 zn 404', 'hock joint limb', 'influence reproductive trait', 'death therapeutic', 'positive pregnancy', 'trait 15 physical', 'transcriptomes fatty', 'fresh dry weight', 'near position 50', 'employed association analysis', 'dgat1 ghr', 'indicated rb1', 'content finding used', 'relaxed qtl', 'area relative', 'ak3l2 selected positional', 'interestingly breed significant', 'blood spot', 'genetic variation fluctuates', 'locus higher', 'mapping functional candidate', 'seen individual', 'lamb individually exposed', 'population 247 british', 'shed new light', 'aged year old', 'polymorphism poorly informative', 'snp ovine', 'bovine muscle', 'extended approximately 200', 'wide significance association', 'affect functionality', 'mb bta20 16', 'bta6 sire segregating', 'atf areb6', 'domain 15', 'connectedness cross', 'growth rate dominance', 'region suggest gene', 'death td', 'profiler panel', 'associated trait breed', 'skatole conclusion', 'study romane lamb', '21 chromosome', 'chromosomal region facilitate', 'chromosome mhc chromosome', 'pig gestation', 'proposed contribute', 'milk yield', 'marker study genetic', 'animal phenotyped number', 'motif protein altered', 'churra population studied', 'inbreeding highly', 'btc 039204 hapmap26001', 'potential important', 'region oar6 18', 'wur snp', 'marker sw1355', '15 additive', 'beadchip imputed illumina', 'total white', 'ssc10 ssc12 confirmed', 'result total 147', 'haplotype allele sequenced', 'investigated 357 nz', 'population broiler chicken', 'assessed consumer', 'ifr imf', '83 001', 'stallion candidate fertility', 'elucidated performed genome', 'individual belonging', 'fatty acid phenotypic', 'role footrot affected', 'locus lep hinfi', 'placental growth', 'validation independent', 'npy gene showed', 'performed using', '03 36 71', 'rao heaves', 'benefit likely observed', 'facial marking 05', 'protein result', '311625843 ax', 'lm significant qtl', 'skatole level snp', 'showed late feathering', 'method eighteen fa', 'respectively prediction', 'es alternative splicing', 'evidence genomic segment', 'rg boar taint', 'multidimensional scaling adjustment', 'calving performance genome', 'screening porcine', 'footrot selected genotyping', 'phenotype blood packed', 'scale mapping', 'inhibitor myod', 'gene structure', 'genome influencing carcass', 'way validation', 'haeiii frequency', 'bw implied spot14alpha', 'detected explained', 'healthier fatty acid', 'previous discovery compared', 'snp piii', 'study suggest bone', 'skip play', 'bovine snp', 'complex dairy trait', 'antibiotic placed placenta', 'increase competitiveness', 'effect marker', 'mapping imprinted qtl', 'analysis approach paternal', 'testing considered', 'control genotype total', 'lack traditionally managed', 'oar4 affecting weight', 'qtl controlling growth', 'variant genotyped', 'effect host genetics', 'evidence showed mirnas', 'affecting weight', 'effect direction screening', 'dopamine d2 receptor', 'uw resource', 'sinclair pig breed', 'used response variable', 'various role innate', '009 decreased hind', 'multiple pdz domain', 'trait feed greatest', 'test 01 respectively', 'currently unequivocal', 'revealed key gene', 'snp chip ghana', 'site mutation a1060g', 'comparison ocd tibiotarsal', 'score atrophic rhinitis', 'suhuai sh pig', 'rcn1 high', 'variance information', 'neck shoulder ham', 'ax 115099068 bos', 'locus approached', 'single trait association', 'quality marker', 'evaluate polymorphism', 'piebaldism italian', 'wide rapid', 'line suggesting allele', 'departure normal', 'tco2 ionized', '347 boar white', 'f3 128 individual', 'large range effect', 'polymorphism 334', 'snp identified current', 'animal lacking', 'candidacy growth', 'age 17 month', 'includes defining', '13 novel', 'differential ncapg expression', 'offer possibility use', 'analysis independent design', '1878 wnt10b 12', 'lesion data', 'sc reported', 'qinchuan hardy weinberg', 'association study direct', 'cattle ideal', 'beta1 snp', 'subset prolific sire', 'population 16 snp', 'confirmed initial result', 'size parity spef2', 'girth utr', 'strain fcr 01', 'relatively high skeletal', 'muscle fibre', 'fold difference selected', 'mechanism determining', 'affected sire s1', 'tissue neck', 'result heterogeneous', 'fat percentage abdominal', 'heterogeneous disease', 'open field test', 'detect epistatic', 'decisive determinant meat', 'scan joint separate', 'known function gene', 'significant result qtl', 'tested 20 false', 'pair detected chromosome', 'list gene orchestra', 'diversity association mhc', 'genetic variant genotyping', 'identified wssgwas polledness', 'npd wean', 'cattle aged 18', 'genotype differentially', 'generation indicate', 'weighted hypothesis', 'score phenotype', 'coding non', 'emmax larger', 'bull used', 'sample dna', '38 mb 23', 'gene amph', 'general condition locomotion', 'identified coincided previous', 'f2 experimental population', 'equal 051 566', 'effect nematodirus', 'percentage narrowed sharply', 'qtl undetected using', 'achieved different', 'weight 550', 'size second later', 'variation clearance', 'conformation measure', 'based position', 'nominally associated 003', 'cell cry2', 'polymorphism linked segregating', 'work performed genome', 'validation candidate', 'plcb1 rho', 'stillbirth maternal', 'illumina snp50', 'analyzed applying', 'ssc5 androstenone suggest', 'marbling score suggest', 'animal utilized', 'isomerase protein', 'scan osteochondrosis', 'oar fwec secondary', 'method computationally faster', 'effect especially lipolysis', 'qtl inadequate', 'quality data available', 'bred bull calf', 'evaluated using performance', 'trait sheep conducted', 'based qtl detection', 'predisposes significantly melanoma', 'empirical critical', '660 528 hsp90aa1', 'low genetic variation', 'significant qtl study', 'acid metabolic', 'breed genetically related', 'hair important', 'breeding value pre', '875 125 non', 'putative causative', 'grin3a kcnj3', 'mammary structure', 'function productive trait', 'substitution candidate', 'estimate gain prediction', 'powerful candidate gene', 'chromosome lod', 'snp marker perform', 'mammal known breast', 'membranosus muscle', 'effect f2', 'enzyme me1', 'include eci2', 'improved combining', 'line wl77', 'korea born 2012', 'gene slc37a1 phosphorous', 'gestation length chromosome', 'selection program estimate', 'family addition qtl', 'genetically improved performance', 'deletion downstream', 'mammalian specie including', 'snp located matn1', 'sheep 43', 'oocyte secreted growth', 'divergent breed large', 'bovine chemerin gene', 'discovering host', 'lightness bco higher', 'map qtl simple', 'worthwhile pursue', 'variant ovlv', 'meat quality property', 'haired cross', 'bta14 explained', 'johne disease caused', '78 83', 'developed build', 'gene unlikely causal', 'half remaining', 'tall fescue infected', 'detecting mutation respectively', 'redness bco breast', 'milking speed signal', 'separately genotype analysis', '10 rfi qtl', 'length association 01', 'analyzed supplementary', 'low qtl', 'result 322', 'adult genome scan', 'finnish yorkshire pig', 'founder wagyu', 'rorc gene associated', 'shelled chicken indigenous', 'late life age', 'homozygous state', 'dcd lm population', 'qtl mapped adr', 'study 10 meat', 'force redness texture', 'variant analyzed', 'furthermore important validate', '10 30 milk', 'goal current study', 'tested dgat1', '15 10 sus', 'analysis step', 'animal inra', 'candidate affecting mastitis', 'meat tenderness', 'efficiency infected bird', 'cumulative effect qtls', 'animal available substantial', 'hd beadchip genome', 'relatively small', 'previously showed', 'study revealed haplotype', 'analysis cyp11b1 effect', 'qtn bos taurus', 'study litter size', 'studied seven', 'qtl single experiment', 'analysis lavc', 'developing pathological condition', 'pig association snp', 'statistical biological', 'ectoparasite indicus', 'qtl imply', 'nucb2 gene bw', '11 kg greater', 'epigenetic phenomenon', 'leghorn cross gga', 'sequence highly', 'bta 18 associated', 'muc4 gene successfully', 'importance including genetic', 'arm sscx qtl', 'score detected result', 'increasingly important poultry', 'eca10 represent significant', 'explained 60 genetic', 'trait experimental', 'meat texture trait', '650 test', 'combined association', 'component trait qtl', 'bovine dna', 'indicates association resistant', 'mainly located chromosome', 'microsatellites distributed region', 'testicular tissue contrast', 'study association 194', 'hgd gene', 'muscle longissimus semimembranosus', 'investment chromosome result', 'array genotype imputed', 'kr kr candidate', 'dna damage associated', 'adjusted 100 kg', 'period 21 26', 'spread worldwide', '451 pig representing', 'type locus experimental', '94 01 peak', 'corrected estimated', 'sequencing bull', 'bred boar', 'reproduction gradually', 'regarding immune', 'erbb3 kitlg', '59e 04', 'correction analysis', 'study needed', 'alanine gcc', 'han sheep significantly', 'set comprising', 'common evidence production', '12 imf', 'acid assayed', 'genetics ultimately', 'region corresponding orthologous', '820 commercial', 'indication consider haplotype', 'gallus location detected', 'total 485', '1148g adrb1 1293c', 'theoretical support', 'content accelerate', 'mutation resident conserved', '14 mb marker', 'genome phenotypic data', 'f2 mapping population', 'qtl affecting carcass', 'addition detected', '62 polymorphism 61', 'rate length productive', 'synteny conservation', '321a 324g', 'line previous', 'marker used reevaluate', 'gain wg', 'correlated important', 'qtl mcv mch', 'shorter bone', 'site investigated differential', 'milk milk', 'pft longevity', 'lg gene chinese', 'identified general qtl', 'porcine growth', 'transition nuclear', 'trait 130 kazakh', 'calf dwarfism finding', 'population 490c', 'stage analysis stage', 'follow including increase', 'affecting subclinical ketosis', 'elovl fatty acid', 'model discovered significant', 'retn cfd difference', '370 number pig', 'assisted selection commercial', 'irs matrix hair', 'molecular mechanism affecting', 'analysis immunocrits', 'bovine malic enzyme', 'pork quality', 'rhm analysis bonferroni', 'wk average', '09 15 endocrine', 'different founder', 'genotyped using single', 'forward selection', 'distantly related population', 'trait bta6', 'explained 13', 'fatness comparison allelic', 'genome scan approximately', 'parameter statistical power', 'survive east', 'rt pcr sequence', 'cattle pig rat', 'pig selection breeding', 'risk piglet', 'acsl4 serpina7 irs4', 'semen poll', 'snp discovered 503', 'lavc combined', 'maternal expression meg3', 'breed genotyping 318', 'nutritional quality meat', 'ghr prlr', 'promoter genotype milk', 'combination follow', 'qtl located example', '16 snp ghrl', 'chromosome eca3', 'eaat2 drd1', 'bta significant', 'genabel package regional', 'syneresis process cft', 'avian herpes', 'vartnb conclusion best', 'indicator reproductive longevity', 'bone rac', 'map calculated', 'lower leg', 'revealed snp exon', 'expression data coli', 'population potentially', 'acsl1 separate gene', '1a 43722547a polymorphism', 'detect association dna', 'result significant', 'location animal', 'animal mycobacterial', 'gene including shh', '21 overlap', 'weight trait covering', 'born sequenced', 'respectively highly significant', 'authentic reflect meat', 'cm3 le', 'fecxh fecxi', 'pig various genetic', 'polymorphism japanese', 'revealed 83', '30 functional candidate', 'bovine breeding', 'gain daily weight', 'snp high low', 'zbtb38 body', 'compared calpastatin sample', 'mir 224 relative', 'affected distinct', '04 interaction', 'locus qtl recent', 'level corticosterone', 'tissue time', 'horn known', 'identify chromosome region', 'propensity em used', 'used single nucleotide', 'specific channel', 'quality trait increasing', 'analysis focused detecting', 'bw detected cross', 'sheep investigated pcr', 'analysis pronounced', 'lesion available', 'pvuii haeiii forced', 'primarily affect', 'similar autosomal', 'transcriptome average 32', 'lamb weaned 10', 'mapped microsatellite', 'genotyping half', 'le 10 genetic', 'method genotyped genome', 'cc significant conclusion', 'trait spanish churra', 'snp chip commercial', 'production causing', 'tumor regress piglet', 'h4 sc', 'using seq data', 'nuclear transcription', 'genotyping transcriptome profiling', 'important domain', 'encoded orphan nuclear', 'addition usual warner', 'heterozygous qtl', '10b wnt10b', 'breeding provide data', 'fever important metabolic', 'palmitic palmitoleic', 'described iberian', 'lower 15', 'horse significantly', 'explained variation', 'genotyped cyp11b1 v30a', 'rfi based data', 'acsm5 acss2', 'chicken age', 'combined genotype order', 'mastitis exception', 'wide level 15', 'raised exclusively', 'increased milk yield', 'revealed associated medium', 'genotyped tested association', 'complete coding sequence', 'mixed model simulation', 'sutai population', '45 mb', 'gene identified consistent', 'locus increase sample', 'signal attributed scd', 'study 916', 'breed breed specific', 'tbc1d24 significant association', 'respectively hap9 taat', 'mb region identified', 'using transcriptome', 'genotyping 1365 animal', 'infected uninfected pig', 'examined ssc4 ssc6', 'pcr result', 'gene indicate atp1a1', 'complexity high genetic', 'allelic correlation gamete', 'low density protein', 'harboring qtl fertility', 'cm probable region', 'approximately 16', 'trait mp score', 'potential step', 'increasing intramuscular fat', 'objective feed', 'population 1894 kompetitive', 'pce positive effect', 'sire s1 56', '01 polymorphism exon', 'effect close indicated', 'strategy development effective', 'exporter world nelore', 'chromosome influenced', '84 88', 'provide evidence', 'indicator trait nematode', 'chicken 05 additionally', 'radiological sign osteochondrosis', 'rs13849241 rs15231472', 'data needed', 'leg muscle fat', 'ranged 06 qtl', 'landscape locus porcine', '55g showed', 'lower dh', 'showed high imf', 'effect completely partially', 'growth development 25', 'majority pleiotropic', 'significant 005 level', 'change association improved', 'heritable phenotype paternal', 'regulating phagosome tight', 'trait assessed large', 'indole steroid', 'region qtlr influencing', 'discrete canalized trait', 'basic metabolic activity', 'localize position', 'substantial phenotypic', 'qtl possibly exerted', 'snp association close', 'milk ph', 'involved mitochondrial activity', 'animal dairy', 'snp27 snp28', 'directly sequenced 264', 'udder attachment teat', 'prophylaxis aim present', 'genome animal', 'indicate improved detection', 'wide significance conclusion', 'snp discovered associated', 'total 869 litter', 'generated reciprocal cross', 'teat swedish maternal', 'significant locus contributing', 'derived crossing divergent', 'resource future', 'associated structural', 'contribution family', 'genotyped illumina porcine', 'allele combination', 'qtl affecting c10', 'interval 78 03', 'calpain report direct', 'bw shank length', 'published data', 'diplotypes haplotype pair', 'bw snp', 'swine feed efficiency', 'implying growth fatness', 'interacting gene', 'detected promoter region', 'useful ma identify', 'bayesb fit snp', 'determining fertility', 'female offspring analysis', 'different zero ld', 'group box', 'nested sire', 'respectively chromosome wide', 'fatness result reported', 'total 30 functional', 'gonadotrophin releasing', 'showed snp2', 'imf content variation', 'distributed family', 'sequencing genotyping', 'capn1 causal', 'measured post', 'formation essential breeding', 'milk yield linked', '95 03', 'area lea', 'maintain milk', 'cow 100 map', 'post infection weight', 'se population 81', 'individual challenge modified', 'transduction immune response', 'carcass trait angus', 'egg production trait', 'identified snp rs314448799', 'resistance map inconsistent', 'driven snp individually', 'dpi ndv study', 'shown dna sequence', 'significant effect bta13', 'existence non', 'man1c1 map3k5', 'diameter leg', 'shelled chicken association', 'candidate gene pig', 'data facilitates', 'major qtl accounted', 'ref dataset', 'precise position', 'igf2 located', 'mb androstenone qtl', 'analysis relative', 'regarding multiple', 'association 10', 'population including 115', 'gastrointestinal nematode challenge', 'muscle indicating potential', 'ssc4 qtl', 'occurred high', '003 meat', 'friesian cattle population', 'sire randomly', '989 low', 'eighteen fa', 'ranked relative', 'selected line 60', 'genome associated result', 'showed association lea', 'reported lepr allele', 'density single nucleotide', 'arntl2 per1 per2', 'breed variation associated', 'avium spp', 'biological physiological factor', 'dna status assessed', 'threshold 10 false', 'link degree', '018 pedigree', 'fecge fecxo', 'respectively chicken shank', '27534932a polymorphism located', 'sequencing method 541', 'identified primer', 'mutation a1060g', 'porcine mbl2', 'characterize qtl pleiotropy', 'concentration mapped gga5', 'location causative', 'canonical trait bovine', 'evaluated meat', 'documenting population specific', 'inclusion brown layer', 'contributing effective simultaneous', 'gene gh1', 'finding suggest mir', 'trait 165', '05 number weaned', 'qtl controlling body', 'high prevalence 87', 'yield chinese holstein', '62 single copy', 'background necessary', 'measurement video image', 'integrative genomic', 'study chromosome xinghua', 'lncrna furthermore 47', 'bone trait study', 'result showed mean', 'pathway peroxisome', 'result improve understanding', 'main haplotype aata', 'explained 20', '53 97', 'animal purebred meishan', 'editing 85 bull', 'population located', 'consistent hypothesis', 'qtl previous', 'shank length week', 'traditional method ebv', 'vaccenic acid trans', 'information gene function', 'progressive condition lead', 'genotype 35', 'individual genotyped using', 'sheep polyceraty', 'genomic region underlie', 'process underlying', 'program quantitative', 'gpt hereditary', 'sexual signalling specie', 'function determinant reproductive', 'trait environmental', 'previously reported causal', 'total 200', 'significant genotype phenotype', 'interaction effect', 'protein ibp4 specie', 'm3 line', 'fy py', '11 chinese native', 'bw carcass weight', 'used genotype cow', 'selective genomic', 'combination information multiple', 'comprised 10', 'followed cast strongly', 'porcine snp60 beadchips', 'significant single snp', 'soay linkage', '13 fore', 'ssc 12 f2', 'diverse population including', 'disorder skeletal', 'polymorphism snp 278a', 'cpl skin disease', 'milk quality dairy', 'need validation', 'fixed effect confirmed', 'mapped carcass', 'merit range', 'using representative snp', 'horse breed genotyping', 'approach difference', 'interferon signaling pathway', 'assumption qtl', 'affecting peak', 'bta23 sequence indicated', 'locus underlying milk', 'analysis demonstrated bovine', 'cast total', 'human qtl', 'suggest complex genetic', '12 respectively', 'mainly observed bta1', 'backfat thickness value', 'possible strong linkage', '23 kidney', 'trait distinct stage', 'structure point', 'canadian dairy cattle', 'genetic map unique', 'pair wise', 'expression regulate reproductive', 'animal trait significantly', 'male parent partially', 'swine heat shock', 'la ldla', 'age result', 'inconsistent mainly', 'sheep multiple location', 'intron used', 'encode lysine', 'impact dairy', 'mfi statistical significance', 'femur bird bone', 'needed detect', 'snp following adjustment', 'predicted protein sequence', 'randomly intercrossed generation', 'oc includes different', 'carcass trait average', 'showed overlap genomic', 'cyp27a1 cyp2j2', 'near genomic region', 'protein gene fabp', 'identified database mining', 'little overlap qtl', 'phosphorous antiporter', 'covering chromosome 14', 'chromosome heterogeneity presence', 'analysis variance anova', 'examine individual', 'study carried pcr', 'investigate association single', 'shown significant', '20 respectively', 'fish 98', 'method exhibit', 'remains elucidated analysis', 'variation study', 'detect additive', 'progress selecting', 'percentage near position', 'refine fatness qtl', '129 70 84', 'grandparent chromosomal', 'covering ability', 'parameter essential', 'status sow', 'involved process growth', 'distal end long', 'locus mapped single', 'association study used', 'interpretation based', '1043 1013', 'rs1144647991 associated total', 'linkage haplotype', 'effect quality', 'estimated posterior', 'chromosome difference', 'using larger sample', 'method used detect', 'term pathway', '11 temperature', 'block centromeric', 'value ranged', 'antigen relatively simple', 'related gene associated', 'recombination fraction integration', 'scan using', 'disequilibrium expected trait', 'position genome study', 'region contained fkbp5', 'record related ibk', 'believe study report', 'hip circumference', 'atp5b large white', 'threaten swine', 'genetics ascites', 'cdna bovine sequence', 'texel family chromosome', 'white leghorn dongxiang', 'multiple process including', 'cow addition basal', 'meat tenderness longissimus', 'cheese making value', 'strategically added build', 'typical stratified', 'using sscp analysis', 'observed qtl analysis', 'study aimed genomic', 'economic trait duroc', 'level supported evidence', 'german holstein case', 'identifying locus dominance', 'significance threshold seventy', 'cross conducted identify', 'seven region harbor', 'controlled vaccination md', 'selected trait 56', 'located adjacent candidate', 'benefit beef cattle', 'software genetic', 'economic impact equine', '161 sire', 'interval rxrg sdhc', 'parity litter', 'tolerance cow', 'permutation test performed', '02 twinning', 'gastrointestinal nematode infection', 'ile 442', 'diplotype 11 83', 'technique used', 'deviation adjusted variance', 'variability objective', 'influence coat colour', 'lad1 putatively', 'evident silico analysis', '447a affected growth', 'exon psmc1', 'bw important trait', 'homozygote reproductive', 'imputed sequence particularly', 'origin likely', 'regulatory region exon', 'scan genome locus', 'sequence data 24', 'ssc6 149876507 bft', 'liver muscle correlation', 'mineralized salt', 'strong polygenic', 'cross calf 385', 'silico cloning', '84 cm yellowness', 'disease type', 'hap21 ta significantly', 'underlying genetics gene', 'significant qtl suggestive', 'best sex averaged', 'individual decrease confidence', 'pigment concentration', 'snp located candidate', 'erbb2 network', 'sets suggesting', 'strategy failed', 'diameter wool fineness', '05 favourable', 'percentage pp chromosome', 'porcine myog', 'mitochondrial poly polymerase', 'mrpl48 ccr golga4', 'calving ease piedmontese', 'trait 93 96', 'chicken mapped gga1', 'needed confirm result', 'year ago', 'effective prevention prrs', 'generated crossing', 'fourfold analysing family', 'wish differentially', 'involved meat carcass', 'meat tenderness livestock', 'social isolation', 'continent recent year', 'different measure approximately', 'gon4l gene', 'lald analysis', 'similarity difference', 'parameter estimated multi', 'holstein useful', 'body wfe chromosome', 'cattle thirteen', 'lamb snp gene', 'trait trait qtl', 'bms833 qtl', 'affecting glucose', 'described quantitative trait', 'carried using genotype', 'generation muscle yield', '435a 447', 'help establish', 'usage hypothesized source', 'raised scavenging production', '272 boar', 'examine association single', '93 ng applying', 'breed specific milk', 'model respectively second', 'production examined', 'described qtl', 'recombinant aspergillus fumigatus', 'population 723 male', 'genotyped phenotyped shear', 'mapping linkage disequilibria', 'showing expression', 'ciliary dyskinesia', 'phenotyped unrelated', 'analysis identify causative', 'sterol regulatory element', 'similarly haplotype', 'f1 lamb produced', 'scientist studied association', 'chromosome genome wise', 'postmortem lm semimembranosus', 'software used analyze', 'variability possibility genetic', 'allele altogether', 'genomic feature linear', 'weight recorded birth', 'largest significant family', 'endogenous non', 'gdf9 promoter activity', 'horse breed china', 'cattle 217 219', '57 retn', 'analysis map', 'hamster radiation', 'organ analysis glm', 'region damara fat', 'study report novel', 'syntenic hsa 5q14', 'qtl region af', 'breeding population using', 'novel sequence', 'enox1 involved cell', 'trout line selected', 'liver fatty', 'role inherited', 'changing abt', 'explained 10', '021 significant detected', 'fitted fixed effect', 'active shackle', 'production growth meat', 'chromosome greatest ratio', 'reared pasture', 'protein percentage correlated', 'snp remained association', 'reveal presence', 'comb mass statistically', 'associated behaviour trait', 'dozen gene', 'qtl interacts', '10 significant qtl', 'trait healthy pig', 'dorsi 114', 'examine application', '917 horse 31', 'position total', 'val younger bull', 'compared naïve', 'minor abdominal fatness', 'mm backfat snp', 'resistance significant', 'marker allowed confirm', 'ear tissue seven', 'present work detect', 'ssc5 harbor', 'pig chromosomal region', 'different muscular', 'consistent ultrasound', 'based mrna', 'protein ucp3 member', 'breed contrast', 'total 524', 'consider inbreeding sample', 'igsf21 candidate host', 'individual qinchuan cattle', 'ii genome', 'duroc conclusion', '46 snp identified', 'nucleotide binding', 'obese lean pig', 'rflp technology discovered', 'smaller fragment actual', 'gwas extensively', 'ranging 99 10', 'cheese additional future', 'containing majority', 'high concordance 64', 'region ankyrin promoter', 'muscle study aimed', 'buffalo cattle c3', 'thickness carcass weight', 'identified chromosome experimental', 'potential economic impact', '42 bos', 'plant breeding', 'qtl scan selected', 'understand functional regulatory', 'quality earlier', 'f2 animal including', 'substitution effect ccr2', 'basis sexual maturation', 'naïve animal inference', 'chromosome inra133 ilsts090', 'phenotype unaffected control', 'chinese erhualian allele', 'mineral content', '11 subsequent autozygosity', '16 67', 'qtl fatness', 'component mapping approach', 'th2 cell', 'propeptide new', 'region pleiotropic', 'change lg', 'thickness narrowed', 'candidate identified study', 'transcription 5b stat5b', 'pig haplotype comparison', 'shank gga3 suggestive', 'genomic region snp', '344a muc4', 'primarily affected', 'cm ssc13 86', 'functional variation result', 'sw1953 18', 'analysis confirmed effect', 'distributed animal', 'model major goal', 'multiple test applied', 'aim identifying', 'cattle candidate', 'indicated significantly', 'perform quantitative trait', 'significance level line', 'significantly associated af', 'covering cattle', 'milk record individual', 'called maternal', 'snp genotype derive', 'snp pleiotropic', 'sib applied qtl', 'strength 200', 'length cdna', 'information content likelihood', 'qtl providing new', 'bp deletion combined', 'gh cow confirmed', 'zc3h12c 25x10 genotypic', 'efficiency economic profit', 'economic fatty acid', '127 independent pig', 'hungarian large', 'abt moderate', 'quality 110 angus', 'using 305', 'sox9 sex', '95 sumatran', 'control marker', 'highly likely', 'hypothesis future testing', 'size cross', 'expression microrna', '55e 08', 'variance chromosome', '01 present', 'gene region validated', 'role membrane', 'different genotype multiple', 'weight bwt 205', 'genotype italian large', 'infection study 20', 'detected eggshell', 'performed population braunvieh', 'database used', 'significantly enriched lp', 'adult stature located', 'measure trait strong', 'weight observed', 'fixed european', 'cm3 le certain', 'mapping regression', 'carried microsatellites new', 'polygenic component related', 'significant paternal', 'data 37', 'subpopulation analysed', 'cov434 granulosa cell', 'debilitation leading death', 'known ruled', 'porcine gpihbp1 exhibit', 'femur weight', 'transport known', 'heifer obtained', 'important olfactory transduction', 'sorcs2 mrna', 'resistance animal little', 'parity validation', 'alui genotype', 'mood disorder', 'data facilitates identification', 'limousin 98 simmental', 'intake measured', '10 compressed', '279phe 279tyr', 'corresponded cw simultaneously', 'horse affected horse', 'response lp', 'speed temperament mt', 'test showed phenotypic', 'adipocytokines involved inflammatory', 'maturation trait', 'btx identified snp', '171 82 mb', 'distinct gene', 'calf direct', 'marker set comprising', 'cluster similar genetic', 'potential solution', '347 boar', 'degree disease', 'detected bta', 'fertility breeding', 'avium ssp', 'genetic marker analyze', 'stature located genomic', 'involved lean growth', 'litter genetic', 'mb wide', 'signaling glycerolipid', 'fever dairy cattle', 'difficult improve', 'positive ssc7 negative', 'phenylalanine change', 'mapped position 41', 'cm cm male', 'model organism', 'responsive luciferase test', 'significance threshold chromosome', 'provides step', 'needed research focused', 'study confirmed qtl', 'weight esw', 'receptor activity involved', 'respectively pattern consistent', 'outbreak age genetics', 'pax3 variant', 'spliced gene play', 'causative ph variation', '598 animal', '15 sib family', '10 level comparison', 'fat tailed', 'associated type type', 'association using illumina', 'influencing trait identified', 'reared herd', '40 day generation', 'variation microrna sequence', 'population size fleckvieh', 'fine scale mapping', '047 unfavorable allele', '18 intramuscular', '87 30 phenotypic', 'luxi lx', 'quantitatively measured', 'chr 13 990', 'fgf8 005 quantitative', 'single genome regression', 'way marker', 'pathway glutamatergic', 'study gwas result', 'detected improved', 'involve different', 's1pr1 gpc6 gli1', 'largest dominance', 'pig homozygous', 'qtl left sided', '469 unique', 'previous microsatellite based', 'deposited genbank accession', 'illumina 54k', 'substitution causative', 'susceptibility candidate', 'study coronary', 'report maternally expressed', 'association cebpa gene', 'changing mineral', 'broiler study', 'parental population snp', 'representing 866 712', 'yield chromosome', 'contrast gwas', 'comprise significant portion', 'known 50k', 'abortion stillbirth problem', 'deformation breaking force', 'locus subcutaneous adipose', 'qtl interesting', 'lauric acid', 'performed fertility growth', '15118774c 15118951g', 'olp reported', 'pregnancy determined day', 'sequencing 423 individual', 'susceptibility scrapie largely', '446 piglet', 'linkage analysis exceeded', 'resequencing followed', 'seq identified putative', 'sibling externally', 'pathogen daughter sire', 'significant strongest signal', 'phenotypic mean homozygote', 'associated warner', 'sex chromosome', 'interdigital skin integrity', 'snp panel data', 'disease crossed generate', 'cattle breed single', 'intron statistical analysis', 'variability genotype', 'coding region cattle', 'consisted 20 adjacent', '01 fetlock ocd', 'lentivirus country', 'murciano granadina goat', 'subset data gave', 'caused oncogenic', 'caused mycobacterium', '87 qinchuan', 'substantial step forward', 'visfatin leptin increased', 'enriched inositol', 'strength genome', 'affecting shell', 'binary recurrent', 'indicated genotype', 'qtls using microarray', 'yielded molecular', '11 predominant', 'influence imf', 'putative binding', 'force dry cured', 'pta dpr', 'membrane component', 'dataset comb', 'qtls associated bovine', 'leptin concentration total', 'parental population', 'solid yield identified', 'qtls carcass meat', 'region m3 line', 'localized marker', 'applied interval', 'effort marker linked', 'descent coefficient', 'complex production related', 'knowledge using', 'respectively believe', 'ketosis lactation highlighted', 'located scrofa chromosome', 'fa composition ssc12', 'productivity routinely', 'known gene including', 'qtl adipocyte size', 'using intercross white', '13 female line', 'chicken mhc', '54 red junglefowl', 'genotyped population marker', 'proof reliability', 'affect calving', 'multiple trait gwas', 'animal white', 'number igm', 'score cbfa2t1', 'ssc12 ssc13 ssc14', '06 tibia', 'identified interesting', 'frequency panel', 'identify candidate gene', 'boar 12', 'addition gtacgtac diplotype', 'control criterion', 'evidence genetic', '44 96 phenotypic', 'inside region', 'polymorphism snp 60k', 'snp 50 snp', 'calculated fivefold', 'selection pleiotropic effect', 'different chromosome pleiotropic', 'high growth region', 'strikingly underweight birth', 'sire phenotype', 'expression em progeny', 'incidence 60 calving', 'concentration milk', 'epistasis snp capn1', 'following vaccination significant', 'cross synthetic', 'simulated 480', '11 14 18', 'carcass quality fat', 'long non coding', 'holstein sire family', 'dataset including', 'randomly intercrossed', 'trait unambiguously', 'riphicephalus boophilus microplus', 'genomewide significant quantitative', 'improve sow reproduction', 'calf herd', 'local population', 'trait 260 sheep', 'based amplification created', 'repeatedly detected', 'young bull genotyping', 'piglet week life', 'region 30', 'study gwas sheep', 'health comparison', 'oxytocin signaling coding', 'rbc mean', 'snp useful selection', 'ssc6 ssc8 tumor', 'ccl2 rs41255713 snp', 'family marker informativeness', 'contribute genetic improvement', 'individual haplotype combination', 'condition known', 'dlk1 previously', 'trait backfat', 'flock genotyped', 'revealed promoter variant', 'analyzed local shandong', 'expression microrna analysis', 'improve phenotypic trait', 'qtl tick', 'frequency panel pig', 'marker arf5 associated', 'holstein genome wide', 'acid polyunsaturated', 'analyzed measurement regarding', 'general transcription factor', 'role fat tail', 'ii prkag3 substitution', '373 swiss', 'qtl result indicate', 'f₂ pig duroc', 'intake efficiency selection', 'open possibility select', 'producer identify quantitative', 'animal 10', 'suggested independent origin', 'ttn record subset', 'tissue 335', 'analysis performed declare', 'site propeptide new', 'kr3 kr6 kr9', '879 sampled', 'influence production trait', 'qtl important', 'consequently proportion monounsaturated', 'remained undetected box', 'involution effect lp', 'value equal', 'varying 27 44', 'multitrait group majority', 'prolificacy related trait', '10 cm achieved', 'dik2741 50 cm', 'positive negative', 'transfer technique', 'advantage multivariate univariate', 'ins genotype', 'tenthrib 02 solute', '945 190 day', '64 extreme', 'illumina equinesnp50 beadchip', 'interacting gene candidate', 'qlt chromosome significant', 'cell affect variation', 'cleaving beta carotene', 'quality trait assessed', 'turn explain', 'objective study explore', 'genotype causative mutation', 'significant region accounted', 'daughter wild', 'taurus snp useful', 'addition previously', 'h7h7 smallest pew', 'identified 10 mendelian', 'model 20 snp', 'adjacent marker interval', 'role mutation', 'egg number', 'jersey explore genetic', 'previously reported ovulation', 'study characterise variability', 'benefit monounsaturated', 'premature stop', 'fat particular region', 'demonstrated low expression', 'group pelibuey sheep', 'expression analysis conclude', 'bull total 36', 'considered production', 'head 43 total', 'ab aa qul', 'missense snvs', 'identified gga1', 'security income', 'arntl2 per1', 'modulate growth reproduction', 'sample passing', 'variance growth', 'cow female', 'mated heterozygous', 'volume measured', 'size previously', 'decreasing c18 content', 'affected early', 'explain variation', 'allocated testing set', 'costly laborious', 'fmo3 ssc9 fmo5', 'associated phu hspg2', 'maximum test', 'bta6 sck1', '20 qtl', 'good marker', 'fleckvieh breed', 'growth position estimated', '1029 sheep', 'identified ppargc1a abcg2', 'map7 conclusion', 'genotyped fish obtained', 'provide unprecedented', 'separately founder breed', '30 ile265val', 'qtl modeled regression', 'cooked meat mapped', 'lie conserved region', 'level sex steroid', 'polyphen genetic', 'showed single nucleotide', 'identified german', 'polymorphism 1033 2184', 'family analysis marker', '1844 oar1 charollais', 'located chromosome chromosome', 'gene window', 'including number corpus', '12 slc2a12 significantly', 'holstein gh cow', 'cattle population 05', 'sire family infected', 'bta7 bta14 gestation', 'genetic marker dwarf', 'data uncover strong', 'ldl ratio study', 'region previously applied', 'selected using weight', 'intake rfi1', '91508173c polymorphism', 'harbor qtl', 'twin far smaller', 'detect snp nr6a1', 'breed bayesian', 'normative approach', 'atp binding', 'gga15 novel qtl', 'average service', 'disequilibrium microsatellite marker', 'steer 05', 'using subgroup', 'activity affected', 'alberta canada', 'result showed 38', 'bon romosinuano', 'genotype yellow', 'event dairy', 'cause significant mortality', 'related metabolite', 'resource allocation', 'located important coding', 'indicated t32742394c t32742468c', 'trait defined', 'using mean sc', 'known gcnf contained', 'persistence gastrointestinal', 'analyze data set', 'fertility trait facilitate', 'gene involved mammary', 'trait efficient', '54 95 dbwavg', 'difficulty obtaining good', 'genotyped using 600k', 'quality control rate', 'major trait', 'thigh muscle weight', '13 highly significant', 'animal acop rapidly', 'tgla303 39 cm', 'contrast human study', 'collection diverse outbred', 'cross iberian landrace', 'haplotype explaining population', 'sire 40', 'using data 928', 'including plasma level', 'typed 52 microsatellite', 'apoptosis variant ornithine', 'ability snp major', 'indicates orthologous', '01 ci', 'differential display', 'rt rr cattle', 'genotype aa ab', 'phenotype nonselected sheep', 'trait recorded', 'qtl analysis porcine', 'underlying genotype', 'heritability 26', 'gene pervasive role', 'teat large cohort', 'maintain production high', 'longitudinal ew helpful', '47 snp significantly', 'phenotype tolerance defined', 'incidence death', 'catfish genome assembly', 'breed resequenced', 'genomic snp chip', 'scan italian holstein', 'locus detected 272', 'arhgap39 novel', 'egg weight egg', 'animal temperament defined', 'aging chinese', 'gene generally higher', 'in1 significant', 'region implying multiple', '10 cm le', '50k snp panel', 'holstein friesian charolais', 'striking similarity', 'based data concluded', 'beneficial detect qtl', 'gain 001', 'pig meat', 'success identify genomic', 'analytic approach', 'ham weight loss', 'variance previously', 'snp interaction', 'beadchip 180 female', 'analysis emmax revealed', 'effect conducted longissimus', 'single population', 'ccr golga4', '533 282_79', 'association snp studied', '45 151', 'multiple phenotype qtl', 'onset puberty genetic', 'association significance level', 'pcr including', '75 hd', 'oc hock ocd', 'mg 57 furthermore', 'revealed number', 'confidence interval finally', 'approach significant qtl', 'specie heritability', '15 located', 'yearling gene', 'snp location gene', 'level genome', 'ratio fcr', 'disequilibrium causal mutation', 'susceptibility phenotype', 'echs1 protein', '12 contained qtl', 'ryr3 bnip3 myct1', '02 solute carrier', 'trait significant association', 'seven cnvrs frequency', 'physical body composition', 'located 54 gene', 'detected ssc6 half', 'emerged italian', 'vicinity middle', 'region ugdh', 'laying hen outbreak', 'founder breed', 'locus affecting milk', 'position qtl different', 'organism contribute', 'snp marker outperformed', 'future breeding complex', 'typing closely', 'measured total 44', 'counting influence genetic', 'trait value obtained', 'genomic window', 'steer initially analyzed', 'family member genotyped', 'variation fineness dispersion', '22 wk', 'identified chromosome region', 'approach greater parameterization', 'myf qtl', 'compound covariate prediction', 'evidence individual growth', 'il significant', 'cn state', 'result support localization', 'vicinity significant', 'broad implication', 'orthologous region', 'polish direct genomic', 'economic loss present', 'data confirmed', 'force region effect', 'linkage mapping gwas', 'locus v315', 'salmonella displaying', 'explains difference', 'selection molecular tool', 'individual tail', 'animal carrying', 'including edn3 bmp7', 'following allele', 'genotype bpi', 'comparative map bovine', 'value changing time', 'suggest myf gene', 'radiologic change', 'population genetic correlation', 'number pig', 'protein kinase screened', 'day starting', 'metabolism aim study', 'null model empirical', 'rat pde4b2 expressed', 'information proposed linkage', 'resource family study', 'chinese dongxiang', 'snp associated feather', 'eqtl 149', 'account 64', 'large difference breed', 'gross feed', 'estimation linkage disequilibrium', 'ujumqin sheep snp', 'birth nba', 'growth associated trait', 'response strongly associated', 'variation explored selection', 'observed milk', 'qpcr gene', 'contributing significantly', 'overlap span 30', 'gene analysed finally', '99 level experiment', 'qtl identified serum', 'percent premium', 'ryr1 rs344435545 scd', 'carried significant', 'detected microsatellite marker', 'rft bta13', 'significant genetic', 'variation promoter', 'heritable potentially', 'ebv tnb', 'population using univariate', 'significant region day', 'using 416 microsatellite', 'concentration exactly matched', 'candidate qtl influence', 'closest mc1r gene', 'statistical analysis result', '05 haplotype significant', 'estimate uncover cluster', 'effect bcwd resistance', 'evidence suggests polymorphism', 'assisted selection sheep', 'measured parasite', 'network contained', 'gene additional population', 'lascs significantly', 'trait mapped wk', '163 marker', 'trait parity', 'explained approximately', 'pta step genomic', 'effect marker swr345', 'qtl discovery population', 'contain gene affecting', 'qtl tibia', 'selection dam', 'vacaria fecg', 'potential gain', 'association trait haplotype', 'revealed additional significant', 'lower 10', 'separately 10', 'fat mar mac', 'simple sequence repeat', 'gene tend cause', 'norwegian red', 'damage associated', 'mcv red blood', 'chromosome ssc7 single', 'genetic context study', 'ireland united', 'applying selective', 'spectroscopy mir', 'decrease elongation', '106 sire', 'initially panel 250', 'important conformation measurement', 'mapped 675 gene', 'goal work', 'polymorphism snp buffalo', 'size experimental cross', 'small conformation', 'dairy cattle using', 'potential survival', 'gene fine', 'region activin receptor', 'gene chinese merino', 'individual showed strongly', 'focussed improving quality', '12 13 21', 'approach analysis snp', 'internally comparing', 'eqtl gr', 'study published pig', 'day 590 holstein', 'snp milk somatic', '26 genome', 'parameter candidate', 'large independent population', 'limit parasitaemia', 'affecting mineral density', 'feed intake gga1', 'marker assistant', 'present multiple birth', 'age extended general', 'primary platform marker', 'oar5 13', 'using marker based', 'fat 18', 'white head characteristic', 'pre post hatching', 'cpt1a sucla2', 'family spanish churra', 'used genome sequencing', 'improve mean', 'combining gene set', 'adg0 month month', 'wild type ewe', 'addition retained placenta', 'chitinase activity cytokine', 'challenge lamb approximately', 'egg related trait', 'associated trait far', 'snp window common', 'mb bta21 14', 'intercross qtl', 'bearing chromosome', 'faster mixture model', 'contribute susceptibility nicl', 'candidate gene harness', 'carrier bull artificial', 'program identify qtl', 'netherlands sweden identify', 'performance test obtained', 'nanyang qinchuan xianan', 'original family 18', 'despite moderately heritable', 'cm 81', '83 prediction ability', '1983 2015', 'mutation including rs339939442', 'important production related', 'final mbv', 'motivated pinpointing', 'chromosome 20 23', 'age 12 week', 'end farm test', 'affymetrix single', 'obtained luh', 'appropriate phenotype appeared', 'effect sequential', 'population identified presence', 'iridis depigmented', 'performed filtering', 'old experimental data', 'peak milk production', '235 age f8', 'gene conclusion data', 'value 708 offspring', 'performed gene', 'programme aiming controlling', 'f2 animal marker', 'furthermore genetic relationship', 'hol bull', 'pituitary development growth', 'oc breed', 'involved relationship comb', 'haeiii frequency bovine', '420 qinchuan cattle', 'literature liberal', 'identify gene potentially', 'lmm analysis', 'ibd coefficient estimated', 'included model covariate', 'mb significantly', 'true association marker', '12 trait relating', '14 purebred erhualian', 'high suggesting', 'heritability twinning', 'associated variant contribute', 'assisted selection nellore', 'genetic effect epistasis', 'identified experimental cross', 'existence genetic', 'stochastic search variable', 'target breeding programme', 'profiling segregating', '80 snp pair', '15 qtl identified', 'dmi bta 54', 'feedlot using', 'genetic effect fetlock', 'region expressed', 'scc incidence herd', 'tail sire', 'population created', 'influencing risk developing', '01 mutant type', 'gene affecting milk', 'age bw70', '001 single', 'beadchip 180', 'scd ratio oleic', 'iris completely pigmented', 'meat study', 'distinguish pleiotropic', 'trait identical', 'effect model showed', 'change protein', '427 10 grandsire', 'eye area identified', 'identified family test', 'qtl accomplish goal', 'binding protein fubp3', 'based result scan', '05 hgd drai', '700 kb region', 'induces intron', 'underlies density', 'conclusion result study', 'nm trait collected', 'parameter individual mineral', 'slc27a3 dgat1', 'correlated milk trait', 'data available', 'sequence level data', 'association body leg', 'estimate reach', 'susceptible 02', 'pig revealed 12', 'utilisation muscle', 'region chr1', 'significance threshold given', 'variation cnv burgeoning', 'evaluated included lifetime', 'different development stage', 'similar association', 'count indicator', '70 steer ranged', 'thoracis tissue', 'weight length', 'unclear observed qtl', 'age assessed md', 'kb gene dpp6', 'scanning greater 05', 'snp intron', 'tnb increase', 'nve 59 difference', 'eighteen qtl body', 'maternal ability ewe', 'rps10 potential gene', 'age approach allowed', 'imprinting coefficient', 'intron alpha lactalbumin', 'arm ssc4 flanked', 'nc_007312 sequence', 'production reduce', 'exception ssc4', 'peak snp extreme', 'odour given', 'tarsometatarsus tibia', 'ebv sc used', 'role bta 23', 't65444c affected', '24 particularly oar6', 'paratuberculosis infection holstein', 'greatest test', 'trait lw', 'slc9a3r1 nos2', 'architecture vertebral', 'major haplotype 70', 'correlation production', 'associated candidate', 'modified pcr rflp', 'separately combined data', '54 790 bovinesnp50', 'dpr identified', 'based result study', 'previously evaluated specie', 'quality control detected', 'study mir', 'inferred significant breed', 'combination identified family', 'quality control resulted', 'cross analysed comb', 'bta5 10 12', 'provide knowledge', 'substitution effect c14', 'high resolution genetic', 'dbwavg dfiadj', 'involved degradation skatole', 'le cm providing', 'length divergent', 'cow superovulation response', 'breed adjusted version', 'lastly qtl associated', 'cattle data consisted', 'female reproduction trait', 'material method', 'gain block', 'whc texture', 'anatomical location animal', 'melanoma melim pig', 'prkab2 prkag3', 'diacylglycerol dag ceramide', 'weighted single step', 'phenotype bta phenotype', 'region result snp', 'family ld population', 'identified study', 'nineteen microsatellite marker', 'procedure sa', 'marker chromosome 46', '7209 seq', 'involving guanosine triphosphate', 'pig femoral length', 'underlying growth trait', 'current gwas', 'qtlrs contain', 'variability possibility', 'weaning gain 05', 'variant predicted high', 'fat detected ssc', 'utr tnp1 gene', 'ram non', 'measured following infection', 'bta28 bta18', 'protein ucp2', 'pig result contribute', 'weaning weight 011', 'confirmed significant genetic', 'qinchuan cattle dna', 'affect chicken', 'pool deviation', 'addition usual', 'piglet highest lowest', 'identified moderate large', 'cattle population university', 'started identity descent', '18377t significantly correlated', 'alpha chain', 'background genetic improvement', 'animal breed', 'targeting sox', 'backfat thickness analyzed', 'identify association production', 'farming specie', 'tested population', 'detect association small', 'early puberty nellore', 'variation viral load', 'qtl region close', '73 10 single', 'bta 10 ss86284768', 'investigated result gemma', 'tbc1d1 baat', 'dc responsible', 'commercial finisher cross', 'culture prevalence', 'ligand dependent', 'associated pathway 05', 'number trait relating', 'trait vtn', 'chromosome milk production', 'primiparous holstein friesian', 'gene using reference', 'generated crossing partially', '72 gene milk', 'associated fertility breeding', 'genetic component', 'vector transfecting', 'haplotype carry', 'microsatellite marker phenotyped', 'total 61', 'multiple population multiple', '11 36', 'pcvd overlapped', 'leanness lowered fat', 'anxa9 gene fall', 'novel variant mutation', 'lead significant', 'analysed data set', 'pde4b2 contains ucr2', 'facilitate search candidate', 'mitochondrial activity', '247 british', '458 american belgian', '020 ld', 'generally significantly', 'model joint', 'pathway analysis using', 'adrb3 gene play', 'region gnas', 'significantly 0002 associated', 'acid composition conditional', 'ct 92', 'mastitis costliest disease', 'n301 strain respectively', 'animal snp 636a', 'content imf detected', 'investigate statistical relationship', 'gene studied casp2', 'qtl hock', 'bcwd snp', 'loin region', 'responsible difference', 'pathway potentially affecting', 'bull batch', 'evidence quantitative', 'using 15', 'vivo furthermore polymorphism', '08 65', 'partial utr porcine', 'expressed different level', 'born 1963', 'trait single snp', 'pde4b2 contains', 'arhgap8 tmem200c', 'mm 19', 'number chromosomewide significant', 'occasionally differing level', 'kit gene allele', 'promoter 9657c', 'determined progesterone', 'individual beijing chicken', 'sample taken total', 'total 475 individual', 'gene insulin', 'time sheep', 'containing lrguk study', 'phenotype non return', 'interval acsl1', 'specie linkage', 'association study milk', 'dl different commercial', 'snp chromosome wise', 'analysis interaction', 'wwox plagl2', 'trait high', 'aflp primer', '362a ribeye muscle', 'observed different qtl', '76 familiar', 'lncrna cloned', 'required horse', 'regression model carried', 'snp s26449', 'group resource', 'allele bf', '331 backcross pig', 'leghorn line result', 'scrapie quantitative trait', 'analysis sire family', 'meat quality fatness', 'interaction included', 'breed used trail', 'steroidogenesis regulated', '1881g 627aa', 'detected promising', 'different strategy', 'cc dc dd', 'furthermore mutation', 'displayed significance', 'litter size 10', 'nucleotide polymorphism nc_007324', 'bft hw known', 'variation fluctuates', 'qtl breed', 'mhc known', 'obtained genetic relationship', 'structure stability', 'volume fat', 'determining phenotypic', 'breed strongly', 'large genotype phenotype', 'genetic variation observed', 'study complex disease', 'wide panel', 'threshold derived', 'mdv highly', 'segregation qtl result', 'qtl involved primary', 'pair mbp', '108 cm', 'genotyped separate', 'herdbook commercial', 'included proteolysis', '607 observation', 'area shank length', 'skin test', 'fecgt present sample', 'ahr gene polymorphic', 'considered suggestive', 'remains global', 'revealed 30 20', 'dr breed', 'fault genetic', 'strong association signal', 'purebred laiwu pig', 'centimeter fn total', 'color rhode island', '12 bone', 'qtls water content', '11 longissimus', 'likely limited', 'polymorphism myog gene', 'qtl inverted', 'backcross merino', 'second cm2 cm3', 'tnb ssc1 ssc4', 'weight lm area', 'associated bovine carcass', 'analysis studied researcher', 'multiple qtl allele', 'daughter 78', 'animal discussion result', 'jersey cattle objective', 'obtained previous', 'cebpa gene association', 'gene position 82', 'height breed luxi', 'gm trait feature', 'slc11a1 tlr4 used', 'haplotype h2h6 h6h6', 'meat beef', 'improvement growth performance', 'genotype data 13', 'higher dh', 'disease mainly', 'varied sire ranging', 'data generated', 'located bta', '897 expression', 'chip study', 'gene significant genetic', 'hand significant', 'identified mode expression', 'individual frequently treated', 'bovine spermatozoon', 'disequilibrium haplotype construction', 'complete open reading', 'region 636a substitution', '589t complement factor', 'platelet parameter including', 'major effect significant', 'd3 drd3', 'demonstrates mutation', 'highly inbred dam', 'analysed marker interval', 'trigger th1 type', 'result estimated heritabilities', 'white plw duroc', 'difficulty pinpoint causative', '19 affect fatty', 'locus bta5', '165 marker', 'locus result charolais', 'motility sperm', 'analyzed candidate gene', 'explored improve meat', 'phenotype 14 purebred', 'present study constitutes', 'total 46 snp', 'associate variation', 'lesion showing', 'landrace experimental', 'moderate linkage', 'carrier state', 'gene tryptophan hydroxylase', 'slc11a1 tlr4', 'model analysis', 'level result', 'ghrl significantly associated', 'design economic trait', 'test result numerous', 'pleiotropic qtl population', 'sex pheromone produced', 'highest expression', 'significant association daily', 'age increasing second', 'performed replication study', 'study various growth', '155 microsatellite', 'scrapie sheep analyzed', 'conclusion identified qtl', 'associated bone strength', 'specifically regulating', 'previously reported linkage', '30 associated', '20 35 day', 'performing gwas dominant', 'contributing tenderness', 'analyzed correlation gene', 'conversion ratio 23', 'resource conservation indigenous', 'fcr substituting allele', 'rib eye area', 'located outside qtl', 'pig intramuscular fat', 'use various single', 'female corticosterone', '05 body', 'addition understanding genetic', 'cattle specimen', 'improved year', 'prominent qtl investigated', 'number chinese breed', 'region evidenced significant', 'french norwegian', 'estimate parasite burden', 'macro environmental region', 'mum gestation', 'test applied using', 'acted reduce', 'variation resistance parasite', 'ins genotype 01', '29 new informative', 'evolutionary conservative', 'landrace 13 985', 'value correction', '837 geographically', 'described analysis', 'expression involved transcriptional', 'cross evaluated', 'association individual pathway', 'brine salting', 'm1 line selected', 'haemocyanin detected', 'higher hg chicken', 'region chromosome 23', 'metabolism androgen known', 'trait progeny', 'ncapg gene', 'yield qtl observed', 'bta2 bta16', 'density following', 'determine locus associated', 'ssc2 ssc3 influencing', 'interval characterise', 'qtl effect ranged', 'fgfr3 ear', 'variation map intron2', 'vv mdv', '25225a 25316t', 'female normal horn', 'model genome wide', 'specific scenario', 'significance threshold trait', 'snp possible', 'genotype information 100', 'key chromosome', 'ph mcp', 'varying 27', '26 chromosome candidate', 'population stratification gwas', 'evidence production', 'group cattle showed', 'haplotype confer', 'channel catfish blue', 'control weight', 'dmy 40', 'human mc4r', 'problem heavy bodied', 'qtl rfi qtl', 'additional study', 'luh weight uterine', 'locus associated tolerance', 'rate 102', 'trait distribution contain', 'united state birth', 'design significant marker', 'present study disclosed', 'bta6 including information', 'homolinolenic acid level', 'carcass trait chicken', 'association polymorphism trait', 'hormone gh', 'model fitted postulated', 'arr arr', 'solid black', 'dorset ram', 'filly colt', '360 cm', 'genetic linkage', 'identify receptor gene', 'test independence exon', 'disease causing', 'pituitary hormone secretion', 'locus eca15', 'porcine snp 60k', 'useful selection functional', 'aa bird rs13997811', 'qtl influencing trait', 'ssc12 region 56', 'region involved', 'strength keel radiographic', '717 real imputed', 'model provide important', 'respectively compared', 'gaining knowledge genetic', 'alberta canada showed', 'mhc haplotype total', 'conversion feeding behavior', 'light bodied', 'study revealed susceptibility', 'microsatellite marker distributed', 'ssc13 itih cluster', 'gene glutamate', 'data depending', 'following guideline provide', 'sire sampled fixed', 'study carried crossbreds', 'mammary infection', 'snp located cyp7a1', 'similar scale', 'grass concentrate', 'isoforms usage', 'affect imf', 'holstein cow milk', 'significance bonferroni', 'located marker ilsts030', 'trait defined observing', 'strong consistent', 'window feed', 'unknown mutation segregating', 'meishan cross pig', 'rs107856757 rs107856818', 'custom application specific', 'ssc2 significant paternal', 'used genotype diverse', 'identified associated exploratory', 'proliferation il production', 'support using', 'chicken fast', 'coat pigmentation', 'fixed allele new', 'gwas objective', '151 microsatellite marker', 'approach study', 'summary regional', 'spotted group cattle', 'cross charolais', 'bacteria lipoteichoic', 'promoter region used', 'shank length 59', 'fe 1425 gene', 'key factor negatively', 'correction snp detect', 'wild type ram', 'strong evidence', 'novel major', 'size 70 000', 'subpopulation peripheral', 'suggestive level 21', 'interval mapping', 'breeding aim study', 'ndv strain 28', 'weight measure', 'locus specifically', 'intake trajectory impacted', 'chromosome wide screening', 'cross commercial', 'effect genome wide', 'equine tiling array', 'method modified', 'ssc7 50', 'gga4 217', 'detection performed separately', 'barring like', 'major signal bta25', 'animal threshold', 'gene bull', 'polymorphism tested', 'trait appears', 'included score', 'unbiased prediction blup', 'identify qtl affecting', 'syndrome poor', 'indicated causal', 'trait individual', 'strongest evidence qtl', 'ghrhr igf1', 'live chicken measure', 'mapped le cm', 'resistance susceptibility scrapie', 'gga2 adl0190 adl0152', 'coefficient determination r2', 'count response', '633_ 632ins promoter', '25x10 genotypic', 'callipyge phenotype', 'genotype stallion', 'parity 95', 'region growth body', 'production trait khorasan', 'component model analysis', '110 member', 'point deserves', 'protein bpi gene', 'daily gain fat', 'position difference', 'rw070 rw023', 'spp1 ibsp', 'qtl pp', 'associated host control', 'originating french', 'post gwas', 'coccidiosis growth commercial', 'h3h7 h2h2 positive', 'promoter non', 'segment human', 'snp trait sheep', 'preadipocytes chicken abdh5', 'country male piglet', 'regression snp using', 'followed sequencing', '05 combination snp', 'analysis comb', 'capn1 947g', 'mass different pig', '05 snp28', 'bayesian analysis called', 'ewe used map', 'animal strong leg', 'fbmd measured total', 'ratio calculated', 'bamei association study', 'mir candidate', '18 fertility birth', 'influencing fatty', 'rate threshold', 'gene f4acr', 'swine total', 'linked pleiotropic qtl', 'duplication identified', 'isomerase phosphogluconate dehydrogenase', 'carcass trait economically', 'technique studied included', 'size 10 pig', 'number sample 156', 'control infection result', 'ear identify gene', '79 snp', 'mapping analysis reliably', 'muscle contribute identification', 'characterize region using', 'quality beef', '43 snp', 'candidate gene osteoporosis', 'length width snp', 'breed order', 'snp analysed', 'coefficient ca aa', 'lead skeletal', 'osteochondral disease swiss', 'containing vrtn', '190 commercial crossbred', '48699 myocyte enhancer', 'region previously described', '18 rorc', 'indicated gh sorf2', '13 16 significant', 'associated nematodirus fec', 'bacterium muc13a', 'na purpose chicken', 'recycle pregnant', '26 28 used', 'carcass quality detected', '10 simple model', 'spacing 95 cm', 'qtl observed interaction', 'carcass cross sections', 'snp snp', 'allele broiler line', 'formal statistical', 'alelle breed', 'qtl affecting somatic', 'family comprised total', 'mapping identical descent', 'power validate', 'using maternally', 'logistic regression performed', 'white line disease', 'qtlrs distributed', 'cattle result', 'different case', 'carried div2', 'trait angus', 'casein lactose milk', 'androstenone addition', 'axis avpr1b', 'used refine list', 'cd27 binding', 'pathway affected gene', 'boar enhance understanding', 'major effect gene', 'suggestive qtl combined', 'highly heritable 50', 'marbling qtl bta', 'network network suggests', 'qtl gga1 27', 'quality trait minolta', 'osteochondral disease', 'significant negative', 'excessive fat', 'identified functionally relevant', 'effectively narrowed', 'estimate uac', 'faso phenotype', 'lymphocyte monocyte', 'marker fixed', 'bacon bb different', 'service variance', 'triglyceride rich lipoprotein', 'fi strain association', 'limousin breed', 'managed autochthonous', 'using rao composite', 'case 170', 'consistently significant', 'gene body parameter', 'bovine fabp4 gene', 'markov chain monte', 'phenotype human objective', 'snvs including', '266 bp', 'holstein nh', 'make distinction close', '76 microsatellite marker', 'sustainability animal production', '11 06 ew', 'ribeye area lean', 'locus determined using', 'asxl3 bta', 'respectively model', 'strongest signal identified', 'fat contains', 'mterf2 rtbc', 'information help', 'ep contribute', 'white pig 106', '25 shank length', 'pig industry strong', 'map3k5 hcn1 tspan9', 'interferon alpha', 'background occurrence blood', 'gene influencing', 'area enzootic trypanosomosis', 'apart ssc4 region', 'cow highest snp', 'identify number', 'exon bovine mln', 'dehydrogenase ugdh', 'md continues', 'expression analysis revealed', 'using ensembl', 'research improving therapeutic', 'approach considered carried', 'associated higher milk', 'predicted transmitting ability', 'meta assembly comparing', 'tb affect wide', 'gga5 male offspring', '924 landrace lr', 'association postweaning', 'pig examined 479', 'underlying trait soay', 'reduces incidence boscc', 'adg genotyping', 'ultrasound location approximately', 'qtl chromosome 18', 'rjf domesticated', 'cow far information', 'associated snp resulting', 'score pleurisy calculated', 'yield kg 01', 'way result different', 'fertility important', 'analysed individually combination', '20 performed', 'percentage chromosome region', 'animal specie', 'approximately cm', 'mutation 17015a 18362g', 'allele frequency maf', 'selection association', 'closed linked block', '953 single', 'nematode cause', 'rs134340637 rs41919992 rs133498277', 'size french yorkshire', '897 expression qtl', 'ratio dihomo gamma', 'defense intensifying', 'forkhead box q1', 'literature overlapping', 'holstein single strand', 'aa uac', 'using square analysis', 'detectable qtls trait', 'relationship intragenic single', 'factor beta tgf', 'country improve economic', 'positive reactor skin', 'reliable power', 'population 792', 'genetic effect temporal', '105 day', 'min post', 'clinical immunological parasitological', 'fearfulness study', 'indicating profitability', 'area 36', 'altered mir level', 'producer designate incidence', 'lipid metabolism', 'primarily located chromosome', 'generally effective', 'mutation comparison nc_007316', 'weight 61', 'yield 1st', 'associated higher feed', 'fine mapping association', 'eca refine quantitative', 'gene involved deposition', 'scd1 878 calpain', 'fat cover', 'underlying qtl effect', '001 snp', 'bp additionally individual', 'mb galnt13', 'lg 82 18', 'value 015', 'male toughness', 'suggest porcine cmya1', 'examined trait cddr', 'kinase activity implicated', 'sequencing association study', 'skin disease', 'pig polygenic basis', 'casein protein', '180 kb interval', 'determined ultrasound', 'increased prolificacy contrast', 'block detected', 'porcine genome objective', 'study 27 polymorphic', 'qtl segregating meishan', '76 microsatellite', 'creation priority', 'sequence putative', 'accompanying population structure', 'transcription regulation', 'crossbred pig genotyped', 'intestine length', 'trait chromosome followed', 'model accounted breed', 'performed using 012', 'trait somatic', 'exemplarily population parameter', 'influence lipid', 'motility acrosome integrity', 'determination growth rate', 'holstein previously', 'hen produced reciprocal', 'sequence data feasible', 'snp seven', 'quantitative trait prompted', 'brown swiss breed', 'transfection mammalian cell', 'killing newborn', 'single qtl approach', 'spanning 31 cm', 'knowledge level heritabilities', 'tenthrib qtl effect', '22 61', 'contained significantly higher', 'limiting step elongation', 'showed contrasting result', 'fat content coding', 'disease cancer', 'control cow', 'mean enhance', 'long chain polyunsaturated', 'result despite gap', 'analysis mammalian', 'prediction improves', 'haplotype combination exhibited', 'size chromosome study', 'specie temperate', 'blasted mu musculus', 'chromosome bta showed', 'analysis milk', 'gilt farrow litter', 'measurement recorded backfat', '180 danish', 'genome entire resource', 'thorax waist gnmt', 'lamb sire genotyped', 'estimate effect time', 'older bull', 'predictor corticosterone', 'consecutive annual cohort', '42 mb', 'embryonic development', 'development maintenance bone', 'removed ubf qtl', 'matrix applied', 'implication analysed', 'significant effect qtl', 'ct ct ag', 'recent year', 'action obesity allele', 'herd 545 genotype', 'sow produced 502', 'used ass genetic', 'small effect major', 'metabolism hmgcs1', '120 240', 'program laboratory repository', 'pregnancy status determined', 'number genbank', 'gga1 gga2 gga4', 'selection measure', 'stature body', 'asian south', 'pleuropneumoniae resistance', 'qtl significant qtl', 'ciliary function lung', 'dj dh genomic', 'proportion tainted', 'gm ltl matter', 'thickness skin leg', 'era genomics', 'marker resistance', 'process related', 'volume ejaculate sperm', 'ercr bta18', 'respectively dgat1', 'commercial elite broiler', 'tested animal', 'immune competence', '327c identified time', 'using combined', 'increase tno nte', 'example unl population', 'existence complex', 'analysis haplotype linkage', 'indicating shank', 'effect allele', 'iberian pig defines', 'chromosome ssc reported', 'beef affect', 'allele 86', 'level performance observed', 'layer breed', 'deviation epistatic', 'using total', '457 porcine', 'f4 f18', 'associated semen quality', 'omy27 omy17 omy9', 'mammal result study', 'power detecting', 'intramuscular fat duroc', 'population numerous', 'fit snp', 'comprising 192 individual', 'medium large effect', 'difference altering', 'intranslated region utrs', '12 snp significantly', 'detected jersey', 'trait growth', 'independent variable regression', 'gene chosen snp', 'increase musculus longissimus', 'variance c6 c8', '54 001 snp', 'improved understanding', 'pre heat treatment', 'claimed putative', 'produced using', 'analysis imputed sequence', 'setd7 causal mutation', 'foki pcr', 'panel data imputed', 'healthy control animal', 'snp chromosome rs133039577', 'weight 05 shank', 'genotype production', 'common disease', 'global equine industry', 'fatness mainly abdominal', 'population china', 'solution identifying selectable', 'accounting phenotypic', 'genotyped phenotyped', 'birth week family', 'structural variant contributes', 'implication fundamental', 'gene vegfa', 'located intron 2834c', 'gwas performed imputed', 'selected high meat', 'collected steer', 'linkage phase linkage', 'observed size follicle', 'identified study including', 'addition significant', 'qtl c18', 'quality gene', 'lysine residue wdr83', 'milk result study', 'averaging compared', 'observed polish', 'significance obtained', 'report studied', 'c18 located bta19', 'investigated diallelic', 'pft ppargc1a mscc', 'consistent result oleic', '38 107', 'haplotype carried sire', 'pathway gene unlike', 'snp genotype data', 'different development', 'general suitable candidate', 'observed closely related', 'rear foot score', 'alteration equine podotrochlea', 'polymorphism milk', 'mode considered genetic', 'divergent artiodactyl', 'carcass weight backfat', 'defined explained significant', '1500 cattle', 'mechanism underlying intramuscular', 'state chicken', 'industry consumer', 'expression affected genetic', 'high level trait', 'involved category triglyceride', 'restricted reported', 'lp1 lp2 lp3', 'seminological motility', 'locus group', 'coding region caused', 'analysis gwass population', 'hd bovine snp', 'susceptible animal 14', 'performed resulting 20', 'wxp 195', 'significant observed', 'method detect', 'showing significant', 'associated 31 production', 'individual blanco orejinegro', 'qtl additive dominance', 'composition ruminant product', 'ggc synonymous', 'control level feeding', 'adjacent gene', 'locus frequency pparγ', 'fatal bite', 'genotype significantly', 'haplotype shown', 'non additive ovulation', 'region segregating family', 'sample 136', 'significance threshold 001', 'validation including', 'health production trait', 'bta22 close microphthalmia', 'locus fatty acid', '78 856', 'implemented sire breed', 'c14 cis', 'progeny phenotype', 'day artificial', 'bwg feed conversion', 'objective study establish', 'comb fowl', 'esw yolk', 'bta3 significant udder', 'dairy production important', 'lung adhesion used', 'subregions locus collected', 'designated intron variant', 'chilled femur', 'contribute genetic variation', 'unveil mechanism', 'sufficient genetic variation', 'used gwas data', 'brd leading', 'station total', 'citrate lactose', '42 49', 'day open fertility', 'form solid basis', 'maturity suggests', 'test aa', 'tract morphology', 'age detected ssc15', 'met inclusion', 'f2 half sib', 'derived senepol cattle', '038813 btb 00246150', 'variation present founder', 'insect bite hypersensitivity', 'association single nucleotide', 'average inverse', 'tt ct cow', 'health data genetic', 'adg validation population', '43 gene', 'major organ', 'cyp2a19 sulfotransferases sult2a1', 'sample locus', 'consistently susceptible', 'number magnitude impact', 'reported striking result', 'snp database used', 'giving consistent', 'architecture associated', 'described veterinary', 'gene dopamine receptor', 'inclusion detailed qtl', 'glycogen synthase gene', 'measured identified', 'performed variance', 'potential linkage', 'weaker enzymatic', '25 nt', 'gene accounted', 'pig 273 laiwu', 'line genetics 01', 'sire genotyped 161', 'snp used totally', 'external fat', 'dark comb line', 'zfat positional candidate', 'characterized disturbed', 'backfat ubf', 'bp snp', 'receptor ghr growth', 'revealed haplotype candidate', 'dsn cow', 'pedigreed jersey limousin', 'content causal', 'scd rs80912566 ifc', 'number daughter tested', 'promising qtl', 'suggested discovery snp', 'susceptibility used quantitative', 'approach implemented', 'ph24 drip', 'analysis detect', 'acid composition qtl', 'force 17 kgf', 'effect bw animal', 'hd 7209', 'length passive immune', 'including associated', 'cross ibmap', 'offspring inoculated sporulated', 'account small proportion', 'study locus', 'functional study needed', 'chromosome 16 ssc16', '17 28', 'based vivo estimated', 'gene interaction', 'drd4 fragment', 'meat quality crossbred', '42 marker', 'early age birth', 'effect observed locus', 'data estimated breeding', 'indicated enrichment gene', 'involvement distinct gene', 'reflected disease', 'ssc10 ssc11', 'prediction ccp', 'defined able', 'mean ebv greater', 'depending estimator', 'vl identified', 'susceptible mastitis', 'distinguish breed chicken', 'favourable qtl', 'cholesterol trafficking data', 'number daughter', 'tnb confirmed 313', 'igg blocking', 'association 01 g840327c', 'included calpastatin cast', 'study gwas 22', 'variation muscularity', 'polygenic effect included', 'vicinity site associated', 'large 217 bp', 'trait information', 'incidence identified chromosome', 'growth deposition adipose', 'gene xin actin', 'leghorn cross broiler', 'qinchuan cattle study', 'detected substitution', 'marker female', 'serum elisa fecal', 'fmo5 gene', 'stage 05 synonymous', 'subclinical disease chronic', 'locus associated endoparasitic', 'maximization bayesian absolute', 'potential candidate gene', 'respectively improved combining', 'marker loin', 'allele disease resistance', 'estimate unlikely hypothesis', 'approach identified validated', 'identified examined', 'individually snp snp', 'potentially provide knowledge', 'causative mutation quantitative', 'cm mcw0123', 'racing performance thoroughbred', 'mean adjusted', 'close dgat1 scd1', 'trait pathway', '17 unrelated ram', 'estimate 44 29', 'population use selection', 'jiaxian red nanyang', 'ammonium sulfate', 'pork qtls', 'molecular breeding tool', 'dynamic host', 'wbsf putatively fine', 'map area', 'structured exon', 'marker spanning position', '10ralpha beta tgf', 'welfare issue', 'associated polyceraty span', 'ocd qtl', 'slc9a3r1 nos2 biological', 'value suggesting heterozygosity', 'decreased distance', 'analysis draw', 'domain associated polymorphism', 'thickness ssc4 gwas', 'protein percentage considered', 'cattle carboxypeptidase', 'bone measured', 'breed haplotype based', 'perform association study', 'tharparkar indigenous', 'association performed pointing', 'rfi exceeded', 'pedigree previously obtained', 'revealed total single', '673 detected', 'romane lamb result', 'porcine gys1 gene', 'gwas linkage', 'subsequent founder', 'platform detect', 'fcr compared ct', 'gene major', 'explained 25 phenotypic', 'horn development', 'constructed simultaneously estimate', '35 01', 'a80v genotyped', 'finally igf2', 'selection estimated frequency', '27 previously', 'snp npy gene', 'size high marker', '45e 08 76e', 'cast strongly', 'imputed sequence data', '300 age en', 'snp termed snp', 'color qingyu pig', 'commercial pig study', 'count trait gwa', 'pepsinogen concentration', 'procedure trait selected', 'ldl circulating', 'necessary synthesis long', 'pathway associated', 'chromosome shown', 'based framework', 'int5 snp ex12', 'shoulder width 33', 'pig intercross sequence', 'region allergen specific', 'scheme hanwoo', 'composition chicken qtl', 'anchor orthologous', 'androstenone skatole', 'version 61', 'hanoverian stallion estimated', 'non carriers carrying', 'firmness score average', 'lactation clinical', 'verification specific', '24 11', 'anka broiler association', '13 cm fine', 'proteolysis pathway', 'architecture correlated disease', 'result indicated', 'search genetic', 'result explained', 'identified shared kb', 'acid le', 'mm mm diameter', 'using historically geographically', 'hormone associated reproductive', 'associated riboflavin', 'gblup variance', 'ranged 25 75', 'domain crumb', 'nanyang cattle based', 'clue understanding', 'dlg1 known', 'poultry production affecting', 'used perform marker', '180 gene', 'qtl gave conclusive', 'location gwas', 'cattle small', 'maternal infanticide previously', 'bw chest depth', 'coagulum dairy industry', 'excessive tearing ulceration', 'response social', 'alternative approach', 'skin fold thickness', 'line genetics', 'variant respect', 'chicken mhc gene', 'immunostaining showed fst', 'kg 100 kg', 'week chromosome created', 'combining valuable meat', 'available 2951', 'conclusion despite', 'rea lower', 'snp3 snp64 allele', 'histochemical characteristic', 'objective research included', 'association sc', 'investigation key candidate', 'type chicken breeding', 'predominant qtl', 'rfi largely unknown', 'count body weight', 'necessary correlate sexual', 'zero tanzanian', 'number vestigial deformed', 'cow used cy', 'generation line', 'explains variation milk', 'conducted applicability', 'country source', 'region 46 cm', 'involved regulating rfi', 'single marker', 'reported qtl immune', 'chronological age', 'effect averaged heterozygous', 'qtls white', 'reported far', 'gtpase activating', 'faecal culture', 'dj 321 milk', 'mutation underlie', 'g1406a exon', 'protocol moving', 'birth 98', 'humerus bone mineral', 'describes identification', 'ssc5 ssc9 ssc13', 'content 01 snp', 'test statistic derived', 'nvd ssc7 qtl', 'soay sheep lamb', 'sire distinct chromosome', 'aa uac showed', '15 trait', 'temperament defined consistent', 'number white', 'effect opn', 'chromosome 28 influencing', 'intercross berkshire yorkshire', 'ph variation', 'population highly significant', 'spondin inhibitor', 'assisted selection ma', 'trait performed commercial', 'probably owing', 'model flexible', 'rate marker', 'polymorphism barki', 'accuracy selection reduce', 'content intermuscular fat', 'genotype 337 f2', 'ssc12 confirmed involvement', 'used increasing mapping', 'wide threshold carcass', '33 marker segregating', '1622 steer post', 'maternal permanent', 'new field', 'c2a2 thickest 31', 'available significant', '50 my50 100', '12 17 19', 'analysis backcross', 'enhance selection focused', 'lcorl locus displayed', 'present founder', 'disease coded', 'rs42670351 associated', 'gpat4 respectively eps8', 'evaluated milk production', 'major additive qtl', 'disequilibrium allowed qtl', 'observed 10', 'effect 62 mm', 'backcross charolais holstein', 'dehydrogenase reductase rdhe2', 'qtl ssc5', 'dusp1 il17b qtl', 'mutus suggests', 'result confirmed previous', 'study result demonstrate', 'qtl 97', 'ube3b gene', 'beef cattle genome', 'effect term human', 'sample panel variation', 'linkage protein', 'chromosome 29 causative', 'qtl detection result', 'macrophage migration', 'qtl underlie', 'example optimize', 'caecum presence hardened', '51 region associated', 'grandsires 672 son', '14 eca 15', 'pde4b estimated 123', 'hip height', 'loin ssc15', 'environment extreme parasite', 'suffolk family', 'regression module helixtree', 'subpopulation analysed low', 'analysis examine snp', 'evaluated population growth', 'related generation analysis', 'located region predicted', 'imprinted region genotyped', 'complex relationship', 'function based david', 'bta6 10 20', 'novel lncrna', 'resident conserved', 'yield 1st 2nd', 'qtl affecting limb', 'monte carlo', 'gga_rs13593979 candidate gene', 'tainted proportion', '028 compared genotype', 'responsible navicular', 'sire angus', 'fineness dispersion crimp', '07 intron region', '85 phenotypic', 'mutation exhibited genotype', 'genetic polymorphism sample', 'upstream transcription', 'adjusted version', 'study contributes identification', 'connected meat quality', '6n carrier', 'characterise biological', 'study report eqtls', 'studied casp2 ripki', 'disease genetic', '10e based local', 'fat protein corrected', 'regulated 30 day', 'qtl associated fertility', 'influence mothering', 'ancestral allele', 'region associated month', 'normal tnf function', 'simangus hereford cattle', 'selection leaner meat', 'sexual maturity genome', 'included association', 'gene region identified', 'human qtl controlling', 'muscle growth development', 'rfi component trait', 'measured 139 pig', 'sl9 sd9', 'polymorphism family association', 'combination revealed 305', 'recessive duroc allele', 'locus useful', 'increase c16 c16', 'measure animal body', 'significant genome wise', 'f2 sutai', 'level monounsaturated fatty', 'located casein', 'ghr similar effect', 'association scd haplotype', 'genetic difference italian', 'feathering phenotype', 'large number individual', 'metabolism compared', 'identification major gene', 'am950289 589t', 'enrich population', 'pig crucial design', 'resistance backcross', 'asian local', 'fe important', 'result detected significant', 'yellowness measured', '22 05 16', 'association analysis number', 'investment comb reflects', 'extreme fec necropsied', 'cell additionally', 'genome objective study', 'composition phenotype', 'european strain investigate', 'containing 54', 'indicated tt dominant', 'prkag3 region chromosome', 'success importance', 'rs14986828 rs15675067 rs15675065', 'chd4 associated warner', 'comb dataset nearly', '54 marker medium', 'horn size normal', 'marker determine increased', 'hek 293 cell', 'identification novel', 'wide significantly associated', 'fertility estimated', 'strong association percentage', 'analyzing commercial population', 'gene hydroxytryptamine receptor', 'japan result strongly', 'binding lectin mbl', 'limousin blonde aquitaine', 'pathway analysis suggested', 'tnni2 tnnt3 overall', 'qtl hypothesis confirm', '12 kb duplication', 'bovine nesp55 gene', 'industry better', 'investigated qdg', 'level detected window', 'mspi polymorphism significant', 'increase productive', 'associated qtl concerned', 'evidence segregation', 'suggests fairly ancient', 'scan chromosome', 'ph furthermore', 'cross silky fowl', 'cell count broadened', 'presence metastasis porcine', 'meat tenderness omega', 'near acsl4 exception', 'significant association resistance', 'mapping gridqtl software', 'deposition carcass trait', 'higher adg', 'german holstein cattle', 'polygenic qtl effect', 'result confirmed genotyping', 'breed genetically', 'treatment died', 'gene rankl', 'induced brsv vaccination', 'pcr analysis revealed', 'genotype cow average', '22 24 mb', 'gene pair primer', 'affecting cattle stillbirth', 'ucp3 probably tissue', 'yield uw', 'qtl tenth', 'marker trait hard', 'slc2a12 significantly associated', 'bilateral eye', 'overrepresented 500 kbp', 'sw1943 region including', 'single cross', 'horned individual', 'region detected using', 'haplotype milk', 'site variation', 'indigenous broiler chicken', 'number fish', 'liver skeletal muscle', 'data possibly', 'relaxed nominal detect', 'upstream sequence used', 'multifunctional enzyme central', 'basis underlying', 'individual response stressor', 'gene affecting pig', 'hormone receptor ghrhr', 'united state spl', 'prlr prop1 10', 'mapping confirmed localization', 'meg3 variation expression', 'variation denmark', 'composition purpose expression', 'approach using posterior', 'reproduction related', 'ema fat thickness', 'cnv result null', '06 genome', '233 record 23', 'region revealed', 'step gblup methodology', 'snp based physical', 'covariance trait', 'breed parity lactation', 'signalling transcript positive', 'contained 13 qtls', 'evaluation breeding', 'gamete qtl', 'detected chromosome greatest', 'fatness trait economically', 'dsn performed', 'il 1a il', 'tool annotating phenotypic', 'seasonally polyestrous', 'breed purpose used', 'conserved small noncoding', 'obtained analysis extended', 'commercial elite', 'weight shoulder sh', 'chromosome region showed', 'result phenotype ii', 'kph hot', 'disease mechanism lead', 'adrb1 adrb2 expression', 'mapped basis low', 'genetic variant missing', 'model incorporating', 'ultrasonography sire', 'qtlr using', 'qtl provide insight', 'panel purebred sire', 'snp predicted', 'selection economically important', 'crossing berkshire', 'chromosome approximately', 'pig micrornas targeting', 'capability identify pleiotropic', 'conformation score based', 'body teat', 'focused reproductive', '254 snp', 'hornless trait', 'bf bf150', 'molecular variance revealed', 'variance total', 'callipyge locus', 'set marker showing', 'reported addition novel', 'maturity genetic', '08 homozygous ewe', 'trait targeted', 'content respectively chromosome', 'marker displayed', 'body composition cattle', 'control model total', 'animal model showed', 'sequencing polymerase', 'middle bovine chromosome', 'dgat1 ptpn1 insig1', 'ednrb ssc11 kitlg', 'beadchip performed identify', 'homozygous calf dwarfism', 'charolais german', 'limousin lm 18', 'bmc percentage', 'family 054 progeny', 'range expected false', 'process identification genomic', 'false discovery value', 'computational demand fine', 'production hu', 'ultimate ph lm', '46 57 additional', 'protein complex', 'feedlot information useful', 'load 04 combined', 'beadchip containing', 'depth gr', 'marker haplotypes based', 'encompassing coding flanking', 'framework daughter design', 'genome ontology', 'associated vivo', 'human evidence epistatic', 'additive imprinting effect', 'volume quality trait', 'additionally suggestive', 'estimate weight primal', 'cyp2j2 fggy located', 'view hind', 'gga5 controlling', 'linkage studied marker', 'pair showing largest', 'pig data', 'used provided consistent', 'ventricle weight rvtv', 'chicken study 16', 'map targeted qtl', 'develop equine sarcoids', 'window identified chromosome', 'analysis allowed', 'pig number piglet', 'using porcinesnp60', 'warmblood different', 'atp5b probably', 'factor affect riboflavin', 'fatty acid milk', 'associated infection phenotypic', 'report studied porcine', 'finding help elucidate', 'affected 64 unaffected', 'fertility peak values', 'pig breed allele', 'literature functional enrichment', '61 kb', 'genetic background nba', 'snp mapped', 'weight dimension 05', 'throughput chip 630', 'bovine genome sequencing', 'discovery set', 'distal ilsts081', 'influenced afe', 'f4ac major determinant', 'ai using', 'intercross backcross', '82 88', 'location exact localization', 'study develop implement', 'cause negative energy', 'thickness bf 150', 'trait including pak1', 'bone quality', 'understanding trait', 'miristic palmitoleic monounsaturated', 'interval snp 26', 'region result indicated', 'based production current', 'classified pirm syndrome', 'produce 24', 'alternate haplotype revealed', 'follow study fine', 'effect genome', 'fasn scd dgat1', 'coloration hematocrit rectal', 'association 10 value', 'gene remaining', 'linkage qtl marbling', 'conducting gwas body', 'increased calf birth', 'protein interaction', 'simulated variance', 'animal genotype nce7', 'population set', 'acvr2a haplotype', 'compared use bovinesnp50', 'discrepancy asp298asn association', 'rs42670351 associated rfi', 'responsible meat', 'power qtl mapping', 'marker half', 'elovl7 fads2 fasn', 'difference sheep selected', 'uncovered analysis showed', 'nutritive value pork', 'using case control', 'pig different genetic', 'yield 002', '10 result confirmed', 'genome scan subsequent', 'underlying mechanism heterosis', 'biding site', 'bp bovine chromosome', 'identified new zealand', 'result previous research', 'containing putative', 'different tissue rt', 'owing complex', 'carcass serum concentration', 'panel high density', '13 cm region', 'gene genetic region', 'trait sexually', '13 74', 'increase knowledge functional', 'combined analytical approach', 'linearly transformed', 'population imputation large', 'result conclusive', '87 total genetic', 'separately pedigree combination', 'qtl phenotyping additional', 'associated pfts predisposition', 'included analysis principal', 'population compare analyzing', 'tested artificial', 'yield used genotyping', 'heritability anaemia control', 'meat characteristic', 'pool furthermore data', 'adg 04', 'performed generalized', 'bms2142 chromosome', 'bovinesnp50 beadchip', 'statistically allocating tbg', 'explained haplotype tended', 'parasite infection general', 'positive association', '25 issued second', 'progeny 12 duroc', 'applied granddaughter design', 'comparison ryr1', 'associated region', 'difference genotypic', 'brahman belmont', 'data principal', 'suggests 2379t', 'syneresis process', 'seven associated snp', 'associated dermal shank', 'concluded identified', 'result demonstrated fmo3', 'linkage disequilibrium detected', 'dead including number', 'data implicate', 'effect scd polymorphism', 'association bta', 'compare val', 'state resistance', '07 lw', 'unequal variance', 'production ovulation rate', 'microsatellites maximum', 'recprotein recsolids', 'mapk signaling 10', 'factor beta', 'identified previously mouse', 'abt tendency', 'content data principal', 'breed f2 crosses', 'crossing typical', 'indirectly involved', 'thigh percentage gga15', 'bta28 associated', 'correlated t3', 'problem heterozygote genotype', 'value 28', 'identified sperm concentration', 'generally reduced', 'kg pig sire', 'classical pathway serum', 'postcalving development mammary', 'model analysis linkage', 'treatment qtl detected', 'hd panel', 'calving ease direct', 'additional resource generated', 'level 53', 'showed genotype aa', 'consistent reduction obtained', 'case qtl', 'concentration commercial duroc', 'snp oar3', 'weight 12 24', 'dna fragment covering', 'intermuscular abdominal fat', 'large white highly', 'gene fcr', 'phenotype individual', 'welfare reason', '83 genome', 'nba tnb', 'used chromosome', 'cw 591', 'trait feature reflects', 'beta superfamily member', 'alive age puberty', 'snvs csnvs', 'french holstein', 'analysis applied separately', '29 ttc29 suppressor', 'kirrel3 gene', 'bpi gene associated', 'mb gap', 'appearance genotype varied', 'kegg mesh library', 'marker small', 'regression approach dissect', 'identified french', 'including information', 'infection host', 'suffolk 336', 'locus qtls loin', '538 measured', 'autosome significant qtl', 'breeding tool optimizing', 'data using multiple', 'investment determining', 'white recessive rock', 'effect scan date', 'ssc2 harboring candidate', 'wise 10 putative', '22 antral', 'level declaring qtl', 'marker heritability lung', 'multiple peak', 'fat depth sfd', 'number age 462', 'gene alter biogenesis', 'identified based', 'weight substantial', 'relevant qtls', 'region harboring', 'association fec iga', 'single copy tm', 'genomics provide', 'contribute inherited component', 'genetic diagnostic', 'provide strong', 'fa analysis', 'mrna level observed', 'using gwas', 'intake feed', 'application introgression', 'heritability estimate protein', 'bw record', 'additionally 21836', 'reg3g regenerating islet', 'seven large', 'dbp multiple', 'involved susceptibility', 'associated egg related', 'fat content baier', 'intercross white plymouth', 'chromosome 11 indicated', 'analysis signature', 'gluc body', 'qtl study revealed', '16 cm genotyped', 'ewe fertile increased', 'cause translational inhibition', 'effect mixed', 'exon nr6a1 gene', 'chromosomal area ggaz', 'backfat 83 carcass', 'model marker assisted', 'strongly linked association', 'conclude myog', 'slaughter cross second', 'qtl including 46', 'beadchips f2', 'small noncoding', 'alternative loki', 'resistance mdv', 'heritability result', 'cow conducted genome', 'na 32 sequence', 'test kaiser', 'purpose study', 'polymorphism coding region', 'test method support', 'plant heritability', 'locus region lp', 'detected impact ex', 'highly conserved human', 'consisted 30 ram', 'phase project', 'variation molecular', 'vf2 growth', '03 24 27', 'effect gg genotype', 'result single snp', 'stress chicken', 'taurus examined association', 'ano2 fy', '371 test', 'myf breed 760', 'force cooking loss', 'highest log10', 'analysis performed muscle', 'highest milk production', 'tnb corrected', 'suggestive snp ercr', 'compared model allowing', 'total 24 snp', 'trait direct beef', 'associated systemic', 'chromosome furthermore', 'growth trait canchim', 'gwas multiple', 'pecking behavior combined', 'condition affect newly', 'wide analysis copy', '19 bta19 candidate', 'qtls provide', 'acid ile', 'size large effect', 'herd worldwide', 'polymorphism bmp', 'map qtl affecting', 'disequilibrium analysis heritability', 'oleic acid 18', 'backfat thickness us_m', 'available protein', 'alpha cebpa retinoid', 'process present', 'teat 801 total', '29 376 snp', 'gene mean', 'bp snp region', 'cow germany breed', 'snp haplotype generally', 'sla region', 'variant revealed', 'dpi high', '4993 progeny', 'analysis growth rate', 'unusually originated obese', 'qtl shape likelihood', 'cxcr1 fasn gh1', 'marginal additive effect', 'mir 224 putative', 'chromosome gga3 beard', '35 palpation', 'fragmentation index dfi', 'chicken egg trait', 'animal health poultry', 'gr study', 'backfat thickness intramuscular', 'required large', 'mapping genome scanned', 'variation expression', 'approach account', 'h1 h4 opn', 'heritability calculated genomic', 'weight age 300', 'chromosome dissection', 'suggesting trait controlled', 'underlie qtl controlling', 'snp 48476925c bp', '175 day slaughter', 'important effector', 'derived f1 male', 'facetted approach identify', 'index aim', 'lean growth', 'variance σ2p', '10ralpha contribute', 'alternative multibreed', 'fat weight 19', 'colour category pigmented', 'illumina genotyping 378', 'gene meat', 'observed different', 'eqtl expression quantitative', 'total 305', 'target site mir1', 'associated lp', 'example bivariate analysis', 'negative effect mastitis', 'quality trait estimated', 'lod 35', 'taurine zebu', 'selection index particular', 'underlying development', 'activity ins', 'plin1 gene', 'variability discovered analysis', 'coefficient fixed', 'site specificity protein', 'trait danish udder', 'lacombe alberta applying', 'overlapping qtls identified', 'phenotype genotype 2708', 'overcoming limitation', 'analysis detailed', 'measured culturing gut', '23 susceptibility btb', 'mapping based', 'flrt2 lhx4', 'mutation affecting sc', 'cd1 mouse strain', 'contribute goal building', 'component trait subjected', 'polygenic data support', 'expression corticosterone', 'industry aggressive behaviour', 'leucocyte number', 'industry average', 'mapping genetic locus', 'data concerned', 'draft horse disease', 'lgw spleen', 'sequencing marker', 'marker rao susceptibility', 'insemination based normal', 'animal 49 family', 'individual 20 microtia', 'important fertility', 'rao affected stallion', 'gene important development', 'breeding boar', 'muscle gene', '24 tt 14', 'porcinesnp60 beadchip snp', 'search genetic variant', 'age genotyped 120', '12 probably caused', 'adipose tissue keratinization', 'glm procedure t56039403c', 'threshold determined using', 'marker qtl analysis', 'weight age', 'industry disease resistance', 'cy milk', '271 animal', 'silent mutation', 'independence screening', '30 000 snp', 'previously published study', 'value pork qtls', 'microsatellites spanning bta29', 'il gene', 'gene expected negative', 'wide analysis marker', 'ranged 13', 'relating 42 weight', 'hypoxia defense', 'position man1c1 map3k5', 'rs41919985 rs41919986', 'area future research', 'axis avpr1b catecholamine', 'ewe distributed', 'identified high', 'supplement high', 'used dependent', '1b avpr1b meat', 'human handling confinement', 'region cnvrs representing', 'feather peck delivered', 'carcass fat steer', 'presented represent', 'multi collinearity', 'result suggested mstn', 'value best snp', 'identified new qtl', 'bta6 common', 'locus mb accounted', 'received considerable', 'region explaining variation', 'substitution associated meat', 'analysis using qtlmap', 'influence ability ewe', 'effect trait white', '01 confirming initial', 'abomasum lda', 'approach detecting locus', 'detected commercial crossbred', 'site close muscling', 'finally targeted', 'affected growth trait', 'using dairy east', 'qtl influencing udder', 'present 40 allele', 'waist height breed', 'gene capn6 additional', 'rapidly cattle', 'approach characterization', 'bend cell dna', 'related performance carcass', 'coefficient interval', 'gene testis growth', 'snp genotyping paper', '20 genomic', 'backcross progeny candidate', '000 generation', 'mapped chromosome including', 'snp bta8', 'confirms erythroid', 'service sire', 'genotyped trait analysed', 'addition tested', 'lw point unfavorable', 'haplotype block analysis', 'differentiation isolated characterized', 'positive rate new', 'performance observed animal', 'accomplished 10', 'identified effect', 'level sox5', 'incomplete exposure', 'qtl identified mode', 'clearance maternally', 'carcass trait ovine', 'qtl 47 type', '255 sow derived', 'dna sequence', 'qtl1 15', 'colour variation population', 'record 3359 holstein', 'simulation pedigree', 'old new experimental', '44g 622c 793g', 'role organ elucidated', 'snp sire', 'invertebrate vertebrate', 'address objective result', 'genotypic data consisted', 'revealed main effect', 'percentage cattle', 'rate potential qtl', 't32742468c located', 'rs109210955 rs41630030', 'difference elovl6', 'ovlv aside', '18 additional half', 'indicated c34t effect', 'successfully genotyped informative', 'infection corresponding', 'leading mastitis', 'detected difference heterozygote', 'diverse polymorphism located', 'genomic profile', 'highlighted various', 'empirical threshold', 'egg yolk weight', 'estimated training population', 'prolificacy finnish landrace', 'qtl interval sw2456', 'duroc pietrain resource', '10 size identified', 'ta significantly associated', 'asp298asn single marker', 'demonstrated potential benefit', '11 family', 'heavy pig selection', 'trafd1 gene', 'associated feather pigmentation', 'finding useful', 'various aspect', 'bco phu ph15', 'pta predicted', 'specific snp significantly', 'qtl mode inheritance', 'lei0258 allele', 'population 386 animal', 'susceptibility diabetes obesity', '05 analysis', 'commonly united', 'directly measured', 'exception genetic variation', 'level variant', 'splenic cdna', '41 53', '954 f2 animal', 'clear difference', 'pig snp', 'quantitative pcr showed', 'polymorphic locus 278', 'short medium chain', 'gwas analysis 1217', 'sire belonging charolais', 'showed significant deviation', 'accounted 09 genetic', 'cw 28', 'identified region teat', 'genomic region chromosome', 'lactation yield milk', 'breeding objective trait', 'distance result provide', 'minimally overlapped previously', 'fourteen brazilian gir', 'silico analysis showed', 'showed maximum lod', 'intramuscular fat region', 'contributing significantly remarkable', 'parasite sheep', 'white thinning reanalysis', 'spite normal', 'ssc 11 possible', 'successfully genotyped illumina', 'estimated using', 'standard animal model', 'sc 10', 'collectively detected snvs', 'maturity measured mapped', 'influenza hpai', 'cmp montbéliarde cow', 'implemented account', 'il8 h1 present', 'loin depth 017', '876 montbéliarde', 'hyperprolific striking', 'derived candidate', 'fat lean percentage', 'follicle different size', 'putative cnv', 'genetic marker qtl', 'organized seven', 'taurus breed veterinary', 'dimension trait', 'tenderness longissimus lumborum', 'peak genome', 'model study complex', 'identified using principal', 'individual calculated different', 'gain case', 'cow 103', 'calf dam', 'level false', 'used study effect', 'located bcas bsp3', 'gene underlying identified', 'ray computed', 'yield sc chromosome', 'acute disease day', 'chromosomewise level total', 'region progeny test', 'european lean type', 'farm trait daily', 'resembles human', 'sex interaction kdm5a', 'acid composition prkag3', '19 significant single', 'distinguish breed', 'offspring aim study', 'soluble protein content', 'trait influence', 'partitioning potential influence', 'analysis highly significant', 'wide snp marker', 'feature selected ancient', 'fcr ratio', 'snp28 extremely significantly', 'ear identify', 'mammalian specie', '42404a mutation', 'evidenced highly', 'chromosomal subregions', 'allowed identification 18', 'antibody level se', 'reaction total', 'chromosome ssc6', 'difference trait phenotype', 'containing qtl fertility', 'f2 individual including', 'gene ube3b', 'mc2r arhgap6 nr3c1', 'result confirmation qtl', 'mapped previous study', 'improved selection palatability', 'whc coq9 egfr', '13 14', 'influence obesity', 'correlated 830', 'yield trait bta3', 'lfec1 anti', 'muscling trait', 'determine effect', 'monocyte derived macrophage', 'ejaculate sperm', 'size ranging 20', 'sequence particularly', 'tg alb glo', 'cm 28 study', 'matrix correct population', 'second cross', 'acid myristic acid', 'kinase screened 284', 'major polymorphic', 'inherited marker haplotypes', 'existing breeding', 'correlation meat', 'damage post mortem', 'relationship daughter pregnancy', 'collected 789 animal', 'resistance region', 'nt 778', 'ssc4 gwas', 'performed 020', 'shear force cooked', 'gradient examined', 'eggshell quality trait', 'indicate loss', 'qtl significant nominal', 'sample size large', 'determination significant principal', 'fat deposition additional', 'disadvantage region', 'btb indicator trait', 'explain large proportion', 'support potentially mutation', 'presented result complementary', 'strongly associated serologically', 'substantial effect muscle', 'locus mixed', 'disequilibrium causal marker', 'analysis chicken', 'resistance phenotype', 'bta23 strongly associated', 'slaughter result confirm', 'factor stallion fertility', 'mapped largest', 'le included 12', 'software predicted', '03 particular', 'biochemical analysis pronounced', 'gwas map status', 'fabp3 rs1110770079', 'receptor activity result', 'weinberg equilibrium 05', 'associated variation meat', 'ornament produce egg', 'supernumerary teat daughter', 'association prp genotype', 'bta14 rs109146371', 'indicated significant association', 'year age similarly', 'cattle breed method', 'linked dio3', 'del genotype showed', '05 according result', 'factor gdf8 known', 'twinning cattle', 'nematode remain', 'increased ap decreased', 'mb explained', 'pig clarify molecular', 'animal expected dmi', 'type member serpine1', 'sheep present study', 'protein trait appears', 'disease finding advance', 'observed androstenone number', 'region seven chromosome', 'rfi dfi bf', 'prediction slightly 01', 'mb chromosome region', 'applied ibd', 'remaining 13', 'highlighted ankyrins', '13 autosome qtl', 'ggaz conclusion good', 'sheep breed association', 'associated pigmentation trait', 'novel previously identified', 'heritabilities fatty', 'overall health', 'qtl region inverted', 'korean individual combined', 'gene miga2', 'model snp identified', 'verify effect', 'measure trait investigation', 'chip separate genome', 'using hy', 'ruminant reared', 'fat central', 'addition functional', 'divergent selection pressure', 'appropriate backfat thickness', 'threshold 10 genome', 'region significant snp', 'modification ptm', 'resistance gin information', 'trait indicating gene', 'yield phenotype genotyped', 'involved control', '68 growth carcass', 'variance ranged 40', 'chain dehydrogenase reductase', 'selection response', '60 cm', 'kidney new single', 'significantly associated ear', 'born snp', 'fbxo32 deposited genbank', 'method association', 'horse significantly different', 'autozygosity mapping identified', 'nt fabp6', 'information potential aid', 'predisposing gene remains', 'joint quantitative', 'course lactation different', 'qtl total teat', '16 17 analysis', 'determined mapping genomic', 'wide scan using', 'cft equation', 'genomic region quantitative', 'today high low', 'suffer insect bite', 'placentation suggest', 'livestock specie accumulate', 'cast total 60', 'sire sex effect', 'maximum test statistic', 'shank beef', 'weight reproductive', 'suggest ovine ucp1', 'rapid association using', 'trait enriched', 'intramuscular fat number', 'identified 854', 'gastrointestinal parasitic nematode', '114 coding', 'atrophic rhinitis ar', 'middle gga5', 'interval average outcome', 'research focused genomic', '47 trait', 'incidence holstein cattle', '209 brahman', 'given scurred', 'polymorphism texel sheep', 'qtl studied milk', 'day postinfection', 'order gene', 'sck2 holstein dairy', 'panel associated', 'layer line total', 'analysis infectious disease', 'trait result reported', 'affect nkx2 transcription', 'androstenone adipose tissue', 'quality taken total', 'population overall obtained', 'bonferroni correction used', 'carrying genotype c2a2', 'developed identify single', 'genotype quality', 'highly significant suggestive', 'exon 19 val870ala', 'loss produce', 'transfer foster', 'identify hepatic', 'respect baseline value', '11 g11 genotyped', 'coding gene play', 'polymorphism porcine interleukin', 'including sheep', 'cm respectively', 'tropic cause lifelong', 'relationship sparse especially', 'distributed 26 chromosome', '16 01 02', 'significant threshold equivalent', 'composition phenotype including', 'gene association cebpa', 'putative qtl detected', 'initially detected', 'improved genetic gain', 'moisture color color', 'conclusion pirm syndrome', 'build available', 'bta17 significantly', 'mbl gene', 'neurl1 bta26 marker', 'qtl showed pleiotropic', 'snp genotyped 158', 'approach reveal qtl', 'snvs identified', '0972 myod1', 'level respectively proximal', 'detected 114 cm', 'underline importance', 'highly homologous', 'abdominal fat trait', 'subfamily group member', 'physiology growth record', 'nfkb2 agpat3 chuk', 'chinese meishan', '1053c missense mutation', '11 18', 'mutation type', 'significance calpain', 'imprinting effect considered', 'share 80', 'association gh', 'milk density', 'structural domain', 'study mirna', 'phenotype conducted', 'phenotypic variance owing', 'multipoint analysis showed', 'based amplification', 'faecal sample 4350', 'regression technique variance', 'spectrum population assessed', 'cattle population', '968 snp embedded', '16 heritability', 'qtl study carried', 'studying mechanism', 'used addition pedigree', 'chicken insag', 'population statistical analysis', 'sc reported previously', 'study including qtl', 'using pcr single', 'according function position', 'recorded longissimus', 'significant qtl', '25 cm qtl', 'gga4 explained 10', 'detected significant association', 'result bta', 'ewsr1 map3k11 result', 'le powerful', 'isoforms including', 'data consisted 37', 'snp val', 'association pork', 'shared mutation', 'notably german', 'scan qtl mapping', 'footrot phenotyped', 'slc37a1 gene expression', 'gene potentially contributing', 'chromosome 16q21', 'informative marker 261', 'encodes key', 'af chromosome', 'ovis aries', 'previous study used', 'snp va', 'increased bone', 'developmental effect postnatal', 'mapping ibsp', 'tnb variation 49', 'conferring nematode resistance', 'position 45', 'spanning 1987 kosambi', 'snp marker understand', 'different genetic control', 'ld compared', 'population 421', 'data achieve objective', 'pm antibody titre', 'region bta3 bta6', 'glucose day', 'marker data collected', 'phenotype relationship detected', 'package analysing multivariate', 'generated somatic', 'bl hip width', 'essential sustain', 'size nw', 'qtl effect remaining', 'fraction integration previously', '96 15', 'significant mean difference', 'spermatozoon reported', 'factor pathogen', 'role late lactation', 'weight weeks age', 'reproduction associated multiple', 'window implemented', 'region responsible ltn', 'gdf8 region', 'apply marker assisted', 'chromosome 10 19', 'associated ibk', 'examination arg236his', 'pig image analysis', 'conducted gwas linkage', 'locus qtl associated', 'detected ovulation', 'older homozygous', 'psychological change', 'using mixed animal', 'record coded', 'given localization', 'background skeletal damage', 'group frequency higher', 'btb using genome', 'selection informative', 'random environmental effect', 'gga24 investigated association', 'withers height detected', 'yearling adg9', 'genome study genomic', 'probability derived using', 'located marker', 'chicken ecotypes newcastle', 'included model putative', 'play role developmental', 'production trait pig', '370 grandparent', 'small confidence interval', 'load endometrium', 'glutamine amino', 'parent derived', 'associated specific enzyme', 'hydrolase aoah', 'economic welfare', 'phenotypic expression analyzed', 'position 46547859c', 'nonsense mutation', 'seen gene', '939 852 967', 'sixteen qtl statistically', 'microsatellites 15 cm', 'resistance ipnv rainbow', 'fragment representing important', 'glutamate receptor', 'qtl interval minolta', 'fiber characteristic lean', 'week age collected', '05 snp27 highly', 'using genomic best', 'crossbred pig single', 'generation commercial', 'skatole androstenone', 'landrace pig herdbook', 'level 10 qtl', 'female chicken strain', 'mon measured 139', 'trypanosomosis parasitic', 'snp sufficient explain', 'lepr allele backfat', 'muscle metabolism', 'gwas regional', 'depth rump', 'qtl detected genome', 'types snp ucp3', 'utt backcrosses', 'additional new potential', 'data 440 ghanaian', 'result showed landrace', 'wise significance experiment', 'post natal', 'rate confidence', 'example bivariate', 'population 501', 'routine genomic', 'fatness trait f2', 'marker 510 animal', 'study parameter', 'suggestively significant marker', 'exon gene', 'resulting value', 'evenly distributed 26', 'qtl region using', 'important relevant genetic', 'set validation', 'snp gwas', 'beadchip run gwas', 'relevant marker', 'xn nanyang ny', 'resistance fe', 'chromosome new cnvrs', 'archival collection', 'binding cat motif', 'recently effective', 'linkage disequilibrium sire', 'slc2a4 stearoyl', 'genotyped 47', 'genotyped 180', 'recently german cattle', 'processing aspect cow', 'bta2 combined effect', 'relationship detected', '591 kb critical', 'considered relevant candidate', 'genotyped marker family', 'prader willi', 'using 42 953', 'difference complicate identification', 'new narrow confidence', 'variance androstenone ssc6', 'fattening carcass composition', 'gwas approach identify', 'holstein half sib', 'study supported role', 'gwas pathway analysis', '01 bvd', 'associated milk cholesterol', 'cattle additionally', 'harbored chromosomal region', '14 milk', 'defining haplotype', '18 half sib', 'gonasomatic index', 'relationship outside', '24 bird reference', '99 sequence', 'resistant 280', 'conclusion 591', 'detected family derived', 'simultaneous search', 'level sex', '05 conclusion pleiotropic', 'genomic curve', 'pattern region ssc1', 'qtl associated bone', 'c4535156t g4533815a', 'movement aim genome', 'polygenic environment', 'csn2 particular relevant', 'identified eqtl', 'cattle susceptible', 'genotypic frequency significant', 'chromosome 104 110', 'resistance quantitative', 'vaccenic acid skeletal', 'function immune study', 'infection switch', 'associated anaemia', 'data analyzed sa', 'breed conclude', '19 29', 'previously introduced plant', 'expression identified gwas', 'cattle sequence comparison', 'population comparative analysis', 'flavor metabolic', 'pig substituting invasive', '37 201 tested', 'major cluster', 'derived cross', 'significant qtl 17', 'qtl selected overlap', 'concentration indicated', 'bacteria poorly', 'end trial animal', 'hap2 associated', 'tailed hair sheep', 'marker genome wide', 'regression seventy', 'total 31 qtl', 'stallion disease status', 'polymorphism marker assisted', 'gene involved immune', '10 observed family', 'clustered group different', 'pcr race', 'result revealed me1', 'status basis genome', 'combined comb dataset', 'mb window higher', 'r25c a80v genotyped', 'consisted average', 'abc6 abc10', 'crucial effect growth', 'dimension growth', 'cattle controversial main', 'seven snp derived', 'association cla association', 'sire total', 'ireland confirmed btb', 'unlike asian allele', 'superfamily member bmp', 'qtl effect significant', 'trait polygenic le', 'locus mean ld', '30 pig divergent', 'genomic profiler porcine', 'marker reproductive', 'trait 205 adjusted', 'fold cross validation', 'corticosterone level', 'step identification gene', 'health comparison candidate', 'numerous candidate genomic', 'fkbp2 protein yield', 'loin smallest', '20 normal genotyped', 'study sire', 'using deterministic approach', 'developing country', 'ratio body weight', 'fertility immunization overall', 'gwas discover region', 'milk physiology', 'environmental genetic factor', 'detection new qtl', 'industry little', 'resilience measured', 'coding region man2b2', 'domestic layer hen', 'hol cow result', '22 independent quantitative', 'essential genetic', 'point phenotype segregate', 'qtl located intron', 'boar population genome', 'ssc6 generation', 'analysed cross', 'test using', 'analysis conducted porcine', 'homeostasis chinese indigenous', 'strong evidence qtl', 'gene camp cgmp', 'datasets global selection', 'independent qtl effect', 'qtl growth fatness', 'location lesion', 'ige igg subclass', 'originating angus charolais', 'score bm', '127 junmu white', 'gwas gene network', 'position 192 result', 'qtl carcass', 'using pig melim', '84 88 mbp', 'targeted genome', 'growth calving', 'cell mutation associated', 'total 154', 'trait association irf3', 'measured breeding candidate', 'snp polymorphic', 'additive effect significant', 'mirna ensbtag00000040351', 'trait jinghai yellow', 'protein mupp1 protein', 'weight qtl significant', 'collected august', 'genotype follows aa', '43 phenotypic', 'map narrow region', 'univariate analysis confirmed', 'approach paternal', 'model based genomic', 'f2 intercross', 'snp 23', 'annotation gene mb', 'distinct fraction ratio', 'nellore female total', 'ppara asxl3 bta', 'uncover understand portion', 'metabolism study provides', 'ssc15 ssc16', 'confirmed qtls', 'study gwas 600', '321 holstein', 'ssgwas animal', 'environmental interaction', 'identification molecular', 'sign disease subjected', 'dog orthologous', 'specific shared', 'basis whirling', 'marker detect quantitative', 'effect calving', 'haplotype trait', 'association study statistical', 'profiler bovine', '627aa described pvuii', 'microtia sheep total', 'lie near gene', 'accounted 11 45', 'test model', 'main candidate horn', 'pycr1 alg12 cyp17a1', 'elucidating underlying', 'additional marker region', 'study order narrow', 'week age probably', 'bovine lactoferrin', 'frequency 26', 'study mapped', 'result contribute knowledge', 'trait 238', 'unravel harmful genetic', 'dilution different trait', 'precision improve', '20 earlier addition', 'correlation milk chl', '05 direction differed', 'linkage linkage disequilibrium', 'polymorphism neaurp', 'lesion different', 'redness cie ssc6', 'apovldl ii major', 'marker fabp4snp2774c fabp4_μsat3237', 'increased statistical power', 'individual carrying', 'insight complex gene', 'based physical', 'resource used', 'twh range', 'jb2 450', 'involved multiple', 'analytical approach', 'significant snp significantly', 'confirmation qtl', 'percentage phenotypic', 'previous analysis pedigree', 'model perform genome', 'n301 bw', 'total qtl', 'infection resource population', 'values s26449 random', 'ph sarcomere', 'danish holstein characterize', 'random gene', '001 associated', 'large litter pig', 'sow recording', 'palmitic palmitoleic fatty', '196 sib family', 'derived conformation production', 'fixed segregating', 'representing important functional', 'software revealed 13', 'fecxg fecxgr fecxh', 'indicating marbling', 'trait locus number', 'qtl dependent season', 'measured growth carcass', '021 posterior', 'dysgalactiae staph aureus', 'sample 230', 'analysis goal study', 'locus factor', 'growth chronological', '44 611 sliding', 'male piglet castrated', 'affect newly weaned', 'domestic sheep breed', 'involved cell growth', 'percentage fat yield', 'instron shear force', 'nucb2 mrna expression', 'produced intercrossing large', 'value ebv lp', 'region included trafd1', 'area quantitative trait', 'phenotype ii positive', 'bta6 bft', 'locus impact variation', 'affect behaviour related', '0389 novel', 'bull explored gwas', 'induced dose dependent', 'block 20', 'disease cause painful', 'transcriptional regulation surrounding', 'tested determine', 'afe chromosome', 'significance population confidence', 'laying 26', 'pathogen sarcocystis miescheriana', 'provides robust', 'service required heifer', 'study single step', 'aromatic amino acid', 'mutation nucleotide', 'size majority breed', '62 average', 'region 50', 'stallion method gene', 'gwass population detected', 'dressing percentage association', 'interval sw2456', 'dermal hyperpigmentation phenotype', 'autosome spanning 1987', 'cost involved', 'progeny pedigree', '56 22 61', 'association phenotypic', 'rf gblup method', 'assigned ccr2', '18 24 month', 'involved placental', 'mammalian genome', 'genomics approach identified', 'refined critical', 'characteristic environmental adaptability', 'lgb2 gene', 'locus kit gene', 'identified dna pool', 'used association', 'ensbtag00000037306 ensbtag00000040351 prkdc', 'analysis fat area', '12th 15th', 'considered maternal offspring', 'gene bta19 ccl2', 'iap selected candidate', 'level respectively addition', 'polymorphism influencing lipid', 'sow indicating', '02 region', 'heavier 05', 'chromosome substantial effect', 'tuberculosis btb present', 'breed genome', 'litter highly viable', 'cattle dna', 'shown powerful canine', 'cattle population single', 'immune defence', 'ph color qingyu', 'remains elusive pig', 'docosapentaenoic acid', 'provides step deeper', 'daughter 17 son', 'variant calling affected', 'genotyped 50', '94 observed association', 'axis phenotype', '114 cm', 'measure improvement targeted', 'qtls body', 'utr porcine', 'activity animal', 'c14 fat', 'fore udder', 'dna pooling sdp', 'mutated site utr', 'commercial packing', 'case group reduced', '001 relative transcription', 'evidence showing ucp3', 'post infection 05', 'horse caused hypersensitivity', 'milk effect single', 'ra type iia', 'limited case', 'imf breeding', 'aim identify characterize', 'animal genotyped fasn', 'based single snp', 'le genetic', 'haplotype somatic', 'obtained liver mrna', 'fa component fasn', 'mammal objective present', 'rib backfat 19', 'start end pcvd', 'lipoprotein ldl', 'secondary effect', 'trait qtl improved', 'according predicted transmitting', 'genotype determined', 'improve detection', 'crossing charolais', 'rich protein', 'role regulating semen', 'based software used', 'genetic mechanism especially', 'score backfat', 'evidenced qtl', 'trait related body', 'significant lower value', 'segment bovine', 'test statistic dik2862', '23 25', 'adck4 plod1 dlx1', 'bta9 bta16', 'dataset consists older', 'poultry breeding', 'significant association genotype', 'discrepancy method partially', 'target selection domestication', 'used exploit correlation', 'variance family', 'mixed model genetic', 'sw1037 sw1953', 'gene stood potential', 'selective breeding program', 'subclass significant', 'mapping approach contrast', '27 qtl cd4', 'detected ssc6 13', '12 present study', 'myc proto', 'landrace family', 'fi2 respectively cab39l', 'balanced frequency holstein', 'trait ssc10', 'scan qtls displayed', 'addition suggestive', 'nanyang jiaxian', 'duroc based', 'evaluated amp activated', 'support involvement', 'genetically unrelated', 'population significance', 'ssc1 conclusion', 'earnings genome', 'including single', 'productivity economy study', 'gene directly', 'duroc chinese', '18321523 medial suspensory', 'population characterized bacterial', 'repeat locus sheep', 'signal transduction', 'detected ssc result', 'fitting qtl chromosome', 'number igm cell', 'score marker', 'retained placenta revealed', 'log transformed serum', 'fetlock hock oc', 'quality benefit use', 'resistance buffalo cattle', 'study demonstrate association', '43 opposite homozygote', 'beef producer', 'stillp born', '16 87 total', 'prrs genetic', 'effect haplotype cwt', 'muscle 17 001', 'effect igf2', 'receptor avpr1a', 'study using different', 'explained genomic variation', 'genome sequencing genotyping', 'required calving', 'divergent il8', 'body weight 70', 'identify silico', 'trait birth', 'breed polish primitive', 'marker covariate qtl', 'possibility using', 'acid c12 0001', 'posterior qtl probability', 'scoring lung', 'chromosome oar2', 'mating vs non', 'result hepatic', 'significant effect average', 'improve accuracy increased', 'range effect metabolism', 'genome integrated', 'bco2 affect serum', 'composition confirmed experiment', '233a significantly', 'according current sequence', 'fubp3 myosin', 'total 681 churra', 'tasting flavor metabolic', 'marker phenotype gradient', 'mutation originally', 'avfec avfec', '01 breed represented', '30 32 day', '5239c 5240a 5305c', 'study suggested', '12 25 trait', '42 61', 'set significance', 'proportion 99 snp', 'nutritional manufacturing', 'described associated various', 'analysis performed result', 'chromosome new', 'ontology associated', 'parity allele', 'lactoferrin chinese', 'large outbred', '5678784a middle', 'suggests qtl interaction', 'pleiotropic qtl affecting', 'kndc1 tfn kndc1', '200 genotype', 'showed overtransmission', 'supported result single', 'imf reconfirmed high', 'production udder health', 'trajectory characterized', 'kinase kit bta22', 'harbored 26', 'analysis moderately correlated', 'family csn1s1', 'chromosome eca', 'divergent line founder', 'industry trait', 'component approach difference', 'oc horse using', 'chromosome oar6 associated', 'disease considerable', 'including region oar18', 'distinct qtl', 'affecting rate', 'allele expected increase', 'basis domestication improvement', 'factor negatively affect', '27 18 genetic', 'bovine genome significantly', 'commercial finisher', 'different location australia', 'lacombe alberta', 'affected ham', 'result using combination', 'power detect qtl', 'study aimed understanding', 'content lrp12 1101a', 'capacity serum', 'underlying growth', 'weight modeled fixed', 'promoter higher', 'fat concluded snp', '0040 haplotype', 'containing mono', 'myod1 meaningful', 'performed determine biomechanical', 'validation required implementation', 'genetic effect coat', 'steroid large proportion', 'intercross illumina porcinesnp60k', 'aa significantly changed', 'detected region tissue', 'positional cloning causal', 'line previously identified', 'gene direct', 'md susceptibility', 'population 819', 'influence ph24h study', '13 18 compared', 'position 41 cm', 'val met substitution', 'gene transition', 'strain performed', 'tended decrease', 'using multiple', 'appears useful reduce', 'line descent approach', 'hypersensitivity reaction inhaled', 'comparing analysis', 'length ul uterine', '95 detected chromosomal', 'study identified tmem154', 'replication dlgap1', 'affecting heifer reproduction', 'lipase lpl', 'numerous porcine', 'control total 485', 'findhap software significance', 'revealed fabp4 fabp5', 'influence number lumbar', 'concentration response stress', 'gene neuropeptides', 'small effect locus', 'efficiency measured', 'useful reference similar', 'oligodendrocyte transcription factor', '57 putative snp', 'ssc 10 12', '13 16 19', 'associated adult height', 'g4533675c 110c', 'detect locus involved', 'hunting opposes sexual', 'reduce milk', 'yield 11 σ2p', 'family taken', 'opportunity marker assisted', 'result hand', 'riok2 lix1 lnpep', 'properly weaned piglet', 'classified functional', 'total 25 29', 'trait study ldl2', 'german coldblood sgc', 'various public domain', 'tolerance rs41748405 bta15', 'used heritability', 'expression pattern affecting', 'demonstrate time linkage', 'cross strain hariana', 'followed fine', 'size accurate', '16 035 animal', 'explain reduced fertilization', 'sheep flock jordan', 'record 806 f2', 'affect power test', '10 calving', 'acting regulation', 'analyzing milk', 'cm used', 'lg genbank', 'marker bta14', 'methodology detecting', 'analysis gtf2a1 clspn', 'determined 258 ewe', 'ejaculation duration', 'contributes large', 'weaning weaning yearling', 'mutant allele increased', 'manchegas demonstrated', 'background currently pastoral', 'correlation study', 'level result step', 'influenced genetic nongenetic', 'colour qtl chromosome', 'gain 20', 'increase frequency deleterious', 'understanding genetics', 'foot angle chromosome', '88e 05', 'ndv strain', 'div2 swine', 'region order', 'region predicted involved', 'loin smallest value', 'feasible alternative objective', 'pccb pmm2 tbc1d24', 'c179g g186t', 'daughter production limited', 'result different assumed', 'covering total 730', 'pig known new', 'chicken chest', 'inference tool', 'significant conclusion concerning', 'forest analysis', 'mastitis lie near', 'qtl hypothesis', 'population soay', 'size mass bonferroni', 'reproductive efficiency rapidly', 'western commercial breed', 'search functional', 'illustrate minor evidence', 'deposition chicken', '9367 pmga 69', 'weight observed commercial', 'fat protein water', '296 54', 'ability dissect complex', 'lipid metabolism specie', 'plasma glucagon insulin', 'efficiency used', 'sequence target', 'chicken population foundation', 'experimental verification sequencing', 'muscle fiber number', 'virulent european prrsv', 'churra dairy sheep', 'carried div2 population', 'jer second', '5678784a snp significantly', 'considered novel largely', 'snp satisfying', 'state ayrshire', 'pcr expression level', 'f2 hen produced', 'performed using 50', 'typical inflammatory disease', 'gain birth weaning', 'myf5 snp considered', 'micrornas abundant class', 'process remains unknown', 'transmitting ability pta', 'set analysis revealed', 'analysis used gene', 'significantly correlated gestation', 'snp explained 14', 'using bayesc model', 'variant affect behaviour', 'interval bm2830', 'chromosome ssc5 previous', 'seven exon respectively', 'snp chicken body', 'according snp', 'carefully phenotyped unrelated', 'ocd south', 'trait native chinese', 'skin causal', 'pig chromosome 14', 'panel total 35', 'gh1 rs109136815', 'loss instrumental', 'pig study provided', 'observed large 50', 'wing feather', 'daughter design genome', 'manner vaccination', 'receptor identified snp', 'neurl1 bta26', 'ssc2 16', 'effect ists defect', '533 224deltcgtcttc eca3', 'prolific ewe control', 'charolais gelbvieh', 'snp assigned', 'identified region bta2', 'strong effect ph24h', 'suggesting specific', 'production reflecting mothering', 'skeletal problem', 'based result tailed', 'increase incidence fault', 'jinhua pig european', 'fecx fecx olkuska', 'sd cv fiber', 'mutation named', '29 34 snp', 'static qtl developmental', 'versus case', 'included following fo', 'decompose genetic effect', 'region ank1', 'chromosomal area', 'qtl bw bone', 'adipogenesis hematopoiesis osteogenesis', 'exploratory behaviour promote', 'marker great', 'extent utt', 'proximity sequence', 'variance strong', 'downstream s0008 genes', 'production trait conditional', '18 fp', 'population ppargc1a associated', 'previously identified qtl', 'study used channel', 'physiological role positional', '135 f2 animal', 'content pic', 'identified encoding', 'explained cumulative effect', 'gwa analysis identify', 'trait help', 'beef heifer', 'previous reported quantitative', 'weight 13', '170 snp evaluated', 'good genotype', 'diplotype highest', 'improving quality pork', 'indicates meat', 'study enables', 'ld correlation marker', 'nelore bos', 'demand beef industry', 'gene including functional', '502 cm gga1', 'qtl esc disease', 'cattle signal transducer', 'protein 32 fbxo32', 'analyzed association androstenone', 'btau1 affected milk', 'association analysis identify', 'spread blv japanese', '05 bw70 05', 'cattle motivated pinpointing', 'respectively gg', 'causal mutation polyceraty', 'association strategy', 'tep lean fat', 'region affecting trait', 'sw1201 chromosome sw322', 'growth production related', 'hdl hdl', 'selected good', 'cloning sequencing result', 'based study ram', 'effect environment', 'fitted using genabel', 'presence metastasis', 'red qinchuan', 'demonstrate power', 'structure associated', 'yorkshire using illumina', 'deposition 10 13', 'resulted disappearance carcass', 'marker employed dna', 'milk record', 'sire region segregating', 'site candidate gene', 'critical component', 'holstein bull population', 'biological clinical model', '05 linoleic', 'linkage map incorporating', 'erhualian intercross genome', 'klh detected chicken', 'respectively 17 snp', 'chromosome 20 polygenic', 'analysis gc mrna', 'fat area fat', 'population molecular basis', 'physiological trait', 'process tightly', 'phenotypic extreme tolerance', 'af allowed refine', 'serum lipid concentration', 'effect imf breeding', 'novel snp identified', 'sw607 chromosome 05', 'syndrome caused mutation', 'technique using', 'sow longevity', 'moving window', 'analysis gwas depends', 'map position qtls', 'italian simmental 20', 'different domesticated', 'smallest pew pbm', 'mir 1658 polymorphism', 'included 964 sheep', 'autosome used genome', 'mouse indicates common', 'initially sick cow', 'marker mapped', '224 putative target', 'snp 1457 conversely', 'size trait qinchuan', 'hydroxysteroid dehydrogenases interconvert', 'recognizable psti restriction', 'result provide preliminary', 'total 826 individual', 'characterization snp inheritance', 'molecular mechanism regulating', 'locus genome wise', 'cannon bone circumference', 'result compared meta', 'method empirical critical', 'breed yorkshire', 'scan 10 family', 'set contained 52', 'qtls oar19 23', 'size place', 'gene close genetic', '90 excluded', 'relationship cnvs rao', 'born alive birth', 'affecting sc exhibited', 'conditional single nucleotide', 'combination classified small', 'ii positive reactor', 'finding gwas particularly', 'required horse achieve', 'united state meat', 'encoding ncapg', 'combination different', 'larger bw70', 'total number piglet', 'quantify milk riboflavin', '054 putative', '116 187 28', 'microsatellites new qtl', 'confirmed single', 'mastitis german holstein', 'fatty acid long', 'sm respectively', 'exon bovine', 'gene investigated single', 'slco1b3 tbg', 'identified region', '44 78', 'qtl cattle', 'trait enrichment', 'detected combined', 'haplotype differing site', 'family confirmed porcine', 'known multi', 'gene region related', '837 geographically diverse', 'prediction best', 'structural protein assessment', 'position effect', 'rfi2 implying existence', 'approached significant association', 'cattle lack', 'involved pathogenesis equine', 'efficiency offspring', 'www vetsci', 'detected simple', 'overlapped chromosome', '30 fat', 'associated snp oar3', 'individual 15', 'meat cooking', 'horse objective study', 'statistical interaction', 'locus dominance effect', 'slc37a1 ankh', 'combined multivariate model', 'gga4 gga7', 'genotype significant difference', 'day 48', 'canchim tropically', 'serum viremia weight', 'used study share', 'weight previously mapped', 'evaluation detrimentally', 'associated ssc2', 'ewe ability', 'weight feed', 'sire number', '17 genetic variant', 'power quantitative', 'strong selection', 'previously published', 'record adjusted main', 'sets suggesting pleiotropic', 'marbling 001', '27 54 genome', 'genotype 311a locus', 'cohort heavy pig', 'showed differential', 'target network associated', 'inclusion detailed', 'significantly associated trait', 'afp shank', 'average curve', 'hanwoo method data', 'gene important role', 'corrected sc phenotype', 'retinol binding protein', 'influenced environmental', 'position major', 'familial disciplinal typical', 'different type tenderometer', 'cardiovascular disease', 'genetic map good', 'breed asia', 'lactation ii test', 'melting point', 'sire related generation', 'stillbirth qtl', 'lrrn6d map qtl', 'significant level respectively', 'signal overlapped earlier', 'approach test', 'frequent metabolic disease', 'hsp90aa1 positional', 'performed bos', 'marker associated host', 'production unfavourably genetically', 'identified 63', 'interval associated locus', 'polymorphism exon 10', 'resistance generally appeared', 'condition genetic', 'lepr polymorphism fatness', 'protein involved', 'reported harbor', 'cc dc', 'recombinant culicoides', 'ssc15 distinct prkag3', 'diplotypes haplotype', 'day 35 palpation', 'nonsignificant marker defined', 'weight positively', 'osteochondrosis parathyroid', '17 mb bta26', 'human bd', 'like metabolic', 'susceptibility ketosis 083', 'cattle economically relevant', 'region constructed', 'data indicate', 'world trait', 'bta 29 weight', 'known 48', 'lamb low heritability', 'region associated entropion', 'bta2 10', 'gene ubiquitin specific', 'form apical', 'increasing aging chinese', 'trait f2 sutai', 'related trait compared', 'map variant', 'marbling local population', 'average 20', 'au cgi bin', 'ii conduct single', 'tissue component muscle', 'prl lg csn3', 'trait considered spl', 'identifying new region', 'posterior quantitative', 'detect infection', 'marker bta6', '27 trait regarding', 'edn3 considered candidate', 'evolutionarily conserved', 'locus qtl pleiotropic', 'case data', 'ldla identified', '17 utr', 'cheese making', 'cm affected', 'navicular bone genome', 'reactivity 20', 'mutation reliable', 'ovinesnp50 beadchip identified', 'animal determine', 'ph shared', 'analysis based different', 'composition characteristic meat', 'c18 c14 epistatic', '1591t g4533815a', 'reported sheep', 'novel quantitative', 'backfat ebv cattle', 'linked snp associated', 'functional domain analysis', 'including data', 'revealed additional snp', 'showed mc4r taqi', 'technique total 21', 'mapped bovine chromosome', 'segregated snp intron', 'behavioral trait', 'analysis 14 family', 'f0 70 f1', 'sheep important', 'breed exhibit', 'segregation mutation named', 'directly related keratin', 'promoter activity 16', 'antigen culicoides', 'growth trait implying', 'trichostrongylus colubriformis primary', 'commercial sow population', 'qtl identified genome', 'highly significant 001', 'change skeletal frame', 'polymorphism 361 duroc', 'kilda proof', 'fcr candidate gene', 'absolute distance', 'cattle 158 associated', 'conclusively linked', 'conclusion result demonstrated', 'erythrocyte antigen', 'associated bwt', 'snp thought', 'overlapped region harbored', 'cohort use selection', 'validated large', 'lower dh compared', 'previous result qtl', 'bone mineral density', 'significant pathway', 'compared reported', 'protein axin1', 'molecular trait', 'farrowing bf', 'qtl equine osteochondrosis', 'ssc7 ssc9 ssc10', 'lasso algorithm developed', 'matrix hair follicle', 'accuracy close', 'biological process', 'representing qtl previously', 'linear unbiased prediction', 'continued progress selecting', 'study reveals cryptic', 'diarrhea retarded', 'region genotyped', 'genome initially', 'analysis usually higher', 'analysis multi trait', 'group covering approximately', 'marker associated clinical', 'quantitative effect', 'difference cbs protein', 'bovine population confirm', 'longevity utilized custom', 'result indicated haplotype', '79 greater predicted', 'pathway enrichment revealed', 'regulating gene', 'factor number individual', 'genetic network', 'predicted gene interaction', 'especially holstein population', 'weighted gwas feed', 'fatty acid polyunsaturated', 'assigned cluster pair', '24 25 26', '12 corresponded previously', '05 pertaining', 'genetic map channel', 'novel potential', 'identified arm close', 'multiple snp effect', 'location significant porcine', 'intron igf2', 'discovery validation', 'brahman tropical', 'chromosome study provides', '01 84', 'skin thickness finding', 'gene transcription activity', 'dominant trait genetic', 'list interesting', 'mu musculus genome', 'differing mendelian', 'hybridisation liver rna', 'type mmtv integration', 'nucleotide 48699 myocyte', 'ssc3 13 single', 'structure associated insulin', 'composition japanese', 'slaughter used', 'analyzed sa', 'study inform', 'chromosome leucocyte trait', 'vartnb significant', 'cd14 fut1 fyb', 'population measured', 'studied fatty', 'tv splice variant', 'locus detected improved', 'snp fdr 05', 'disease dynamic method', 'duroc lw', 'family totaling', 'population consisting 301', 'yorkshire breed used', '6n non carrier', 'interaction qtl resource', 'meat productivity', 'qtlexpress confirmed genome', 'tumour formation partially', 'conducted extract', 'associated regulation metabolic', 'a1060g t1151g', 'weight ham muscle', 'pleiotropic effect trait', 'located 12', 'region affecting milk', 'luh measured analyzed', 'change primary', 'reproduction production trait', 'muscle pectoralis', 'productive reproductive', 'ripk2 snp bovine', 'ttn 16', '17 based 50', 'effect included fixed', 'regulating cellular', 'state pig day', 'obtained different', 'associated milk cmp', 'vitro assay', 'wise genome wise', 'data linkage disequilibrium', 'method aquaculture population', 'research feather pecking', 'gene structure expression', 'min rongchang songliao', 'site associated vivo', 'potentially far', 'germany breed genetically', 'qtl oleic acid', 'early sexual', 'existence additional roan', 'dairy cattle described', 'problem dairy cattle', 'tolerance faecal', 'october immunoglobulin iga', 'day 120 day', 'rate pig finding', 'region associated map', 'involved conformation', 'hanwoo linkage', 'fat performance', 'susceptible 02 03', 'horse aim study', 'methodology incorporation', 'fat meat accretion', 'c3 play', 'exclusively pasture', 'polled animal carrying', '30 10', 'phenotypic effect', '990 01 pig', 'landrace intercross', 'cm approximately', 'negative parity', 'content italian brown', 'experimental procedure', 'affected fetlock oc', 'generally associated', 'qtl estimated correlation', 'tested qtl', 'marker chromosome 11', 'fatty acid exception', 'veterinary financial', 'progression severity', 'weinberg equilibrium undergoing', 'likelihood procedure mixed', 'improvement fatty', 'growth carcass phenotype', 'qtl 10th rib', 'remaining 11 qtls', 'distinct role specific', 'evaluated association trait', 'dam used', 'japan analyzed', 'ovine bovine', 'detect association ssr', 'pathogen edwardsiella ictaluri', 'imf bfw', 'qtl causing effect', 'used reevaluate', 'effect multiple linked', 'egg count data', 'ssc result', 'associated mo explained', 'presence favorable', 'understand physiological process', 'cattle consist 5025', 'generated ripk2', 'meat fasn 301', 'polymorphism growth rate', 'yield protein', 'components based', 'calpain proteolysis assessment', 'background total 240', '36 result', 'structure performed variance', 'carcass length shoulder', 'snp selected using', 'used anchor orthologous', 'tibia length weight', 'related modification stress', 'oleic acid suggested', 'weight breeding', 'qtl used fine', 'confirmed use cast', 'growth trait 28', 'man2b2 discovered', 'model 20', 'qtl eca4 10', 'acth stimulated adrenal', 'random genomic', 'trait revealed extra', 'used construct birth', 'average daily weight', 'control strategy increase', 'previously classified reproduction', 'measure 021', 'used included', 'industry significant', 'genetic variance window', '23 standard', 'value 000031 combined', '160 animal', 'factor negatively', 'food chain', 'component effect single', 'egg layer bird', 'finish pig snp', 'line layer line', 'procedure pedigree relationship', 'rn teat', 'skeletal muscle kidney', 'breeding value gebvs', 'lean line', 'age significant haplotype', 'important trait particularly', 'ssc12 significant', 'identified study new', 'vitro conclusion', 'series lack', 'haplotype tggaca cagaca', 'data method 141', 'microsatellite marker ovine', 'distribution width near', 'content oleic acid', 'study perfectly correspond', 'content ppn0 924', 'potassium voltage', 'constructed used', 'snp allele reached', 'known total 42', 'receives paternal', 'production addition', 'significant allelic substitution', 'density respectively', 'white yellow', 'greatly benefit marker', 'performed 555', 'measure tolerance', 'located near candidate', 'snp bta linkage', 'significant correction', 'chinese native jinhua', 'weight afw breast', 'association abundance scd', 'identified tibia trait', 'allele frequency variant', 'trait using transcriptome', 'age puberty qtlexpress', 'dgat1 newly', 'draught horse absent', 'identified belclare cambridge', 'lower shear', 'selection enlarged', 'pattern allow differentiation', '81 gene specific', '874g effect', 'performance progeny tested', 'overlapped method', 'marker panel 54', 'performed using seven', '6723aa genotype', 'peak 42 63', 'assisted breeding', 'calf dam breed', 'identified intercross', 'subscapular skin fold', 'associated porcine', 'block separated', 'parasitized gastrointestinal', 'qtl region revealed', 'modest proportion overall', 'marker log10 values', 'reason surgical castration', 'reason removal anestrus', 'allele interaction', '16 selected genomic', 'located dach1', 'relatedness matrix correct', '457 snp', 'individual 40 657', 'marker assisted association', 'decreased iii favourable', 'primer result showed', 'establish efficient', 'milk protein gene', 'csfv serum essential', 'specific health', 'analysis female', 'locus qtl based', 'snp encoding', 'trpc4 second', 'enhances 18 18', 'ketosis susceptibility immune', 'haplotype spanned chromosomal', 'level marker', 'segregating charollais', 'snp located close', 'backfat ebv comparison', 'exclusive maternal expression', 'qtl contrast', 'force horse selection', '6744 cow', 'ancestral allele association', 'pig according response', 'genomic structural', 'used commercial half', 'kinase pathway', '15 total phenotypic', 'unbiased predictor multiple', 'phosphorus concentration', 'relationship known 50k', 'marker ebvp investigated', 'spindlin vascular', 'total 105 qtls', 'respectively 21', '107 113', 'bta linkage', 'crested head', 'level skatole measured', 'used identification snp', 'created according', 'δ2 response', 'sb yearling', 'originating french danish', 'approach offered', 'gene involved heredity', 'exploit dissect', 'effect increasing', '12 15 27', '01 peak 110', 'composition trait protein', 'score measured 40', 'spanned 382 cm', 'genotyped using bovinesnp50', 'problem human', 'breed breeding organization', 'nelore cattle using', 'homeostasis reproduction location', 'qtl chromosome region', 'snp showing', 'result suggest portion', '36 61', 'health region consistent', 'mean imf individual', 'prnp reported modulate', 'roasted silverside joint', 'day record', 'experimental population segregation', 'expression result study', '000 777 snp', 'direct effect dam', 'pc able overall', 'chest croup', 'skatole indole snp', '18 harbor', 'identify tissue specific', 'binding protein fabp4', 'conventional reproduction', 'new light', 'worm sex', 'visualization software', 'finisher cross main', 'major challenge beef', 'percentage erhualian pig', 'mb porcine qtl', 'megabase pair mbp', 'identified growing', 'genetic improvement livestock', 'production measure', 'particularly non', 'detection pleiotropic qtl', 'ewe lamb', 'pool unrelated', 'aspartic acid asparagine', 'clone rm1', 'f2 gilt', 'juiciness oiliness umami', 'population window', 'ether extraction', 'related trait dairy', 'designation origin dry', 'relevant literature functional', 'rs80912566 ifc result', 'fit logistic regression', 'uk trait linearly', 'improved accuracy prediction', 'determinant feed efficiency', 'family detected', 'cattle bovine bco2', 'rate heterozygote', 'hpaii site detected', 'causal mutation identified', '26 chromosome', 'stallion offspring genome', 'effect onset sexual', 'event associated degenerative', 'half siblings', '28 mm respectively', 'xirp2 involved', 'effect level', 'novel robust method', 'initiation inflammatory subsequent', 'host including domestic', 'family association marker', 'appropriate phenotype', 'mapping rhm result', 'ovinesnp50 beadchip f1', 'sequencing analysis', 'architecture longitudinal', 'cattle genetic difference', 'obstruction rao heaves', 'c18 105 snp', 'sex linked little', 'ndv heat stress', 'conclusion pirm', 'loin weight shearforce', 'nucleotide polymorphism', 'qtl nominal 10', 'record using', 'muscle density tissue', 'prolactin signaling pathway', 'structure analysis', 'highest significant association', 'desired level white', 'resistance mapped genome', 'kg day located', 'pigment breed', 'synthetic trait', 'australia temperament flock', 'objective study threefold', 'career earnings', 'average interval', 'macrophage result', 'en selection', 'potential single nucleotide', 'suggesting genetic variation', 'terminal domain gr', 'use united kingdom', 'qtl respiratory disease', 'cm position overlapped', 'assisted selection gene', 'ewe analysed following', 'bos taurus', 'higher level sox5', 'applied order', 'threshold putative qtl', 'role subcellular', 'protein cholesterol hdl', 'weaning grazing', 'variant associated trait', 'infected miescheriana', 'gc npffr2 crim1', 'application modified', 't354c g392a a430g', 'commercial tissue', 'dairy sheep total', 'measured spectrophotometer', 'analysis tcf21 gene', 'equivalent qtl', 'pce positive', 'open broad avenue', 'erhualian intercross non', 'cm providing crucial', 'locus gga24', 'performed genome wide', 'region 33', 'chromosome 13 associated', 'detected furthermore genomic', 'g186t offer', 'pig identified generation', 'concordance test qtl', 'weight identified', 'production export', 'es albumen', 'increased ewe', 'newly developed microsatellites', 'additive effect 20', 'klf15 gene', 'calculation accompanying population', 'limited availability phenotypic', 'linear model based', 'runt domain', 'female pleiotropic role', 'mirnas group', 'lower value', 'interconvert weak steroid', 'distributed differently calm', 'mainly associated', 'son total 356', 'agonist nle⁴ phe⁷', '31 polymorphism identified', 'feature sex', 'factor ii', 'used conduct multipoint', 'eca 10 15', 'used subsequent analysis', 'insight number', 'present study designed', 'maturation variety', '12 cm', 'lw 15', 'presence ssc6 qtl', 'gene tended effect', '90 monounsaturated', 'activity function', 'gland action', 'production immune disease', 'sequencing seven single', 'conformation carcass fatness', 'understood study performed', 'pcv statistic significant', 'displaying extreme', 'significant region ldla', 'substitution effect genomic', 'percentage 47', 'branched chain fatty', 'f2 982', 'fitted overall qtl', '10 30 gilt', 'taint problem identified', 'vertnin vrtn gene', '16 respectively', 'approach result single', 'conclusion hmga2', '13 vf2 near', 'muc4 high', 'study revealed statistic', 'identification phenotypic manifestation', 'result loki demonstrated', 'breed located', 'snp phenotype single', 'functional genomic', 'mechanism underlying earlobe', 'refractory mutation', 'component analysis known', 'meat ph phenotypic', 'regulation lipid metabolic', 'role regulating chicken', 'qtl chromosomewise', 'pcr qrt pcr', 'lamb scored', 'extent founder', 'association birth weight', 'addition strong candidate', 'eliminated population infertility', 'reported important regulator', 'reported associated fat', '0010629 value 2x10', 'selection operating snp', 'mb ssc14', 'indigenous chicken arian', 'lpar6 cab39l', 'respectively conclusion cortisol', 'family bh', 'postmortem marbling recorded', 'correlation gr expression', 'ex fabp genetic', 'study laid foundation', 'criticized risk', 'expressed percentage', 'gene crucial role', 'abcc10 pla2g7', 'located 171 kb', 'represents key factor', 'gene mapped 426', 'pain lameness', 'analysis revealed porcine', 'chromosome birth', 'objective association', 'reported associated growth', 'lepr gene', 'needed datasets analysed', 'polish native chicken', 'cattle conducted', 'snp 36', 'conclusion gene expression', 'dgat1 explained', 'racing success exploration', 'ssc6 spw 106', 'investigation causative', '457 46', 'gene cspp1 fcer1g', 'broiler female', 'hormone series chemical', 'order identify locus', 'mbp highly associated', 'bw55 marker', 'generation outbred', 'trait detected pig', 'mapped major', 'efficiency blup selection', 'important trait', 'conclusion candidate qtl', '75 mb explained', 'biochemical aspect', 'role fatty', 'egg quality egg', 'lower 15 animal', 'transformed bacterial count', 'horse marker', 'ch 16 794', 'ang body depth', 'body weight measured', 'brown swiss cow', 'affecting palatability', 'model bonferroni correction', '38 microsatellite marker', 'association detected family', '16 25 633', 'pathway affected', 'detected growth', 'act molecular', 'using poisson', 'existence common mechanism', '139 pig', '000 teladorsagia circumcincta', 'cattle affected mastitis', 'pelvic breadth week', 'material increase fecundity', 'population excluded causal', 'animal growth', '76 05 71', 'ecotypes regional population', 'polymorphic sire', 'carry phenotype', 'potential use', 'snp end', 'interaction result study', 'segregation af', 'validate qtl', 'use appropriate phenotype', 'large animal welfare', 'quality trait tightly', 'eu increasing need', 'haplotype il8 h2', 'white data', 'higher aa vaccinating', 'best known', '424 single nucleotide', 'response specific time', '1956 respectively', 'human cutaneous melanoma', 'studied multivariate technique', 'showing cis acting', 'reproduction technique indicate', 'genotype 597 144', 'lr afe', 'qtl 01', 'poly polymerase', 'quadratic term', 'wnt10b differentially', '271 animal new', 'site mutation 134', 'oxidative phosphorylation', 'improve knowledge genetic', 'lamb single month', 'snp exon mucin', 'iteration based significance', 'hypothesising underlying', 'showed high association', 'single experiment analysis', '14 sigma', 'estimate multiple', 'glm provided', 'test 01', 'total 26 47', 'wide significant single', 'small generally', 'data consisted 285', 'gwas performed investigate', 'microsatellite marker representing', 'content ld freezing', 'polygenic effect region', 'introduction bmd', 'postulated increased leanness', 'association desired', 'genotype strong signal', 'overcome experimental', 'respectively bayesian', 'production fat protein', 'melanin pigmentation previous', 'performed 660 animal', '1151 holstein friesian', 'population involving founder', 'gene gnas domain', 'economic loss pig', 'propagation salmonella', 'genetic merit linkage', 'group single nucleotide', 'affect ph24h', 'progression clinical', 'including drip', 'fall 2007', 'rjf allele rjf', 'program improve', 'breed slower commercial', 'gw identified', 'population level relevant', 'chromosome collected generation', 'effect allelic', 'eggshell deformation breaking', 'qtl controlling leucocyte', 'set ongoing cow', 'result shed', 'genetic variation coopworth', 'gas influenced', 'large fraction', 'mainly associated medium', 'window 20 consecutive', 'adck4 plod1', 'reached chromosome', 'generation quarter meishan', 'marker combined analysis', 'quality chromosome 14', 'suggests nonsynonymous', 'gdf9 exon2 detected', 'lea confidence interval', 'approach identify locus', 'nf κb', 'contrasting infected', 'seven snp coding', 'snp gwas contrast', 'boar meishan genetic', 'genetically improved', 'linkage disequilibrium position', 'single nucleotide indels', 'dgat1 tg gene', 'associated osteochondrosis', 'function term', 'useful maker qtl', 'confirmed vitro', 'evidence npc1', 'taint performed', 'study clearly indicated', 'prl gene interfere', 'yield qtl', 'ew time', 'including 30 380', 'bovinesnp50 beadchip 911', 'respectively cannon circumstance', 'integration site', 'resource population fattening', 'mastitis spink5', 'parity cm3 qtl', 'genotype 17507a', 'resistance majority', 'genotype longissimus dorsi', 'eca18 developed', 'poorly developed', 'locus qtl scrapie', 'suggests controlled', 'feed efficiency performance', 'susceptibility indicate', 'association analysis helpful', 'medical complaint', 'university broiler line', 'ch lm', 'evaluate extent', 'horn type inheritance', 'closely located casein', 'control 319', 'weight passive', 'multicellular organism', 'potential gain using', 'concentration wk', 'thickness est eggshell', 'ph ph decline', 'control prevention critical', 'kcnh7 cdc42bpa kcnip4', 'hook hmga1 melanocortin', 'used investigate', 'compared previous qtl', 'sow number', 'approach developed build', 'identify impact', 'fi feed efficiency', 'count distribution genotyped', 'horse relevance', 'lp given', 'cacna2d1 gene sahiwal', 'fetus higher', 'worldwide pig', '97 goat', 'ref data set', 'effect used', 'qtl ssc11 qtl', 'parent derived founder', 'breed purpose', 'mutation research required', 'aim maintaining fat', 'cmya1 closely linked', 'protein level', 'analysis record', 'intragenic snp blasted', 'correlation previous', 'involved calcium metabolism', 'promotes efficiency improving', 'related high', 'magnitude direction', 'imprinting contrasting', 'biological network', 'mediated antigen', 'significant snp 44', '565 68', 'respectively associated greater', 'yield meat quality', 'crossing region', '356 microsatellites', 'california santa cruz', 'wide significance bone', 'dpi wg42 viral', 'cm ssc7', 'daughter 78 sire', 'sib family disease', 'deserve exploration', 'rs13997812 ucp3', '21 confirmed', 'model previously introduced', 'compared aa gg', 'bull fertility additional', 'longitudinal ew', 'trait nominal', 'effect faecal', 'high mhc', 'igga ige', 'sd associated snp', 'splicing mechanism', 'lactation milk', 'pure huiyang', 'region 125', 'analysis allele substitution', 'similar 11', 'meishan superior', 'qtl scan various', 'rate observed 10', 'trace cnv', 'given gain observed', 'chicken using white', 'located ssc region', 'flock united', 'spotted breed', 'research shown mtnr1a', 'kit region', 'meishan allele positive', 'phase lactation convincing', 'induced muscle injury', 'mouse strain conducted', 'swiss large white', 'provide strong support', 'fat line result', 'gene expression quantitative', 'igf2 gene known', 'polymorphism cbg', 'frequency 98535683a btau7', 'impact mutation high', 'sheep similarly', 'accurate phenotype', 'cortisol level snp', 'facilitate gaining knowledge', 'seek qtl', 'panel consisted single', 'parameter parameter obtained', 'region distributed', 'oar3 oar14', '6926a 8646g', 'intake concluded snp', 'rorc gene', 'significant 01 qtl', 'revealed snp showing', 'associated increased 305', 'heart girth exon', 'snp eca3 79', 'built detect quantitative', 'according qtl intensity', 'imnprh212000rad radiation', 'purportedly play important', 'disentangle genetic', 'coding variation', 'snp missense', 'observed cattle afflicted', 'haplotype oppositely correlated', 'association dna', 'kg pig', 'unclear function chicken', 'number significant target', 'routine method parameter', 'qtl ssc1qter number', 'bone disorder broiler', 'glycolytic pathway theoretically', 'result provide evidence', 'snp 16 region', 'trait bves', 'false positive false', 'v4 male specific', 'ram gwas analysis', 'percentage kidney pelvic', 'cw qtl possibly', 'receptor signaling cell', 'genotypic phenotypic data', 'model ranged', 'twh range size', '24 week', 'rgs20 potential causal', 'gene acsm5', 'ctnnal1 1878 locus', 'affecting mastitis strong', 'percentage csfv lysozyme', 'tested discovery', 'exon3 a11471g', 'atgl tg content', 'different lactation', 'linkage analysis placed', '10 affected pp', '24 sm', 'chicken egg type', 'clspn suggested influenced', 'downstream flanking', 'coding sequence porcine', 'multiple independent genome', 'intronic variation 6926a', 'rft marb', 'gene analysis step', 'highest cooking loss', 'association dlk2 gene', 'compared line loss', 'near target bw', 'slaughter animal', 'index population general', 'rw023 showed', 'ahr candidate gene', 'commercial pig population', 'length femoral bone', '003 effect gene', 'fasn ppargc1a', 'identified coincided', 'underlying assumption method', 'based association identified', 'tolerance coefficient', 'variant revealed consistent', 'muscle thigh marker', 'investment mediated mobilization', '18377t significantly', 'post challenge', 'research used marker', '10 strongly associated', 'animal genetic merit', 'snp 832g 919g', 'result result', 'horn given scurred', 'significant benefit statistical', 'region ass', '162 horse', 'longevity increasing number', 'wide analysis', 'white pig breed', 'purebred outbred population', 'metabolic activity process', '47 positional candidate', '28 497', 'lamb appear generate', 'cc significant', 'significant measured', 'measurement qtl analysis', 'ranged 39 72', 'flock association analysis', 'service qtl region', 'cnvrs representing genome', 'association italian', '23 dbwavg', 'cm ssc13 lgw', 'remaining association displayed', 'fa swedish', '1596 genotype', 'gene included', 'snp chip gwa', 'biologically meaningful', 'locus heterozygosity', 'left genome', '81 protein', 'la sapinière', 'considering high imf', 'ige igga', 'body conformation twh', 'p15 7p12 18q12', 'pig earlier identified', 'wide association scan', '20 purebred sire', 'breeding imprinted', 'caretaker anecdote supporting', 'city dali city', 'acid hgd', 'known aim study', 'population novel', 'chicken phenotyped fcr', 'carcass weight cwt', 'region significance', 'bovine primate rodent', 'hybrid mapping', 'npffr2 slc4a4 dck', 'brine salting highly', '170 f2 animal', 'established broiler chicken', '86 10 near', 'growth significant association', 'multiple transcription', 'population characterized', 'hormone affecting', 'improvement enhanced', 'truly multibreed strategy', 'animal welfare law', 'meishan duroc', 'stearic fatty acid', 'molecule responsible pig', 'sow white duroc', 'method f₂', 'member fam73a associated', 'belgian blue', 'gene vital growth', 'phenotype capn1', 'support possible', 'gwas genomic prediction', 'muscle sm glycolytic', 'day 180 210', 'rate tbg', 'contribute final characterization', 'qtl likely position', 'moisture color', 'result 50 qtl', 'located 16 genomic', 'provides useful', 'bl genotype individual', 'interval making difficult', 'inducible factor', 'associated control infection', 'ghr adrb2', 'study line', 'result provide foundation', '45 half', 'apob gene linked', 'effect adg', 'level total 12', 'quality measure', 'suggest nr6a1 strong', 'mixed gastrointestinal parasite', 'size trait experimental', 'selection decrease', 'vimentin support', 'production healthy', 'arrangement granulosa', 'role muscle', 'variation red', 'size western', 'ventricle weight', 'qtl model applied', 'effect underlie variation', 'value milk', 'identified quantitative trait', 'animal subset', 'oar3 showing', 'gh1 rs109136815 ghr', 'period egg weight', 'snp detected sire', 'bm1227 24', 'deviation beneficial mapping', 'rs136947640 rs134340637 rs41919992', 'additive effect gg', 'bovine chromosome 12', 'lda step', 'fw 85', 'hormone production', 'cft set new', 'snp target qtl', 'data 23 norwegian', 'pig purpose study', '17 16', 'adg study described', 'ryr1 tgfb1', 'imf result', 'noncortical bmd endosteal', 'dissecans ocd high', 'ph phenotypic variability', 'increase marbling', 'primary follicle', 'reconfirmed high significance', 'advantage enabling qtl', 'heat stress qtl', 'encoding gene pgf', 'cytological trait pig', 'selecting sexually', 'snp promoter', 'analysis complex', 'member cytochrome', 'understand complex genetic', '17 81', 'snp associated aggression', 'lncrna different', 'haplotype analysis snp', 'sequence variant 11', 'diplotype bmp15 highest', 'defect practice', 'ratio body', 'trait clear study', 'analysis availability restriction', 'trait heritable moderate', 'chromosome 46 snp', 'test 11', 'data combination analysis', 'line puberty', 'polyceraty occur small', 'iib ssc6', 'offspring linear', 'resistance infection', 'cattle using union', 'genomic region involved', 'background saturated fatty', 'background reproductive', 'obesity allele', 'paper marker', 'dominance dominance heterosis', 'family mean sib', 'rump length', 'associated boar taint', 'reproduction including number', 'yield 247 79', 'bw yw smaller', 'chemistry component', 'polledness nelore bos', 'mating blood cholesterol', 'putative function', 'plumage color estimated', 'causality lepr gene', 'bft aa', 'age seven', 'demonstrate association', 'sib pair analysis', 'fertility record analyzed', 'pleiotropic effect detected', 'wisconsin population', 'strong consistent evidence', 'sulphate 17β estradiol', 'causative mutation snp', 'novel molecular breeding', '361 duroc barrow', 'gene orchestra gene', 'pig analyzed', 'region gene pathway', 'f2 population resource', 'program support previous', 'finding different', 'model confirmed position', 'wise 05 threshold', 'rfi f2 population', 'affecting 24 growth', 'lightness redness yellowness', 'bh sire angus', '16 qtls fetlock', 'association detected genotype', 'pig breed previously', 'genetic factor population', 'component direction detection', 'growth rate rgr', 'addition identity', 'qtl identified need', 'behaviour production trait', 'bp myostatin', 'region btb', 'improving trait directly', 'association mean', 'qtl inbred', 'mirna target gene', 'cm 17', 'disease caused md', 'association model included', 'intake unexpected breed', '14 located mb', 'near lei0101 linkage', 'association blood', 'fat content feed', 'showed snp', 'lipid metabolism deserves', 'metaphyseal lod', 'puberty reproductive', 'effect previously reported', 'sd polygenic', 'known function immunity', 'respectively tibetan', 'moderate heritability genomic', 'diameter wool crimp', 'heritabilities ranged 01', 'observed heterozygosity', 'ligase complex fbxo32', 'haemonchus contortus infestation', 'esc resistance', 'regulated 30', 'chosen sire objective', 'using informative', 'individual 32 family', 'understand genetic architecture', 'capn1 snp', 'fertility result suggest', 'selected evaluation study', 'individual study combine', 'mt fewer', 'response region strongest', 'analysis suggested association', 'association assessed', 'bacteria causing diarrhoea', 'csrp3 mrna regulated', 'qtls reported striking', 'bowing tibia twisting', 'associated rfis biological', 'content oleic linoleic', 'identified predicted exon', 'shetland pony', 'comparing polygenic', 'consumer preference profitability', 'beadchip growth carcass', 'snp using univariate', 'fixed population', 'immune response regulated', 'snp based genetic', 'rg 08', 'genotype bovinesnp50', 'applied 105', 'impacted different', 'lysine specific demethylase', 'population phenotyped', 'pgm2 phkg1 dgkz', 'prediction gblup model', 'commonly known pinkeye', '13 14 18', 'gene affect performance', 'il 10ralpha', 'elovl6 533c genotype', 'loss adverse', 'essential gene', 'animal representing', 'skatole lw', 'represent step', 'genome create putative', 'restriction site pcr', 'snp window 11', 'significant effect gender', '28 cb', 'validated qtl proposed', 'statistical significance observed', 'extreme failed', 'qtl compared analysing', 'individually 534', 'catfish 250k single', 'highest association', 'variant chicken chromosome', 'duroc antagonistic', 'breed allele', 'placed irs4', '152 parity gilt', 'given marker', 'important reproductive trait', 'r2 result study', 'time multiple', 'mutation bioactive', 'target bw 550', 'gwass improve', 'study gwas powerful', 'holstein gene', 'additional marker additional', 'near mummified pig', 'skeletal muscle heart', 'zn 49 46', 'normal individual genotyped', 'pp brown', 'sample variant calling', 'understanding genetic regulation', 'objective association selected', 'additional marker extended', 'derived significant snp', 'lp3 olp analysis', 'sperm mapped loc100138021', 'help select semen', 'bovine 50', 'revision cw', 'study 16 milk', 'iia ssc14', 'analysis snp minor', 'mixed model taking', 'width snp located', 'follicle 01 week', 'index mfi statistical', 'classical trait', 'region interval', 'resource population evaluation', 'feather important', 'key member tight', 'boar cross analysed', 'tennessee walking', 'c18 c18 melting', 'bta13 bta14', 'detected snp gene', 'lma percentage', 'created additional hpaii', 'ugdh significantly', 'svs penncnv', 'gene selective', 'gene spp1', 'population 342 lamb', 'set extended 58', 'coloration rectal', 'allele reported', 'carry genome', 'qtl genotype tested', 'eca1 south german', 'danish holstein dh', 'vitro mammary', 'agag h1h3', 'lc model cb', 'sd imf', 'panel gene', 'muc13a muc13b transcript', 'genotype tt snp', 'sixteen snp', 'combined analytical', 'concordance meat quality', 'continually exposed', 'facial eczema fe', 'trait showed negative', 'study far', 'ghrl ghrelin receptor', 'model human multigenic', 'transcript differ length', 'incubated nuclear extract', 'mrna structure', 'great confidence', 'locus trait conclusion', 'little work', 'lepr strong', 'breed widens potential', 'previously obtained', 'received considerable attention', 'regulated genetics', 'selection ma effective', 'lymph node', 'high reduced number', '832g 919g', 'predicted gene', 'longevity postmortem effect', 'knowledge reproductive', 'acid fat', 'chromosome direct', 'level using decr1', 'porcine breeding', 'conducted spanish', 'lra1 mapped 55', 'according affected', '10 thirteen snp', '821 italian', 'small erect', 'available data set', 'data belclare sheep', 'snp ii', 'calpastatin locus', 'ratio 18', 'sheep individual genotype', 'welfare physiological change', 'investigate effect body', 'genetic gain achieved', 'population 14 snp', 'coli challenged', 'low moderate variability', 'polymorphic site identified', 'gene hmga1', 'metabotropic receptor', 'genetic model', 'determined false', 'example detection epistatic', 'number oestrous', 'rate evaluated ovulation', 'study investigate total', 'variance tnb 44', 'snp marker covering', 'trait greatly', 'significant value significant', 'firmness toughness', 'longevity ineffective low', 'transcript japanese', 'approach notably significant', 'carcass conformation measure', 'revealed region', 'trait suggestive genetic', 'million variant evaluated', 'respectively qtl mapping', 'human specie goal', 'qtl 55', 'breed origin haplotype', 'subfamily member', 'relevance detect', 'marker s0073 s0813', 'conservation qtl', 'genetic evaluation strongly', 'low demand trait', 'transduction pathway', 'descendant carrier sire', 'study result potentially', 'feed intake dfi', 'female f₂', 'role energy', 'dyschondroplasia leg', 'observation body weight', 'protein sequence genotype', 'beta synthase', 'level available sample', 'polymorphism associated backfat', 'skatole associated', 'trait considerable economic', 'favorable allele significant', 'sheep flock united', 'confirmed quantitative qualitative', 'considered production reproduction', 'used increase milk', 'genotyped ovine', 'bovine snp50 beadchip', 'result shown', 'chromosomal position multiple', 'lactation cow', 'holstein sire', 'important validate', 'production study', 'reduce time cost', 'significant fat', 'network conclusion', 'lethal haplotype', 'obtain total 10', 'snp variation', 'allelic recessive', 'kg 024 35', 'cm resulting', 'mineral optimal', 'boar commercial duroc', 'affecting group', 'pig usually', 'litter size conducted', 'acid composition previously', 'present 33 03', 'sphingolipid signaling pathway', 'numerous report', 'based quantitative trait', 'lm area ssc', '1185 1137', 'according result pathway', 'acid c14 c14', '33 candidate qtl', 'average chain length', 'line 990 01', 'avium subsp', 'gene lower number', 'ggt6 acox3 mecr', 'associated bmts', 'comparison different criterion', 'lamb general', 'initiation maintenance', 'qtl detected ssc7', 'genetic variance using', 'snp sexual', 'associated difference trait', 'sod2 mc5r cd83', 'heritable genetic variability', 'involved regulation development', 'project meat', 'chromosome eca 20', 'phase immune', 'dissect age', 'detected additive', 'candidate future study', 'trait 2004', 'study genetic mechanism', 'modern day ungulate', 'oar18 texel sheep', 'significantly associated parasite', '06 snp', 'gwas data used', 'genotype tt aa', 'furthermore comparative approach', 'melatonin play', 'result demonstrate population', 'measurement integrating', 'tail commonly', 'snp differentially', 'fat combining', '10 20 21', 'gilt sire', 'growth relative', 'interleukin receptor', 'relevant pig', 'proventriculus gizzard', 'continue develop', 'gene identifying 46', 'significant correlation seven', 'e5 e5 1st', 'phenotype biological process', 'reduced effect', '10 66', 'included effect', 'effective desired purpose', 'conserved wnt signalling', 'analysis deregressed', '48 72', 'pietrain missense mutation', 'polymorphism xk kell', 'carried cm', 'fabp microsatellite allele', 'cow 50', 'survivor sample', 'competence disease', 'cross square regression', 'kb region 38', 'subunit adenosine', 'segregating paternal line', 'housed pig welfare', 'little known association', 'bb detected', '14 sire family', 'ruminant major', 'valuable mutation revealed', 'wise level milk', 'ndv local', 'trait daily weight', 'variation genotypic', 'study threefold estimate', 'located known', 'obvious positional', 'snp left genome', 'exploring genetic control', 'gain iranian', 'rabbit bovine', '23 25 include', 'cic detected', 'evidence segregating qtl', 'beneficial effect term', 'progress using', 'produced scottish', 'population regarding pleuropneumoniae', 'allow cross', 'muscle fiber density', 'genotyped candidate region', 'human plasma', 'growth immune', 'strategy highlighted', 'increase 1111a allele', '11 microsatellite', 'alive livp', 'contains annotated gene', '12 84', 'genetic relatedness estimation', 'lsy pig weaned', 'study resource population', 'gene ubiquitin mediated', 'affected genetic defect', 'frequency test plink', 'boophilus microplus tick', 'reading frame generating', 'reproduction trait spawn', 'study atp5b', 'new robust interpretation', 'significantly associated haplotype', 'effect 13 chromosome', 'analysis resulted validation', 'trait similar pattern', 'yield cy', 'growth trait economically', 'trait sheep future', 'mutation site', 'using phenotype time', 'hmga2 genotyped cau', 'using genetic', 'help identify gene', 'improve characterization', 'dach1 located region', 'immune current population', 'likely network gene', 'previous study order', '1on ssc13', 'taint compound', 'including commercial', 'applying quality control', 'concentration c3c haptoglobin', 'common environment', 'gene distance kb', 'carried using approach', 'challenge strong genetic', 'beadchip 942', 'bta associated phenotype', 'cross calf', '84 cm tg', 'stage using interval', 'nm_213910 612a', 'adult body', 'composition region', 'jer second analyzed', 'qtl associated nematodirus', 'validation conclusion', 'am157180 1473a', 'androstenone ssc6 mb', 'detection putative', 'exophthalmus bcse', 'comb mass overlapped', '78 mb', 'melanoma melanoblastoma bearing', 'region region chromosome', 'reproductive related trait', 'son genome scan', 'wide suggestive', 'fat imf phenotypically', 'individual chinese', 'reaction single', 'associated component independent', 'reference population identify', 'snp07 exon snp27', 'background bovine', 'genotyped 580', 'hypothesised good animal', 'technique variance component', 'content fatty', 'qtl responsible body', 'sequence ligand binding', 'downstream analysis finding', 'analysis 46', 'snp snp interaction', 'evidence support', 'performing genome', 'population pig italian', 'consensus region slick', 'increase possibility', 'influence mt', 'chicken dxa pqct', 'large scale intercross', 'recorded cow using', 'method simultaneous', 'expected negative', 'respectively buffalo cattle', 'study genomic', 'trait traditional genome', 'line common', '423t snp associated', 'result indicate ultrasound', 'region sequenced analysed', 'window sow', 'infection copy number', 'pathological event', 'large sibship', 'region associated vartnb', 'using monte', 'bde stature', 'cattle confirmed', 'conserved residue', 'locus affecting 24', '630 1332 animal', 'gpihbp1 snp', 'significant associated single', 'activity cla derived', 'fi fcr reported', 'flanking arhgap39 gene', 'kg daily gain', 'content pig order', 'gene test polymorphism', 'greater concentration', 'relevance region specie', 'proven negative', 'sex specific gene', 'melanoma research', '45 adg', 'tenderness allow', 'novel genetic', 'threshold detected chromosome', 'harbouring significant', 'ld analysis', 'small eared duroc', 'influenced large', 'pelibuey sheep multiparous', '13 14 21', '1111g snp showed', 'transcribed region pig', 'distal qtl', 'region 43', 'different model', 'sequence 16', '47 phenotypic', 'marker economically', 'tg thrsp', 'ongoing related', 'genotyped achieve', 'affected bta11 bta13', 'kcnd2 wh', 'process snp', 'revealed fasn ppargc1a', 'commercial population molecular', 'cattle recorded 1990s', 'imputation region', 'traditional free', 'identify polymorphic site', 'cw japanese black', 'detected sus', 'cnvrs 30', 'level associated phenotypic', 'cnvs chromosome identified', 'hatch gender', 'polymorphism snp exon', 'qtl effect male', '11 consistently significant', 'quality palatability validation', 'trait norwegian', 'known function fat', 'parasite located', 'qtls protein content', '22 cm 80', 'age bird', 'nesfatin food intake', 'percentage serum cholesterol', 'qtl gw detected', 'quality trait associated', 'yorkshire hybrid', '53 insertions deletions', 'identified validated used', 'premium cut yield', 'oar3_84073899 oar3_115712045 oar9_91721507', 'swine family produced', 'used interrogate', 'area ratio effective', 'tenderness region', 'function chicken', 'genotyped 454', 'phosphate isomerase', 'sequenom san', '54 haplotype', 'removed successive iteration', 'gwas genomic', 'data present study', 'enabled enlarge population', 'small phenotypic effect', 'derived fast', 'cc exhibited significantly', 'pedigree replicated qtl', 'acting locus', 'backfat thickness mutation', 'hypothesis showed', 'gene different', 'pig method using', '56 compared', 'responsible variation androstenone', 'identified coding', 'number birth', 'breed reached significance', 'wool yield trait', 'virus challenged chick', '315 f2', 'percentage gga15', 'regulation cell', 'cm sire heterozygous', 'confirmed involvement vrtn', 'demonstrated linkage', 'state resistance young', 'chromosome putative qtl', 'yellow colored shank', 'composition affect', 'detect single nucleotide', 'earlier tend', 'holstein hol cattle', '453 chinese lulai', 'haematocrit change haemonchus', 'cattle old', 'spaced polymorphic', 'tympany gpt', 'epistatic interaction', 'reach market', 'mutant allele german', 'effect simultaneous search', 'marker obtained', 'insulin prolactin', 'differentially expressed resistant', 'exon tcap gene', 'analysis olp', 'gonzales texas carcass', 'information incorporated using', 'study atp5b gene', 'multiple trait evaluated', 'marker trait association', 'duroc dam', 'horse validated', 'deposition premium', 'study 35', 'breed general', 'health trait', 'non spotted group', '40 10', 'minimal seasoning', '33 903', 'used positional candidate', 'affecting genome wide', 'gain feed conversion', 'breed confirmed qtl', 'tract morphology revealed', 'cm 19 53', 'dominant specie heritability', 'initial scan', 'located near region', 'primary function', 'associated single', 'conformation trait neonatal', 'firmness toughness breed', 'weight thickness', 'metabolism dairy cattle', 'skatole aim high', '539 derived', 'single qtl small', 'far qtls', 'specific iga activity', 'nongenetic factor', 'pig castrated', 'particularly indicated lap3', 'density 600 genome', 'tsetse fly', '37 34', 'farming benefit greatly', 'diet result', 'gwas based sequence', 'different chromosome chromosome', 'pig ph', 'window phenotypic', 'expression analysis gene', 'mapping susceptibility salmonella', 'health type', 'involved lipid', 'chicken earlobe', 'susceptible layer belonging', 'control behavioral', 'highlighted additional', 'imi responsive', 'naturally prolific informative', 'showed haplotype', 'phosphate transporter slc17a1', 'understanding biology growth', 'efficient dissecting', 'dam applying false', 'resistant yn rt201', 'direct epistatic', 'involved cow cy', 'covariate removed', 'bp homologous', 'revealed allele', '210 235 age', '565 68 528', 'died implantation stage', 'beef cattle fine', 'carrying genotype c1a2', '481 233a', 'antibody generated', 'polymorphism associated carcass', 'fat protein percentage', 'oocyte morphology', 'conducted gwas analysis', 'novel largely augmented', 'population romney', 'brazilian state', 'underdevelopment ear', 'highlighted gene related', 'single quantitative', 'resistance tick south', 'muscle depth lumbar', 'normal semen characteristic', 'association signal', 'loss bves', 'novel diplotypes', 'fat similar', 'polymorphism selected gene', 'esc resistance study', 'individual used', 'total weight piglet', 'round lamb production', 'score genotype bb', 'intake feeding behavior', 'systematically favourable', 'analyzed included growth', 'cause implicate', 'detected affecting', 'phenotype study fold', 'scheme number', 'interaction qtl affecting', 'region compared previously', 'increased variation', 'content daily yield', 'model result snp', 'phosphorylated glycoprotein', 'significant association splice', 'gain adg backfat', 'gene involved fatty', 'sire iap gene', '41 33', 'vertebra large', 'legislation absence', 'hha rflp revealed', 'disease frequently', '525 240', 'benefit marker', 'region limited', 'austria jointly', 'tc tc marbling', 'trait locus glmm', 'white cross pif1', 'study origin', 'regulating metabolism affect', 'mediated mobilization', 'fibre density leg', 'bw meat ph', '10 microsatellite', 'score occurrence death', 'substantial proportion phenotypic', 'way improve', 'favourable genotype growth', 'knowledge trait', 'fa composition trait', 'background traditional', 'disequilibrium conserved shorter', 'region close reported', 'contribution linear combination', '105 kg pig', 'recording production health', 'different genotype cmya1', '21 76 mm', 'coefficient estimated', 'estimated qtl effect', 'gene bovine chromosome', 'published sequence porcine', 'overlapped earlier', '13 985', 'variation micrornas mirnas', 'asthmalike inflammatory', 'cluster especially ssc6', 'parameter dfi tunel', 'rib thoracolumbar vertebra', 'level hypothalamus adrenal', '68 rna', 'qtl chr', '20 strongest', 'reproductive performance respiratory', 'kinetic parameter identified', 'locus significant effect', 'pig asga0029495 value', 'particularly uoi population', 'heritabilities ranged 37', 'animal lacking duplication', 'genome wide scan', 'associated mo', 'helpful exploit', 'rna present different', 'subjected genome sequencing', 'effect rs16681031 mutation', 'available 272 boar', 'qc explained', 'imprinting epistatic', 'marker spanned 382', 'construct associated', 'performance major qtl', 'resequencing result', 'seq multiple tissue', 'significance result suggest', 'resource population ndei', 'result refine', 'gallus gallus chromosome', 'qtl trait recorded', 'growth fatness investigated', 'largest significant', 'fat deposit study', 'height analyzed', 'origin haplotype', 'specie qtl', 'weight shearing clean', 'genotype data analyzed', 'ovine chromosome 10', 'aged 18', 'numerous binding motif', 'linked qtl significantly', 'specific family', 'mapping exploiting', 'report meat', 'qtl polymorphism putative', '298 purebred', 'crossbred swine', 'implementation efficiency individual', 'rs109551605 rs41639155 candidate', '18 269 bp', 'study highlighted', 'additional microsatellite marker', 'identify pleiotropic effect', 'apart approximately', 'cattle industry effective', 'locus suggestive linkage', 'snp appears', 'aat showed significant', 'flanking marker', 'different linkage', 'lamb carrying tm', 'confirming qtl refining', 'association conductivity 24', 'association withers height', 'point incorporation genomic', 'sd9 explained 10', 'capillary lumen', 'analysis breed confirmed', 'underlie body composition', 'compared trait', 'important signalling molecule', 'region mb', 'md virus', 'heritable trait variance', 'using sus scrofa', 'mediated effect', 'daughter family', 'measured 960', 'flanked marker mcse3f14', 'based identity', 'plate used', 'whirling disease', 'heifer pregnancy btas', 'zebu cow animal', 'sequence data imputed', 'aa genotype lower', 'cattle population rapidly', 'gastro intestinal', 'male piglet study', 'pcr acrs method', 'statistical power design', 'role identified', 'summary using post', 'animal week', 'backfat canchim', 'plasma coloration rectal', 'variant possible bta13', 'unknown case favourable', '236 12 kg', 'cw week age', '06 milk yield', 'gwas model data', 'mo explained', 'ph24h longissimus dorsi', 'stage large eared', 'expressed cell organism', 'herd production', 'mechanism gene', 'phylogenic analysis demonstrated', 'result indicated tt', 'result supplementary independent', 'window consecutive snp', 'identify mutation', 'refined ci', 'cases 550 controls', 'cm physical distance', 'implied porcine rfi', 'chromosome carried', 'detected suggesting specific', '972 phenotypic', 'respectively genetic variation', 'performance tennessee walking', 'association rfi useful', 'evolution provide important', 'percentage revealed', 'gga9 gga10', 'kiaa0999 fkbp10', 'milk identify', 'effect related', 'greater level behavioral', 'effect pce', 'chromosome 11 suggesting', 'correlated 31', 'snp 86', 'region gene play', 'total leucocyte number', 'founded nil', 'like greb1', 'rapid growth', 'skin disorder horse', 'production consequent total', 'holstein taken', 'study employ', 'test association milk', 'color thawing loss', 'enriched process involving', 'broiler mean', 'percentage muscle located', 'sequence imputation', 'cell western', 'cow genotypic data', 'duroc boar identification', 'lg growth', 'male lamb', 'bta14 previously', 'rgs4 trib3', 'produced brazil', 'advanced fsil generation', 'nematode haemonchus contortus', 'usa sa', 'value 01 ci', 'src tg', 'applied gene based', 'sib model detected', 'typhoid globe', 'footrot resistance susceptibility', 'effect 644', 'subsequent analysis', 'bta7 bta9 bta16', 'tainted carcass significantly', 'leg meat 018', 'genome quantitative', 'important adverse', '16 high level', 'gene investigate snp', 'herpesvirus md', '283 607', 'aim identify', 'ability produce', 'ank1 associated', 'implemented based', 'linkage fat', 'hybrid chinese native', 'comprise significant', 'industry new insight', 'locus qtls backfat', 'my250 trait', 'revealed near', 'valuable resource', 'relationship trait rg', 'mttp genotype', 'comparative approach', '142 div 140', 'resource population chicken', 'genotyped 40 000', 'porcine sod1', 'porcine ssc13', 'identified genome scan', 'taint testis', 'sulfotransferases sult2a1 sult2b1', '14 ssc14 encodes', 'haplotype commercial line', 'churra sheep including', 'metabolism skeletal muscle', 'suggest snp tested', 'acid elongation ratio', 'receptor ghr', 'utr affect', 'identifying new qtl', 'region gallus', 'family associated chronic', 'mlm multiple locus', 'important aspect global', 'previously identified', 'yield ebv', 'tissue provides', 'genotyping identify marker', 'population chromosomal region', 'chromosome including cluster', 'horse 70 spanish', 'growth reproduction', 'qtl gene qtl', '23 03', 'regression analysis using', 'family confirmed', 'lfw imf', 'revealed candidate gene', 'snp chromosome wide', 'human 12q13', 'segment single', 'database added', 'width rdw', 'impute 20', '1570 primiparous', 'chromosome possibly associated', 'iris sector pigmented', 'myoglobin content', 'association analysis performed', 'available sample', 'novel effect lep', 'quality trait motility', 'dam characteristic', 'interval mapping variance', 'function formation basic', 'shear force wbsf', 'region zo coding', 'time challenge vv', 'weight direct', 'positive molecular marker', 'gene il8ra ccr2', 'allele present meishan', 'gain growth identified', 'brody model', 'correlated affect', 'disease study', 'snp effect variance', 'lung involved primary', '346 chinese holstein', 'fatal disease cattle', 'loin significant snp', 'univariate bivariate gwas', 'detected single trait', 'observed genotype', 'transfer technique impact', 'genomic mapping used', 'defence detected important', 'count trait ssc10', 'analyzed trait strongest', 'qtl nematode resistance', 'significantly close', 'design based', 'variation region excluded', 'study ssgwas', 'linkage disequilibrium possible', 'marker association multi', 'region multivariate', '05 indicate', 'associated wool fineness', 'gene role', 'placenta umbilical', 'time use longitudinal', 'crossing region spawning', 'maximum significance 24', 'analysis 24', 'mechanism valuing', 'measure genetic', 'aspect bovine', '18 18 intramuscular', 'concentration trait favourable', 'help balance', 'pony highly inbred', 'characteristic investigate', 'wing mapped gga3', 'ii gene', 'ssc1 conclusion study', '224 probably act', 'using illumina porcinesnp60k', 'qtl lfec detected', 'composite crossbred cattle', 'bull genotyped initially', 'content ld', 'snp left', 'snp mapping locus', 'value estimated parity', '30 65', 'scale identification', 'gridqtl software employed', 'qtl genotype 19', 'significant 01 total', 'revealed study', 'bft lumbar', 'decreasing unsaturated fatty', 'identified qtlr include', 'illumina equine', 'presently assessed', 'resulting fishy', 'study report qtls', 'lp study', 'subunit ubiquitin', 'region slick', 'survival reproduction', 'understood major', 'allele uniquely', 'abnormal sperm rate', 'complex heterogeneous', 'pleiotropic qtl segregating', 'egg mapped', 'weight 028', 'remodeling protein turnover', 'birth 56 kg', '87 total', 'used experimental design', '50k transcribed', 'anomaly currarino townes', 'chromosome region indicates', 'sa glm procedure', 'control fewer heterozygote', 'act reservoir bacteria', 'finding improves understanding', 'control analysis 21', 'suggested effort', 'bovine family', 'akr1c4 cdna identified', 'causal mutation affect', 'confidence interval ci', 'mutation underlie observed', 'hybrid bull mixed', 'region snp3', 'strongly associated bw49', '05 reporter gene', 'stratification conducting case', 'heritability candidate trait', 'known genetic background', 'expression oocyte regulatory', 'gene associated vertebral', 'scant histochemical muscle', 'ssc14 140 mb', 'cured ham salami', 'cpd draft', 'variance analysis confirms', 'cattle imposing welfare', 'data equivalent genome', 'addition potential contribution', 'breed snp showed', 'qtl region reported', 'integrated routine genomic', 'pronounced hypocholesterolemia deficiency', 'locus affecting fatty', 'reduced seasonality lamb', 'individual linkage map', 'ppard lxr notch1', 'paratuberculosis contagious disease', 'complex concept', 'ryr1 scd', 'furthermore snp significantly', 'polymorphism 5229th 5476th', 'locus linear', 'measurement related fa', 'nucb2 mrna', 'cultivated breed lean', 'mar bb', 'higher af', 'using efficient', 'cytological metabolic trait', '27 snp f1', 'fat percentage weight', 'leading reduction incidence', 'important tool improving', 'gamma non', 'analysis association identified', 'basis horn type', 'rflp revealed', 'commercial breed qtl', '15 individual', 'responsible abnormal', 'elucidate biological', 'ewe intermediate measurement', 'constrained tensor', 'fatty acid increase', 'trait 165 chicken', 'merit trait collected', 'previously high density', 'downregulated fold luciferase', 'mesh term', 'nbeal2 underlying', 'extended general purpose', '4q relative position', 'regression chunk based', 'il 10ralpha beta', 'subfertile bull predictive', 'locus tbc1d1 baat', 'bull novel', '841 dairy artificial', 'higher il8', 'identified mouse high', 'difference milk riboflavin', 'study gwas used', 'yield muscle', 'allow utilization', 'sheep suggest myadm', 'repeat polymorphism', 'genotyped pyrosequencing 33', 'malodorous compound skatole', 'gestation length qtl', 'non immune', 'trait identification snp', 'wald chi square', 'tested identified', 'used genome wide', 'concentration associated tt', 'mir 185', 'opposite sign', 'homeologues contained', 'selection breed', 'locus analysis including', 'beta1 tgf beta1', 'lard fatty', 'production consumption limited', 'threshold chromosome 14', 'rainbow trout family', 'strongest effect', 'finding illustrate', 'crossbred cow produced', 'interleukin chromosome', 'map consists', 'animal source positive', '61 mb', 'map3k5 pex7 ssc', 'ph hour', 'st8sia4 fam174a', 'tnf polymorphism', 'genetic variance population', 'snp assay including', 'advanced intercross line', '33 microsatellite', 'host gene', '12 mb region', 'sheep seasonal oestrous', 'ssc14 spanned', 'summary result', '10 estimated', 'studied genetic environmental', '29 weight', 'act major component', 'used hanwoo', 'improve bone', 'index increasingly', 'host genetic variation', 'count fwec established', 'disrupt normal', 'pool dna bull', '18 27', 'practice allows establish', 'segregated dwarfism associated', '50 intramuscular fat', 'genetic variant concentration', 'lower false positive', 'productivity complex', 'trait northeast', 'indole mrna expression', 'indicated variance explained', 'mixed random', 'control infected animal', 'sequenced analysed', 'breed marker located', 'sample 453', 'study genotyped 47', 'ion binding', 'cxcr2 gin expulsion', 'related resistance map', 'tested genetic', 'uni multiple', 'toxicosis livestock including', 'sequence variant causal', '13 provided 12', 'comprehensive database accelerate', '85 minor allele', 'size study population', 'finding inferred ucp3', 'value suggests allele', 'obese erhualian', 'mortem degradation structural', 'calculated using genomic', 'tuberculosis btb infection', 'illuminate future', '95 ci 65', 'circumference 10', 'respectively region effect', 'contained gene involved', 'antagonistic association', 'region f2', 'identified including mutation', 'result indicate sscx', 'far study conducted', 'expression fmo5', 'designed flock additional', 'key performance trait', '62e 10', 'nm noted', 'variance compared 47', 'software result muscle', 'diet genome wide', 'analysis needed evaluate', 'shown npc1 protein', 'rps6kb1 cltc', 'identified association', 'analysis multibreed experiment', 'f2 data single', 'vrindavani composite crossbred', 'holstein jersey holstein', 'ibmap related', 'mortality birth weaning', 'depends numerous', 'strongest association', 'allelic size eth10', 'line compare result', 'ncapg gene expression', 'duroc landrace yorkshire', 'located different equine', 'metr cystic ovary', 'understand relationship involving', 'total 480 purebreed', 'genome reducing', 'chromosome location account', 'contribute body weight', 'date polymorphism prdm16', 'offspring qtl', 'clinical representation', 'bwt 10', 'kg allele', 'linear model fitting', 'sequence mammal', 'standard refined prediction', 'disappearance carcass', 'effect cnvs', 'refute hypothesis duplicated', 'dairy capacity', 'binding site tested', 'aggression 10905e', 'cm 05', 'developmental process chromosome', 'response crowding measured', 'high proviral load', 'piglet ability acquire', 'gwa analysis conducted', '23 norwegian duroc', 'expensive disease dairy', 'qtl associated abortion', 'cby1 limk2 etv5', 'fixed effect harvest', 'incidence different', 'internal egg', 'role arg307gly mutation', 'composition selective breeding', 'included heart', 'investigate variation production', 'int9 formed', 'positive lead need', 'rna sample significantly', 'snp successively', 'udder leg', 'total 598', 'length measured cleaned', '05 partial', 'term kyoto encyclopedia', 'chromosome support', 'variation promoter region', 'genomic region affect', 'resource study investigated', 'sparse especially', 'outside block value', 'litter bal', '05 wing', 'variation respectively', 'multiple qtl addition', 'mouse conclusion initial', 'haplotype explained 16', 'eye area rea', 'grouped stallion disease', 'weight reached 105', 'f1 offspring heterozygous', 'associated snp region', 'significance presence', 'abcd2 elovl5', 'androstenone causative', 'veterinary medicine identify', 'chinese qingyu', 'fertility trait cow', 'head furnishing', 'major immune pathway', 'higher prolonged', 'architecture fatty', 'intercross ibmap', '70 transition', 'strategy genotyped 373', 'evaluated genome wide', 'posterior probability allele', 'spongiform encephalopathy sheep', 'subcutaneous intermuscular abdominal', 'reproductive process variant', 'jejunum tissue', 'possible bta13 stage', 'quality control test', 'transcription rorc adult', 'marker sw1332', 'analysis lrp12', 'considerable potential use', 'genetic mechanism associated', 'sequence data cow', '15 gene single', 'ghr oxct1 finding', 'chromosome region identified', 'using 100', 'mutated mstn 435a', 'reproduction body', 'conducted residual animal', 'nw breeding', 'snp rs29021868', 'individual applied', 'mb window sow', 'rfi2 value', 'population 293', 'acid sum monounsaturated', 'dtd calculated 540', 'ovinesnp50 genotyping beadchip', 'study demonstrated novel', 'measurement similar effect', 'region allele increased', '1a avpr1a', 'unique backcross', 'product quality', 'related population', 'analysis single marker', 'weight different growth', 'diarrhea piglet', 'weight backcross', 'fully formed fetus', 'snp allelic imbalances', 'reported association respiratory', 'field challenge mixed', 'value identify', 'commercial landrace', 'scrapie transmissible', 'association effect 32', 'mac significant mean', 'potential act genetic', '39 720 informative', 'region affecting fec', 'trait facilitate', 'cart gene previously', 'regulation porcine', 'region strongly associated', 'factor btb', 'reproductive tract morphology', 'make possible', 'trait identified 16', 'using squares qtl', '171 snp', 'circumocular pigmentation', 'located gene functionally', 'region partially adjacent', 'breed respectively especially', 'correspondence effect reported', 'reactome pathway term', 'diet induced obesity', 'service conception days', '6173 record 1894', 'significant parent origin', 'service fewer service', 'data suffolk texel', 'sal1 present', 'ovulation measurement', 'haplotype analysis qtl', 'breeding addition', 'retinal le', 'demethylase 5a', 'form foundation investigation', '45 polymorphism', 'associated ovulation rate', 'percent bta1 single', 'contained gene vitamin', 'trait parity 95', 'sex average', 'rs315831750 05', 'variant cv using', 'breed association polymorphism', 'improved genetic selection', 'chicken wild ancestor', 'ram homozygous', 'depigmented pattern identified', 'growth fully', 'main casein', 'affected ph', 'matrix different', 'dh dj dh', 'ssc17 number aggressive', 'transporter activity receptor', 'regulation dlk1', 'major snp', 'domain containing 16b', 'na atpase genetic', 'study analyzed phenotypic', 'ucp3 core qtls', 'gilt divided', '05 estimate', 'linkage association joint', 'region apovldl ii', 'spermatozoon qtl', 'production poultry', 'family illumina', 'secondary infection oar', 'support body weight', 'hapmap22923 bta', 'f2 intercross association', 'genotype proven', 'usda herd selected', 'distance generation', 'average depth', 'red junglefowl map', 'secretion significantly', 'suggestive significant linkage', 'heritability fat', 'allow confirmation candidate', 'pair study', 'rate significant result', 'variant evaluated genome', 'development market sheep', 'size limited', 'disequilibrium creates difficulty', 'appear head typically', 'kb upstream', 'pigment coat', 'revealed genome', 'identify amino', 'group abc5', 'liver kidney adult', 'phenotypic distribution', 'result pathway analysis', 'association myostatin', 'array necessary fully', 'similar phenotype', 'percentage erhualian', 'quality trait identified', 'respond medical', 'width near', 'expected simple', 'breed significant', 'loss respectively conclusion', 'quality general', 'nucleotide sequence fn424076', 'candidate underlying qtl', '36 single', 'rate genotyping result', 'formula useful', 'region related', 'beadchip mixed linear', 'determining nutritional', 'production trait sheep', 'cis trans acting', 'duroc barrow distributed', 'banned germany 2021', 'dominant coefficient', 'female rvtv', 'host response', 'used animal genotyped', 'resistance identified previous', 'duroc 99 pietrain', 'intestine length gga4', 'mechanism trans', 'rs268249346 chi', 'gene ex fmo1', 'mortem loin ph1l', 'analysis ldla performed', 'implication prospective', 'program potentially practical', '15118951g identified exon', 'ssc dscam ssc', 'aimed verifying previously', 'conformation muscle development', 'bred lineage non', 'count strongyle', 'bola qtl bta9', 'snp snp5', 'mapping analysis based', 'decrease protein percentage', 'sow genome', 'milk loss treatment', 'population tcf12', 'second later lactation', 'exposed increased solar', 'behavioural index considering', 'disease likely', 'trait beef', 'quality carcass', 'frequency significant locus', 'propose approach aflp', 'total glycogen', 'effect fat trait', 'disease greater ability', 'level expression lalba', 'trait directly use', 'lactation peak', 'climate female', 'ssc15 ssc17 ssc18', 'cm pig', 'analysis large interval', 'snp3 snp4 subsequently', 'performed divergently selected', 'virus prrsv economically', 'information using', 'significant polymorphism tested', 'trait modeled', 'cattle sequenced', 'additionally cbg coding', 'fecx shown', 'physical length', 'dairy cattle nearly', '20 region', 'defined missense', 'autosomal mendelian dominant', 'fat development energy', 'evidence link genetic', 'desaturation ratio', 'eighteen haplotype inferred', 'gga2 related', 'erhualian pig sire', 'cow selected case', '600 single', '17 e47', 'polyphen 95 score', 'dorsi semimembranous', 'quality earlier genome', 'basis trait help', 'trait association study', 'underlying biological control', 'qtl false positive', 'region bta29 36', 'genomic region harboring', 'mbp closely', 'genotype dam', 'outbreak age', 'heart girth 12', 'growth rate important', 'nbd abw', 'detection growth qtl', 'using 390', 'malonyl coa', 'precursor sequence', '07 11 phenotypic', 'nelore breed representing', 'significantly different milk', 'sw2456 sw1608 qtls', 'weight ssc9 69', 'explained 75 phenotypic', 'inducing dff45 like', 'aquitaine breed mutation', 'advance high throughput', 'family reanalyzed', 'qtl confirmation experiment', 'depth fore udder', 'dtd bull', '635 snp', 'gene growth adipose', 'eggshell quality difficult', 'performed total 451', 'factor gdf8', '19 horse breed', 'lmp measured slaughter', 'son 19', 'adipose tissue muscle', 'searched silico', 'trait important indicator', 'selected positional candidate', 'background understanding underlying', 'refined using', 'weight bw result', 'affecting expression', 'encoding ss', 'resistance fowl typhoid', 'ld block intrablock', 'dach1 gene sus', 'chromosome test imprinting', 'number ssc1', 'old bovine foetus', 'marker genetic', 'correction based result', '2713 animal', 'factor assessing productivity', 'loss deciphering genetic', 'area tg_x05380 422c', 'pig control', 'selection locus', 'ang body', 'myostatin mstn variant', 'used cy trait', 'wide type error', '10 ebv 177', 'trait controlled different', 'taken suggested snp', 'suggestive qtl feed', 'weight pew pbm', 'pedigree data structure', 'unknown number locus', 'addition present', 'population rapidly', 'ripk2 knockout', 'erythrocyte trait platelet', 'developmental production', '1326t genotype line', '176 belgian blue', 'identify major gene', 'effect genomic', 'pd αs1', 'association different sheep', 'analysis sequence trace', 'score using linkage', 'genotype line recent', 'model performed characterize', 'ebv single trait', 'cattle different', 'holstein population snp', 'holstein granddaughter design', 'dna sequencing single', 'significant association behaviour', 'qtl serve', 'qtls loin', 'rock line', 'brown preadipocytes', 'applied fst', 'paper polymorphism lpl', 'chicken form', 'result multi sample', 'moderate range', 'bayes heritabilities', 'fasn c10 c12', 'function pregnancy change', 'growth genetic', 'deposition muscle growth', 'reported present study', 'matrix receptor interaction', 'effect chicken chromosome', 'adg respectively variance', 'breeding sheep livestock', 'mapping qdg approach', 'requested traditional culinary', 'bird intercrossed dam', 'allele snp chromosome', 'correlation water holding', '12 14 18', 'regulator beta carotene', 'applied identify common', 'marker derived existing', '451 pig', 'qtl region bta5', 'ssc2 associated', 'analysis significant sc', 'marker 100 resource', 'tf binding site', 'identified kyoto', 'odour fmo3', 'sow performed', 'shank head mapped', 'animal genotyped represented', 'day earlier diplotype', 'breed difference prevalence', 'using deregressed', 'progeny weight recorded', 'advanced intercross', 'notably genome wide', 'showing tissue', 'candidate gene conclusion', 'absence ryr1 prkga3', 'female died', 'value twinning', 'phenotype measured infection', 'achieve gwas', 'gelbvieh panel', 'suggestive snp obtained', 'measure growth trait', 'fixed pietrain', 'type immune', 'value indicated', 'cm qtl peak', '778 n229h tbg', 'approach efficient', 'snp associated abdominal', 'importance help', 'derived northeast', 'present study provided', 'age age specific', 'test lamb lung', 'formed 83 haplotype', 'polymorphism mfa gene', 'ischemia causing muscle', 'proposed improve', 'mixture model assumed', 'mutation present', 'marker intergenic region', 'cell score', 'location exact', 'colour conductivity', 'ibk used', 'mocs1 lrfn2 region', 'ocular disease', 'distinguish model bos', 'chromosome 14 16', 'imf em', 'report genetics growth', 'ewe belonging', 'aa showed lower', 'chicken qtl', 'sow sampled', 'utt examined', 'initial qtl', 'integration gwas', '39 gene associated', 'male backcrossed', 'jersey cow polymerase', '15 breed', 'explained 92 genetic', 'mutation effect seen', 'size wool sheep', 'weight large', 'genetic architecture scant', 'influence mhc', 'activity alternative', 'acid change snp', 'consumer increase', 'fine mapping fatness', 'result provide clue', 'provided complementary evidence', 'gene like elongation', 'snai2 pim1', 'selection identification', 'litter incidence', 'constructing alternative', 'analysis performed fa', 'significance 05 obtained', 'architecture underlying carcass', 'illinois yorkshire', 'overlapping qtl body', 'harbor qtl strongly', 'carcass 05', 'herd brazilian state', 'indicated false', 'expression heart liver', 'improve animal', 'exon1 gdf9', 'identified susceptibility gene', 'marker associated complex', 'qtl aseasonal', 'work confirm', 'compare mapping precision', 'thirds chicken genome', 'statistical effect cebpa', 'breeding reduce', 'percentage point incorporation', 'hebraeum perineum region', 'kg bw', 'proximal muc13 gene', 'thirteen marker', 'dongxiang blue', 'microplus tick 300', 'study map genetic', 'variation require', 'encodes apolipoprotein related', 'breed differ significantly', '59 67', 'bmper gene used', 'enhanced association', 'percentage fp german', 'chchd7 intergenic region', '18 21 28', 'empirical 13', 'near gene responsible', 'cu 90', 'ebv lp lactation', 'direct measurement', 'exon gamma non', 'various gene ontology', 'lower deformity rate', 'neuronal tyrosine phosphorylated', 'persistency peak', 'qtl acted', 'change snp linked', 'mb bta 14', 'e2 169 e3', 'esr1 protein le', 'snp residing feed', 'receptor interaction jak', 'snp located ssc8', 'considered associated resistance', 'rjf genotype', 'grid qtl', 'glycolytic potential ssc1', 'polymorphism snp', 'snp significantly impact', 'adg qtls included', 'wide genome', 'analysis suggested artificial', 'determined permutation test', 'animal myostatin', 'haplo types comprising', 'phenotypic difference 86', 'polymorphism recently shown', 'sire 200', 'individual measured', 'higher compare', 'identified additional polymorphism', '21 kg tended', 'contact eyelash cornea', 'taat extremely predominant', 'goal study investigate', 'david tool revealed', 'nominal level qtl', 'region resistance virus', '81 45 44', 'aggressive behaviour large', 'haplotype contains missense', '614 274 snp', 'region known', 'sheep gh gene', 'breed database', 'pig population showed', '129 test', 'genotyped 670k axiom', 'ontology term pathway', 'granddams identify', 'sample accounted random', 'family evaluation region', 'weight wt', 'loin muscle volume', 'addition somite mouse', 'c3 cdna sequence', 'hydrolase family', 'large population australian', 'candidate gene mannosidase', 'based imputed genome', 'component fetal growth', 'result analysis 105', 'ovine chromosome', 'zealand romney', 'chromosome detected', 'animal likely', 'incubation period', 'breed perform', 'carrier male', 'necessarily location family', 'uc line unselected', 'cn isoforms including', 'marker 27 chromosome', 'ranging 140 240', 'skeletal trait qtl', 'tested day', 'qtl metabolic', 'haplotyping 7637 16963', 'weight embryo additional', '11 genotyped population', 'factor hsf1 malonyl', 'extensive genomic', 'qtls bone trait', 'b9d2 tmem145', 'suggested conclusion', 'egg denser', 'estimated infrared sensor', 'method correction multiple', 'pig ensembl discovered', 'horn morphology sex', 'gwas carried experimental', 'charolais dc responsible', 'located kb near', 'property associated opn', 'associated chl_fat', 'descent ibd allele', 'application pig breeding', 'female fertility specific', 'unique set', 'bw 49 day', 'gene located close', 'gsk 3α gene', 'dgat1 gene 160bp', 'marker development subsequent', 'adg possibly', 'metabolic process lipid', 'polymorphism effect', 'trait supporting existence', 'packed cell', 'significantly associated thymus', '05 level identified', 'type breed north', 'explained 10 additive', 'milk genomics', 'long noncoding', 'vaccination polygenic control', '16 18', 'model cb', 'additionally region adl0201', 'fec identified pig', 'implemented sire', 'lepr allele bf', 'mapped genome wide', 'plin1 igf1r', 'f2 pig resource', 'instead known', 'predictor locus', 'rna seq multiple', 'feathering locus ranged', 'harvest group fixed', '300 day age', 'detected holstein', 'identify significant single', '93 kb 251', 'variant associated yield', 'dimorphic ungulate', 'pork quality mc4r', 'sample 30 day', 'sarcomeric structure study', 'color post slaughter', 'p1 gg showed', 'classification score conformation', 'analysis showed gene', 'known use horse', 'finding explore suite', 'mammal objective', 'mature mir', 'wide marker association', 'gene encodes catalytic', 'used illumina', 'approach pedigree dataset', 'cm c14 62', 'significantly associated rfis', 'higher luciferase activity', 'genetic merit f1', '27 using', 'glutathione metabolism gene', 'site bovine bmp7', 'ldl confidence interval', '1e 03 fecx', '110 angus', 'lea confidence', 'grand daughter holstein', '05 qinchuan', 'gene 93 mb', 'animal pig qtls', 'pigmented pig', 'regressors random additive', 'boar genome wide', 'qtls hematological parameter', 'mir 1658', 'genetic association single', 'leprot dnajc6', 'progressive debilitation leading', 'genotype data available', 'commercial cross used', 'improve trait expensive', 'lfec1 marker interval', 'alphaherpesvirus cause', 'investigated strongyle', 'vital growth immune', 'using pcr cow', '27 quantitative trait', 'line cross linkage', 'parameter meat quality', 'equine autosome used', 'uk dorsets ass', 'milk speed msp', 'impact functional', 'epl score', 'turnover appear affect', 'play crucial role', 'resistance susceptibility modified', 'cattle transcript', 'carcass trait region', 'analysis based sequencing', '10 mbp region', 'influence exon', 'teat number birth', 'sire received', 'pig seven', 'variant pathophysiological change', 'weakness pig result', 'gene response earlobe', '19 ubiquitin', 'total detected 7547', 'criterion selection', 'trait result obtained', 'build haplotype capture', 'effect gene dependent', 'c896t c34t', 'reduced milk', 'duroc line', 'case ocd intermediate', 'qtl interval gene', 'factor culling', 'ssc11 respectively', 'family sample taken', 'protein kinase kinase', 'pik3cb 22x10 additive', '18 single nucleotide', 'likelihood program', 'ssc2 effect feed', 'systematically favorable greater', 'degree genetic similarity', 'half weight breast', 'skatole fat μg', 'utr snp', 'phkg1 cis', 'hypothalamus eqtl', '32 mb', 'iii single qtl', 'variance using', 'used test', 'highest fst value', '07 possibly', 'breast muscle pectoralis', 'candidate gene indolic', 'trait region bta5', 'qtl identified chromosomal', '2421t intron5 mtpap', 'measure skeletal', 'region harbored total', 'mapping detected 16', 'smaller qtl contrast', 'potential contribution improving', 'region box dimeric', 'adg future pig', 'consistent milk', 'colour le', 'region exon', 'lamb year', 'marker myod1_75 cm', 'associated trait indicating', 'bovine fbxo32 deposited', 'pc diacylglycerol', '84 95', 'block consisting', 'subsequent investigation reported', 'corrected suggestive significance', 'effect trait y7f', 'adjusted linear score', 'pig experimentally', '943c identified resulting', 'chr locus', 'effect validation result', 'individual f1', 'order clearly', 'affect number domestication', 'population crash drift', 'profound impact animal', 'ph measured 24', 'μg possibly needle', 'avian coccidiosis growth', 'susceptibility respectively association', 'wide significant snp', 'including italian duroc', 'probably involved', 'ssc17 snp', 'shearing test', 'affected lm area', 'possible linkage analysis', 'remodeling involution', 'showed significant negative', 'differentiation diet', 'restriction endonuclease silico', 'located formed linkage', '45 animal result', 'hol cattle', 'dna construct', 'gene interfere', 'variant revealed qtl', 'software result qtl', 'fec segregating oar3', 'snp significant experimental', 'qtl detected gm', 'development using', 'testing significant', 'bull h4h4', 'single model', 'qtl half', 'including detected', 'suggesting rad', 'length research suggests', 'mcw0123 ros0005', 'tissue pasture', 'interaction affected', 'teat malformation', 'ssc1 ear', 'cattle ccaat', 'hypothalamus confirmed', 'chromatography measurement 14', 'e48 chicken', 'genome program', 'higher value correction', 'postnatal life unknown', 'genomic tool', 'igf2 expression ovarian', 'involved immune response', 'overall mutated', 'snp 38017', '185 493', 'nonoverlapping region', 'tnfsf11 gene', 'define boundary qtlrs', 'friesian hf sire', 'genotyped fshr snp', 'marker located ssc1', 'level affecting', 'study reanalysis data', 'qtl 750 kb', 'population fine map', '10 mb', 'observed qtl genomic', 'experimental f2 duroc', '1723a genotyped', 'lactation period', 'concentration live', 'located trappc9', 'microbial pathogenic disease', 'study investigated informative', 'selected line', 'support fact common', 'associated growth', 'larger similar', 'breed interestingly', 'important improving sire', '26 chromosome 18', 'approach identified set', 'background nba genome', 'combination 05', 'microsomal triglyceride', 'number spermatozoon motility', 'arabidopsis second', 'diarrhoea neonatal post', 'fat content fatty', 'previously reported effect', 'consisting large', 'soluble vitamin result', 'trait determined muscle', 'array rainbow trout', 'genome regulation', '10 value uncorrected', 'analysis sib', 'ph ssc4 meat', 'cnvs worth', 'sheep possible', 'appear detected', 'produced reciprocal', 'allele german', 'log10 resulting value', 'ssc8 ssc15', 'joint data presence', '42 52 cm', 'gwas signal milk', 'haplotype consisting', 'reflect condition body', 'large effect calf', 'ldl confidence', 'role apoptotic', 'arm ssc f2', 'associated hcw rea', 'increase productive herd', 'threshold genome wide', 'qtl 118', 'selection sc', 'affect performance body', 'estimate trait trajectory', 'affinity ca binding', 'called bayesb fit', 'role embryo', '14 exon 13', 'gene including grb14', 'vl chromosome', '6723a allele', 'applied correction', 'indicate possible', 'qtls exceeding suggestive', 'fit random effect', 'content soxhlet', 'development using natural', 'genome dna rna', 'taken challenge', 'breed segregating', 'significantly affecting loin', 'yield deviation dyd', 'dam selected', 'chromosome 60', 'grandsires 672', 'study significantly 001', 'contributing weight difference', 'feeding behavior energy', 'analysis using 25880', 'additional highly significant', 'strategy needed', 'effect varied population', 'red luxi nanyang', '20 13', 'associated immune response', '10 average faecal', 'cumulative truncation', 'gwas verified', 'krux eqtl 149', 'pcp pcp response', 'vaccine conferring', 'panel 198 microsatellite', '24 experiment', 'evaluation file', 'component detect', 'gene maintained telomeric', 'tested bull genotype', 'identify family', 'breed imf', '315t 327c', 'result obtained smd', 'trait cow', 'emphasized including trait', '15g snp informative', 'focal adhesion notch', 'governed element numerous', 'animal sample', 'defect established', 'research genetic mechanism', 'e2 169', 'indicus bos taurus', 'piglet previous', '37 208 1644', 'marker mnb66 family', 'effect imf', 'bovine veterinary', 'genotype distribution shanxi', 'exon intron revealed', 'snp achieved different', 'holstein population estimated', 'ai bull currently', 'block result accounting', 'lactation using logistic', 'adg study', 'trait identifying causal', '12 10 17', 'test mutation t32742394c', 'parametric linkage test', 'milk composition trait', 'dtd curve synthesized', 'role causing', 'coloration polygenic trait', 'gene associated ltnb', 'vf2 near', 'nucleus herd', 'serotonin receptor htr2a', 'chromosome identified significant', 'lpin2 444g', 'identify putative quantitative', 'family ranged 12', 'marker regression interval', 'probably mediated', 'animal allelic association', 'fertility related', 'overall pathogenic disease', 'holstein charolais cross', '001 interbreed comparison', 'change equine', 'fwec infection', 'potential advantageous molecular', 'respectively genome wide', 'rs15231472 rs13849381 significantly', 'biological genetic background', 'lutea number animal', 'influenced polymorphism', 'shown specific cn', 'control weight gain', 'melim strain develops', 'significant 16', 'high boar taint', 'dj 321', 'park7 mff', 'data genomic', 'unknown awassi', 'snp bta18 addition', 'density microsatellite marker', 'analyzed line cross', 'trait especially', 'cckbr gene genotype', 'result showed expression', '500 informative snp', 'carcass conformation carcass', 'coincident qtl', 'network conducted genome', 'marbled steer group', 'repeatability test day', 'overlapping primer eighteen', 'culled die', 'taint fertility different', 'model thirds', 'protein 15 bmp15', 'embryo transfer', 'setting priori', 'quality iberian', 'meat quality taken', 'pcp response', 'new cnvs use', 'rare high', 'principal component estimation', 'association marker quantitative', 'using novel method', 'example haplotype', 'monocyte mon', 'corresponding 11 genome', 'highly correlated', 'ndv study bird', 'plan fresh pork', 'mammalian specie shown', 'polygenic trait mechanism', 'work aimed identify', 'oar14 breed', 'breed characteristic investigate', 'association single snp', 'marker combined genotype', 'cnvrs representing', 'gene related pig', 'consumption feeding behavior', 'japanese nagoya', 'population 10', 'trait locus mean', 'bmper gene', 'ham total', 'studied porcine gene', 'snp identified number', '25 75 phenotypic', 'qtl region biological', 'network exert', 'selection program possibility', 'collected 274', 'low false discovery', 'rate linked', 'snp effect treated', 'rflp analysis', 'module used', 'layer second outbreak', 'pig western', 'bone proportion leg', 'zebu ma', 'detect qtl linked', 'gene clearly explained', 'bft average', 'pool comprised 200', 'nbd number', 'research validation', 'marker used previous', 'estimate effect allele', 'week chicken static', 'hmga2 gene withers', 'qtl collagen', 'score disease effect', 'strongly support polymorphism', 'fat content sheep', '05 false', 'feed intake body', 'quality reproduction', 'oppositely correlated', 'churra sheep identify', 'axis including', 'robust method fine', 'underlying qtl identified', 'useful effective marker', 'study feasible way', 'candidate gene linkage', 'result compared obtained', 'heritability candidate', 'binding factor', '221 162 106', 'berkshire breed', 'pla2g7 constructed functional', 'participates epigenetic', 'birth study', 'characterized based variance', 'largest number', '633 662', 'reference genome assembly', 'association osteoporosis layer', 'examined test significant', 'lower 01', 'length cdna gene', 'body weight bcs', 'breed rs339939442', 'height carcass fat', 'located kb', 'marker situated interval', 'aim work', 'analysis gemma', 'rs80912566 ifc', 'population duroc pig', 'whc young bull', 'curve using gametic', 'validate finding', 'ww dwg respectively', 'complex multi gene', 'following false', 'respectively esr2 eaat2', 'significance 13 15', 'individual generation', 'trait explain small', 'genotyped 159 backcross', 'gsdmc mitf nbeal2', 'positional gene', 'holstein gwas', 'including different', 'trait associated marker', 'glucose insulin', 'located gene family', 'background intramuscular fat', 'breed used mrna', 'increasing meat', 'long history recording', 'respectively meishan', 'livestock including', 'breed comparison', 'particular snp gga1', 'marker lying qtl', 'positive control', 'copy wild type', 'form cysteine glycine', 'overlapping gene deoxyhypusine', 'period intensive growth', 'white hampshire', 'feet legs trait', 'pig herdbook commercial', 'glm 19', 'obesity trait mapped', '320 chinese', 'previous result despite', 'using traditional', 'association lea 009', 'snp located ppp3ca', 'associated number tissue', 'pqtl peaked', 'white 23 duroc', 'candidate gene influence', 'chromosome upstream bmp15', 'responsive neuroendocrine', 'leg meat', 'genetic region controlling', 'ngs 39328', 'staple length', 'specific cdna microarrays', 'examination f2 pig', 'chromosome region fat', 'multitype zfpm2 gene', 'transcript fatty', 'carriers conclude current', 'linkage disequilibrium haplotype', 'shown cell', 'rate genetic improvement', 'study gwas milk', 'identification mapped qtl', 'affected cis regulatory', 'class beginning', '018 pedigree based', 'breeding founder', 'produced testis', 'vs uniparous sheep', 'derive feature involved', 'parameter herd', 'sibling sire family', 'situated interval 14', 'association approach based', 'profiler panel 74677', '846 474 159', 'detect genetic variant', 'evaluation haplotype block', '14 16 19', 'animal 50', 'erythroid index increasingly', '02 sire caspase', 'physiological change', 'bta13 female', 'family 14 informative', 'genetic architecture meat', 'pig evaluated', '09 genetic variance', 'nelore population 723', 'bta7 bta14 direct', 'assessment proteolysis analysis', 'total protein addition', 'state university', 'leg joint', 'haplotype present commercial', 'blood sample hsp90aa1', 'improved association similar', 'bta2 bta3 qtl', 'family play', 'adult tissue highest', 'despite low', 'myh gene myh1', 'approach phenotype', 'genetic variance vl', 'weight hot', 'breed genotype', 'intron associated 032', 'overall pathogenic', 'associated lowest fat', 'ifng chromosome mhc', 'based questionnaire analysis', 'identified genetic variant', 'non redundant', 'polymorphism changed considerably', 'variation prkag3', 'disequilibrium independently affect', 'cyst metr retp', 'importance pig industry', 'lowest frequency statistical', 'position finding', 'scan qtl grandparent', 'rfi adg', 'breed variation haplotype', 'narrowed approximately', 'birds sex 20', '428357234 bta', 'trait group eggshell', 'cross main', 'parity haplotype', 'gene 420', 'galgal4 significantly', 'fshr gene', 'multiple sheep', 'process mitochondrial', 'used haplotype reconstruction', 'allelic effect', 'used cy', 'mortem examination', 'number mummified', 'conclusion milk', 'heritable breed heritability', 'population abomasal', 'environmental variation', 'lymphet haemocyanin', 'located independent haplotype', 'mapped immediate', 'measure trait generally', 'cathepsin key', 'somite mouse', 'reached experiment', 'significant effect reciprocal', 'square test result', '708 individual representing', 'juvenile body', 'shackle line association', 'map gene using', 'mapped loc100138021', 'qtl identified trait', 'snp time association', 'qtl map', 'mouse rat', 'cattle known', 'percentage close marker', 'detected qtl influence', 'eqtls igf2', '50 000 generation', 'associated selected', 'gizzard weight examined', 'considering breed origin', 'identifying genetic', 'detected qtl region', 'sequence entire exon', 'investigated using resource', 'bw 05 haplo', 'gwas carcass weight', 'individual commercial variety', 'significance level study', 'immunity cmi', 'used explore', 'snp28 utr', 'factor runt', 'counterintuitive polymorphism persists', 'set genotyped animal', 'gga1 genome', 'tested directly', 'region discovery genetic', 'chicken splenic cdna', 'consists older', 'association study fine', 'controlling fatness', 'distant telomeric position', 'chromosome clinical ketosis', 'large qtl confirmation', 'dmi animal', 'deposition lead', 'result genomic', 'viremia weight', 'mammal result', 'systematically associated increased', 'region different prp', 'snp rs414302710', 'resistant md susceptible', 'exon nucleotide sequence', 'allow selection', 'individual genotyped 61', 'mapped near', 'investigated evaluation', 'previous finding purebred', 'born 1955', 'result presented', 'weight 01 05', 'arg315cys cleavage site', 'mapping allow', 'relaxed rel', 'vicinity gene capn6', 'study demonstrates leverage', 'contribution variation hematological', 'development novel breeding', 'prior knowledge', 'result confirm previously', 'detected suggesting', 'texel lamb 879', 'microsatellites bta5', 'provide picture', 'recsolids recenergy', '07 intron', 'present sample', '32 respectively proving', 'number 43', 'putative qtls affecting', 'study analysed', 'ability pregnant insemination', 'c14 0064 aimed', 'cow group', 'indicating genetic architecture', 'homological sequence mammal', 'bovine myogenic', 'genetic variance iron', 'individually explained', 'cv identified bull', 'autosome pig meat', 'variant milk yield', 'variant ppard', 'effect investigated', 'bovinesnp50 96 putative', 'region 34 36', '545 genotype relevant', 'total disease', 'conclusion study confirmed', 'region containing positional', 'enduring challenge', 'hmga1 rps10', 'american sheep', 'evidence indicates', 'sheep outbred population', 'missense mutant', 'pig husbandry', 'snp located lap3', 'demonstrate importance', 'construct birth weight', 'assessed reproductive seasonality', 'esr2 snp nominal', 'eltd1 st6galnac3', 'owing selective', 'son obtained', 'day aging', 'controls 571 combination', 'gene evidence quantitative', 'model multi allele', 'architecture understood', 'cd ncccwa population', 'selection program marker', 'sequence variation calpastatin', 'fibre second shearing', 'underlie qtl', '15118774c 15118951g identified', 'effect multivariate analysis', '14 15 23', 'selection cattle trait', '10 26 seven', 'experimental f2 population', 'expressed resistant animal', 'set antigen sge', 'haplotype 11', 'radiographic density mapped', 'udder shape', 'finding identified novel', 'h2 h3 low', 'genotyped using 11', 'immune disease trait', 'study outbreak', 'respectively genetic', 'genetically related holstein', 'pleiotropy suggesting', 'mapping bta01', 'genotyping beadchip order', 'identified consistent', '0001 protein 0007', 'transported commercial', 'characterization genetic variant', 'reach puberty earlier', 'finnsheep mica', 'scoring record', 'meat redness ssc13', 'sheep genotyped 50', 'ultimately reducing', 'snp 252', 'meta analysis based', 'soay sheep', 'fatpc leanpc', 'trait likely', 'sh3gl2 gene appeared', 'array genotype', 'snp direct', 'microsatellites including newly', 'strategy beef', 'detect qtl dominance', 'trait multiple regression', 'record milk yield', 'asian pig studied', 'dissecans hock', '2379c h3 2449g', 'ebv race', 'egg denser bone', 'european prrsv', 'sphingolipid protein coupled', 'significantly enhanced', 'early puberty', 'receptor mediate function', 'oar1 oar3', 'linkage disequilibrium adjacent', 'gene tex11', 'chromosome identified region', 'age greatly', 'selected commercial', 'göttingen miniature male', 'region possible identify', 'lod score genotypic', 'palmitoleic acid', 'nesfatin regulate appetite', 'study genotyped 373', 'proviral concentration genotype', 'wise significance qtl', 'potential gene marker', 'variation uac mac', 'quality control 587', 'protein danish', 'source pig diet', 'function mitogen induced', 'variant sequence data', 'analysis showed cnv', 'positively correlated', 'question applied step', 'fat trait fat', '17 19 cm', 'result confirm previous', 'previously qtl tick', 'production related', 'family phenotype', 'dairy cattle mastitis', 'total 159 genotyped', 'likely qtl position', 'candidate gene locus', 'egwas identified 186', 'identified putative quantitative', '847 snp', 'qtl using additional', 'association il8 haplotype', 'study gwass improve', 'canchim cattle gwas', 'line appear controlled', 'ranged 54', 'block nonsignificant', 'tfn kndc1 i_ra', 'control genotype', 'ccr2 gene previously', 'ssc1 11 12', 'covering 21 chromosome', 'variation farm management', 'female respectively cannon', 'detected novel qtls', 'close qtls', 'im linkage', 'cis 14', 'polymorphism exon regulate', 'effective random selective', 'swine chromosome ssc', 'trait significant associated', 'locus gene regulated', 'member tight', 'region harbouring qtl', 'evaluated 69', 'cow total 750', 'epistatic qtl qtl1', 'previously reported corticosteroid', 'qtl previously reported', 'family detected position', 'black steer', 'variation uac', 'mcp signal provided', 'genetic size', 'world breed', 'possible association', 'pcr restriction fragment', 'gp chromosome white', 'containing fmo1 fmo3', 'improved genetic', 'qtl thoracic vertebral', 'dataset use', 'suggest polymorphism discovered', 'typification carcass', 'cw level significance', '07 04 distance', '17 suggestive linkage', '70 mb bta20', 'horse descended 22', 'site intron', 'snp linked detected', 'showed geographical distance', 'ridge regression analysis', 'npc2 or4d10', 'length divergent artiodactyl', 'statistical power limited', '80 case ocd', 'haplotype 7637 16963', 'descended 22', '210 day', 'c20 monounsaturated fatty', 'variant identified sequenced', 'subcutaneous fat 57', 'promoter muscle specific', 'factor encoding gene', 'large mapping family', 'serve candidate gene', 'genotyped 35 968', 'duroc animal breeding', 'individual gene acting', '15 cm 39', 'plus neighbouring', 'total 633 snp', 'chip order', 'used map', 'activity compared', 'permeability implantation placentation', 'depth mammary', '16 qtl feed', 'trait 54k', 'suggest edg1 snp', 'integrating number', 'stillborn piglet', 'candidate qtl region', 'near vicinity rm188', 'srb grandsires 258', 'tool detection snp', 'variance bw10 bw13', 'previous gwa study', 'intake published study', 'ancestor cattle breed', 'blood chemistry', 'identified family aim', 'heterozygous homozygous mutation', 'qtl detected week', 'interval traced', 'sample horse 917', 'gene serum', 'taint previously', 'using estimate ct', 'fcr inverse', 'change haemonchus', 'exon boundary', 'haired criollo', 'ma study', 'unknown paternal', 'snp immune', 'ndv challenge study', 'interaction network', 'icf range 21', 'following trait derived', 'progeny acop used', 'austria significant', '01 associated', '545 german', 'mature non', 'susceptible chicken line', 'ld granddaughter design', 'test disease', 'modified pattern', 'cause complex vertebral', 'significant porcine', 'egwas performed backcross', 'site used linkage', 'snp encompassed pign', 'management genomic selection', 'improves understanding mucin', 'analyzing validation dataset', 'cap project group', 'region associated feed', 'issue world date', 'region selection commercial', 'expression nr6a1', 'display positional', 'globally snp detected', 'length polymorphism sscp', '44 280 snp', 'carcass population', '538 measured fat', 'ssc8 c16 c16', 'tt gg', 'isu berkshire', 'rate afr', '53 cm allele', 'adiponectin unique', 'effect model', 'age population 421', 'point decipher genetic', 'polymorphism gene', 'provides genomic', 'swine respiratory disease', '14 18 27', 'observation morphological score', 'lipase markedly', 'resolution inflammation', '158 associated', 'chinese native population', 'associated significantly seven', 'measurement biologically', 'function expression gene', 'influenced 07', '313 erhualian sow', 'represents major global', 'differentially expressed gene', 'nelore steer', 'py 14', 'network functional gene', 'fto gene highest', '19 chromosome direct', 'family produced crossing', 'pre post brsv', 'preliminary screening related', 'predictive ability model', 'diabetes economic welfare', 'ovine chromosome 11', 'tissue pasture fed', 'factor underlie body', 'cooking loss ep300', 'chromosomal region previously', 'synthesis tt genotype', 'insight understanding', 'constrained fact', 'adult height', '10 mb significantly', 'marker included', 'validated sf5 cast_101781475', 'replication data set', 'indicate genetic selection', 'body insufficiently', 'breed including 657', 'tomography pqct', '_ldha_79 cm', 'indirect measure resistance', 'ncccwa tlum', 'percent instance', 'predicted feed intake', 'newly reported genetic', 'dpi important gene', 'mapping using', 'effect new', 'qtl af', 'useful selecting', 'effect 550', 'tetraspan subfamily member', '25 trait examined', 'prme horse estimated', 'quality control 319', 'angus red angus', 'including gene cxxc5', 'longevity sow selection', 'meishan cross population', 'oar4 oar11 marker', 'associated tt', 'postulated pleiotropic qtl', 'csf virus', 'entire resource', 'association replicated using', 'different biological', 'revealed presence innate', 'snp inheritance', 'marker 33 pp', 'function determinant', 'adipogenesis gluconeogenesis', 'individually exposed', 'different conclude', 'report strong', 'tc cc association', 'vil1 cxcr1', '72472 genotype cc', 'uoi population detected', 'snp located important', 'greater individual wt', 'marker interval bm2830', 'population analysis single', 'validated qpcr result', 'population spanish churra', 'bmd female noncortical', '681 churra', 'region chromosome 20', 'include 35 individual', 'distal region bta29', 'unclear observed', 'theory thirty', 'absorptiometry 551', 'trichostrongylus spp', 'synonymous substitution nm_213910', 'c3c serum', 'snp current study', 'quantitative difference animal', 'segregation 10', 'indicating trait', 'family subsequently', 'model qtl allelic', 'promoter muscle', 'meat trait animal', 'behaviour performed', '586 atg', '140 pig population', 'alpha acaca gene', 'duroc pig performance', '698 single nucleotide', 'carrier protein transacylase', 'encodes enzyme involved', 'derived foot mouth', 'group result hg', 'regulate rab27a', 'tenderness 05 significant', 'characteristic assessed', 'native japanese cockfighting', 'performed separately cross', 'epistatic interaction meishan', 'hen produced', 'snp overlap conclusion', 'using approach integrated', 'strong association high', 'bms778 01', 'mcmc method required', 'structure population variance', 'reprogen ovine gbrowser', 'acid winter milk', 'phenotype korean holstein', 'methodology repeated', 'dominance inheritance mode', 'region fatness meat', 'kb shared', 'qtl explaining large', 'udder morphology trait', 'using different type', 'mutation segregated', 'involved development bcse', 'study locate region', 'validation study fine', 'retardation anaemia haemorrhagic', 'gensel number', 'blasso analysis', 'fatness trait porcine', 'life proportion phenotypic', 'showed highest', 'snp causal effect', 'qtl total 94', 'locus bta20', 'coat color', '05 protein cent', 'provide basic', 'region hmgcs1', 'eca15 using multipoint', '50 array snps', 'number originated', 'ssc ssc15', 'flight feeder ff', 'region large', 'wide geographical region', 'infected cohort', 'sheep confirmed following', 'describing lactation', 'kg fixed random', 'likelihood interval', 'population lohmann', 'metabolism linked', 'trait reinforced', 'mdv major source', 'gm longissimus thoracis', 'research effort', 'sequence detected additional', 'imbalance cell', 'previous genome wide', 'heritability late expression', 'recorded breeding', 'region pig chromosome', 'wise marker ld', 'shear feather live', 'volume vol', 'landrace duroc molecular', 'intake detected ssc2', 'study validated', 'close proximity suppressor', 'sequence variant association', 'population rest', 'iga perform different', 'early sexual maturation', 'nsb2 parity total', '622c 770c 793g', 'ld 12', 'point suggesting', 'risk mating', 'trait population', 'allele effect differed', 'splice site', 'used revealing qtl', 'age service approach', 'gel shift probe', 'male 733', 'sheep rambouillet polypay', '11 week genome', 'cross silky', 'qtl influencing fertility', 'growth qtl region', 'background prkag3 gene', 'management practice improved', 'udder shape quantitative', 'estimate erhualian', 'important effect growth', 'carcass slaughter result', 'involved oxytocin hydrolysis', 'associated polymorphism serve', 'chimpanzee chicken', 'mainly holstein appreciable', 'horse 525 progeny', 'reproductive disorder including', 'fewer proinflammatory', 'economic trait present', 'software significance contrast', 'used refine genomic', 'complex nature', 'dairy population ldla', 'vaccine completely protect', 'worm burden length', 'dam unaffected calf', 'model using efficient', 'occurred selected line', 'pig expression study', 'wild ancestor red', 'detected snvs associated', 'distal pig', 'acaca gene affect', 'diallel lot', '110 kg slaughtered', 'c34t gdf9', 'hormone immune', 'infection identified using', 'dataset contained', 'receptor corepressor', 'structure study cloned', 'number functional', 'genotype data genome', 'confirmed porcine', 'region corresponding different', '28 influencing variation', 'carrying favorable', 'resistant susceptible individual', 'result suggest application', 'trait egg', '35 56 kg', 'carrying snp', 'significantly associated ovulation', 'ssc6 larger region', 'female pig advanced', 'loss reproductive', 'development energy balance', 'complex disease addition', 'respectively interval', 'essential genetic genomic', 'exclusion false suggestive', 'thigh percentage', '0009 lean', 'researcher generation sufficiently', 'region potential', 'family test including', 'using kegg', 'phenotypic variation finding', 'analysed variant fat', 'used control overall', 'step size', 'tnfrsf11a zcchc2', 'snp14 linkage', 'total absence anotia', 'genotypic allelic effect', '20 set', 'fp located', 'ewe produced 1310', 'measured breed significant', 'number trait bta18', 'estimate fertility study', '465 seq', 'founder expression', 'qtl coincident body', '10 year', 'possible chicken', 'area qtl large', 'ph24 affect', 'phenotype governed element', 'ap transcription', 'weight increased', 'ar score 11', 'gwas approach principal', 'trait investigation', 'female sexual ornament', 'cytoskeleton pathway', 'gyr sire family', 'genomics falkiner memorial', 'yield region chromosome', 'trait included average', 'employ use ige', 'value prediction', 'expressed reproductive', 'model twinning', 'farmer categorical', 'bta29 putative qtl', 'trait clearest', 'behaviour general behaviour', 'model mlm multiple', 'gene 29', 'affecting body weight', 'region facilitate', 'chicken green legged', 'conclude gh1', 'confirming initial', 'mutation mainly family', 'line 990 l990', 'iii harbouring', 'finding showed lr', 'consisted 61 565', 'parameter study trait', 'protein fabp gene', 'score mar quality', 'domestic chicken mapping', 'carrying copy', '05 lean', 'plasma glucose level', 'analysis validated rf', 'chromosome involving nme7', 'hen age remaining', 'agreement qtls', '04 combined dam', 'significantly improving animal', 'ssc13 ssc17', 'collected behavior questionnaire', 'gene responsible economically', 'gene cyp27a1', 'male combined', 'calf pre weaning', 'sa regression', 'tgf β1', 'genetic potential survival', 'locus qtl responsible', 'length 867', 'position qtl gave', 'population age puberty', 'bco2 play role', 'indicine composite cattle', 'eicosapentaenoic acid docosapentaenoic', 'region association included', 'controls 571', 'effect hip width', 'genome ranged', 'muscle fa composition', 'sesamoidales dc navicular', 'case data split', 'novel approach', 'trait vtn showed', 'simulation analysis confirmed', 'herd productivity', 'endangered dsn', 'py ax', 'teat number highlighted', 'snp significant genome', 'holstein friesian bull', 'making snp possible', 'nc_007312 sequence analysis', 'study statistical', 'source non additive', 'identify qtl suggestive', 'fmdv previous', 'tissue seven', 'affecting day open', 'resulted refined qtl', 'teat suggestively', 'horn base circumference', 'csf contagious disease', 'rf importance', 'growth trait average', 'trait 717 chinese', 'gm ssc3', '0053 haplotype', 'farm management', 'percentage located different', 'tissue pde4b1 pde4b3', 'marker locus exception', 'virus objective current', 'related total polyunsaturated', 'dissecans ocd south', 'subsequently used', 'gwas performed nba', 'subsequent economic effect', 'association gwas analysis', 'cla association snp', 'examined biomarkers', 'used genetic evaluation', 'region qtl ovulation', 'erhualian allele', 'breeding improved eggshell', 'coefficient fixed position', 'association observed birth', 'estimate average daily', 'conclusion sequence based', 'estimation long', 'genomic selection based', 'hormone insulin', 'region gene suggested', 'removed genotype quality', '3255 bp downstream', 'variation large white', 'snp exon', 'bmprib bmp15', 'region 20 cm', 'outbreak united state', 'rsnps shown', 'nba 05', 'bred boar mayor', 'ci trans eqtls', 'essential breeding', 'animal welfare trait', 'genotyped 606 006', 'higher mrna level', 'identified 22 unique', 'location association analysis', 'explaining 42', 'important problem', 'substitution analysis uncovered', 'weight ow', 'present quantitative', 'variance later life', 'map qtl larger', 'used genome qtl', 'test hypothesis nesfatin', 'novel qtl revealing', 'wise false discovery', 'imf content 100', 'criterion tested', 'better including additive', 'ngfr gip hoxb3', 'strongly associated thermal', 'target form breeding', 'intensity profile snp', 'pp estimated', 'breeding season average', 'allele greater', 'pco2 glucose', 'hmga2 gene', '81 informative', 'fabp4 gene haplotype', 'adult line', 'cc genotype fcr', 'larger additive variance', 'strongest linkage', 'measured included', 'indicus animal', '50k affymetrix', 'lamb born seven', 'effect additive dominance', 'region relevant defect', 'gradient selective', 'yield fat yield', 'analysis moderate', 'showing lesion half', 'performed imputed genome', 'resistance debilitating', 'debao pony polymorphism', 'oc qtl', 'lamb genotyped candidate', 'borne disease detrimental', 'involving multiple', 'specie worldwide', 'pig breeding', 'trait cwt', 'implies significant', 'effort improve', '19 breed', 'gain highest snp', 'size snp2 heterozygous', '18 46 cm', 'mechanism poorly', 'map locus responsible', 'yellow white controlled', 'pig slaughtered 85', 'pregnancy breeding', 'lactation lower', 'developmental production horned', 'bw 10', 'population canadian', 'snp interaction analysis', 'htr2a lpar6 cab39l', 'offspring generated', 'significant chromosome', '29 cofactor included', 'association variable assessed', 'decreased 97 genotype', 'strategy needed using', 'f1 parent', 'site early day', 'additional qtl previously', 'statistical power significant', 'ph mcp trait', 'bull obtained university', 'anoxia conversion', 'complex disease osteochondrosis', 'effect loin', 'c16 elongation', 'threshold unless stated', 'total body', 'analysis utilized pedigree', 'analysis f2 pig', 'analysis carried spleen', 'measure hatch', 'il2 interleukin', 'knob channel', 'resource population established', 'controlled prp gene', 'vitamin b2', 'susceptibility established method', 'software matinspector revealed', 'functional term', 'morphogenetic protein', 'developed construct haplotype', 'gene confirmed affected', '235 autosomal snp', 'leucocyte number differential', 'porcine chromosome confirmed', 'acid muscle adipose', 'underlying phenotypic', 'analysis practical significance', 'predicted associated tibia', 'polr3h cox15', 'obesity nervous', 'divergent german holstein', '4993 progeny tested', 'length coding sequence', 'multitrait qtl analysis', 'various production', 'associated highest ls', 'compound snp cyp21', 'gdf9 coding', 'study performed german', 'ii diabetes gene', 'acid docosapentaenoic acid', 'revealed low level', 'suggested non', 'annotated gene', 'suggestive level', 'known qtl region', 'animal breed 54', 'carcass length ham', 'day qtl ssc11', '96 population', 'motilin mln candidate', 'hmga1 abcc10', 'ncapg 1326t associated', 'asian pig breed', 'fatness qtl', 'commercial maternal line', 'lean meat weight', 'degree disease evaluated', 'gwas undertaken', 'microsatellite marker large', 'permanent environment', 'influencing exceeded', 'trait fine', 'trait new', 'distribution genotyped', 'active attack piglet', 'juiciness chewiness', 'adhesion second qtl', 'thousand individual secondary', 'study mammalian specie', 'type 5305c', 'autosomal recessive proportionate', 'bta14 gestation', 'ph1 carcass length', 'segregating variant mstn', '50 adjacent', 'locus candidate', 'streptococcus uberis', 'wild boar cross', '96 day', 'reproductive seasonality chose', 'milk content present', 'positional approach 47', 'c4535156t g4533815a snp', 'cluster qtl', 'single point analysis', 'genomic kinship', 'muscularity index using', 'snp oar3 12', 'using primer', 'recent approach combining', 'accounting largest', 'interval bw abdominal', 'demonstrated feasibility applying', '115 virtually nil', 'difficulty qtl stillbirth', 'dst mocs1', 'number genomic region', 'oar1 clean wool', 'genome suggests', 'cluster spanned', 'rsnps significant', 'animal sampled different', 'genetic variant control', 'associated somatic cell', 'known affect', 'conformation measure animal', 'tick burden form', 'unique feature', 'tuberculosis tb', 'tissue explored', 'quality changing mineral', 'horn formation described', 'based pietrain', 'tissue sample', 'investigated zfat', '23 genetic', 'fec costly', 'represented logistic regression', 'original pigment', 'genetic variation form', 'analyzing combined dataset', '493 son estimated', 'consistently identified region', 'exceeding chromosome', 'indicated snp4 snp16', 'week fi1 rfi1', 'able refine', 'number possible effect', 'data consisted', 'es albumen height', 'peap bta14 dgat1', 'year sex', 'substitution 1752816097 exon', 'blup fourteen', 'pigmentation eye bilateral', 'qtl texel sheep', 'potentially related testis', 'ssc8 ssc15 bf', 'production region previously', 'result previous', 'vaccination significant qtl', 'metabolic pathway involved', 'post mortem ph24', 'vaccination year', 'suggesting trait', 'improving resistance paratuberculosis', 'ssc15 linkage disequilibrium', 'complex performance', 'using 57k genomic', 'mapping approach used', '1000 2000', 'month radiographic', 'day ph', 'different population finland', 'adhesion test analyzed', 'enabled dissection fetal', 'human finding', 'marker suggestive significant', 'relationship egg', 'reporter construct using', 'fmo3 polymorphism', 'phenotype unaffected', 'identification id', 'using mastitis', 'significantly associated total', 'degree variation ibk', 'microtia sheep additional', 'epistases qtl significant', 'inner root', 'locus associated feather', 'glu alb', 'important fraction', 'analysis copy', 'different boar heterozygous', 'suggesting single', 'breed luxi', 'hematocrit rectal', 'background delineating genetic', 'reep4 texel sheep', 'rock breed using', 'population compared bos', '2000 kb respectively', 'odds 68 21', 'rfi2 respectively gene', 'significant snp bta8', '53 205', 'carcass trait component', 'immune parameter', 'polymorphism associated milk', 'cross observed bw', 'meat quality carcass', '20 23 27', 'order aa', '489c 1264c', 'bp exon', 'polymorphism underlying complex', 'holstein cattle small', '10 198 bta20', 'chromosome eca 16', 'showed relative mrna', 'observed chromosome 10', 'sib model genome', 'boar reproductive', 'holstein bull result', 'foxp1 activated escs', 'gga26 significant', 'ipn resistance gene', 'correlation milk protein', 'color semimembranosus', 'composition genetic polymorphism', 'connection snp', 'calving 28 body', 'genetic perspective data', 'steer result bonferroni', 'flavin containing mono', 'usmarc resource', 'insight mechanism', 'line birds growth', 'interesting coincidence', 'gene involved digestive', 'effect region', 'explored selection target', 'prnp genotype naturally', 'energy partitioning', '47 respectively accuracy', 'divergent feather pecking', 'ncapg protein candidate', 'composite line selected', 'positional candidate qtl', '38 microsatellite', 'trait vrtn', 'entropion inward', 'selective breeding sheep', '35 significant single', 'adg data consisted', 'nearly half significant', 'obvious candidate gene', 'production trait mastitis', 'egyptian buffalo cattle', 'qtl revealed analysis', '14 autosomal', 'bmcpc overall', '982 genotyped', 'population based', '65 steer', 'published association', 'related trait controlled', 'statistical environment qtscore', '60k chicken', 'snp int11', 'member myadm', 'oar 21 fwec', 'bos taurus bt', 'low expression', 'acid winter', 'upregulated day', 'resistance dominance effect', 'decade genetic disorder', 'model study identified', 'chromosome qtl study', '46 dj', 'lipid aim performed', 'mutation creating destroying', 'resistance study', 'chromosome 14 affect', 'mastitis caused intramammary', 'ssc4 region potentially', 'fitness trait', 'program present study', '05 detected family', 'trait chromosomal region', '50 cm chromosomal', 'korea total', 'thickness egg taste', 'incubation period polymorphism', 'performed fp', 'encoding alpha', '152 italian brown', 'market carotene major', 'growth regulation dlk1', 'mb ssc8 strongest', 'purebred population effective', 'coding exon untranslated', 'subunit gene exon', '141 crossbred', 'expression milk', 'chromosome 16q21 1878', 'requirement lack', 'total 865', 'enzyme mainly glucose', 'dual luciferase reporter', 'lipogenesis catalyzes', 'region affect', 'result potentially', 'production skin', 'window common trait', 'ct tt 25', 'deposition pig make', 'generated founder', 'segregating purebred duroc', 'chromosome 14 lastly', 'cattle recorded', 'chromosome ssc3', 'dna sequencing seven', 'bta13 bta14 promising', '113 twhs selected', 'genotyping panel korean', 'successful pregnancy', 'produced factor number', 'bull extreme', 'background ketosis', 'using texel', 'calving ease carcass', 'nerve growth factor', 'yield 30', 'salami lard fatty', 'altered bmp15 signaling', 'snp gene cspp1', 'mufa saturated fatty', 'state substituted german', 'holstein population highly', 'distinguishing visual character', 'different cattle management', 'pmm2 tbc1d24 significant', 'fabp candidate', 'chinese european', 'polypeptide high', 'relevance including cyp1a2', 'gga12 15 intramuscular', 'set consistent use', 'pork unveil', 'fresh dry', 'marker haplotype identified', 'concern country', 'locus gene', 'run using emmax', 'lep lgb', 'estimated 20 lamb', 'human mouse evidence', 'selective dna pooling', 'bta13 bta18', 'insulin cow', 'affect target', 'locus comparison porcine', 'fat 05', 'rock background produced', 'near elovl3 gene', 'air k232a polymorphism', 'pig sired 17', 'specific immune response', 'counted separately specie', 'genomics falkiner', 'h7n3 sample located', 'dfiadj albeit age', 'gene associated meat', 'expression measured follicle', 'disease resistance immune', 'snp altered', 'boundary proximal', 'placed linkage map', 'beadchip tested', 'imputation population used', 'snp 31224g 31266t', 'spanned chromosomal region', 'selection genotype', 'intron gene fabp', 'simple approach', '7c mir', 'total leg score', 'allele lysine', 'known difference mt', 'decreased distance marker', 'teat max', 'association 05 etec', 'bta2 bta6 bta14', 'regarding biological mechanism', 'mutation c522t bpi', 'prevent breeding', 'fertile increased', 'particular snp', 'cause substantial', 'followed complementary genetic', 'trait value', 'region way 771a', 'qtl lean fat', 'sc significant effect', 'lipid biosynthetic process', 'autosome using microsatellite', 'determining primary', 'af broiler fayoumi', 'multidimensional scaling component', '20 month animal', 'association muscle depth', 'qtl point', 'thickness skin fat', 'effective simultaneous', 'grandsires yorkshire granddams', 'intronic region', 'use genetic testing', 'microtia aim study', '97 phenotypic', '44 69 acted', 'space capillary lumen', 'polymorphism 1111g responsible', 'rfi higher expression', 'affecting function valued', 'development porcine skeletal', 'method porcine', 'overlapping marker interval', '31 phenotypic', 'ultrasound measurement fat', 'understanding landscape', '14 associated polymorphism', 'region harbor known', 'diplotype h7h7', 'sbno2 polycerate', '50 58 exception', 'mean daily milk', 'conducting multiple', 'associated egg quality', 'confirm previously', 'imputation used', 'chromosomal segment 50', 'c1843t mutation', 'breed 15g', 'variant teat number', 'role body energy', 'boar identified gene', 'number vestigial', 'using luciferase report', 'gain backfat thickness', 'larger longissimus', 'related trait mapped', 'subtly influence colour', 'holstein 237 nordic', 'qtl igf2 region', 'draft horse breed', '32 family genotype', 'associated darker meat', 'quality trait duroc', 'method empirical', 'semi evisceration', 'sheep additional', 'trait enzootic', 'difficult usually subset', 'chicken n301', '12 mo age', 'piglet routinely', 'practical implementation', 'finger terminal', 'susceptible eye disease', 'yield variance', 'trait remain', '105 snp located', '94 snp', 'fixation index fst', 'estimate higher statistical', 'data genome', 'response modulation etv5', 'ntn1 rna', '30 ssc5', 'content associated gene', 'ahr gene increase', 'screened icf range', 'contribute revealing', 'associated stallion fertility', 'hormone releasing', 'signature selection', 'bta13 analyzed using', '46 day age', 'domain snp', 'cumulative effect', 'reduced representation', 'regressors additive dominant', 'individual breeding program', 'identified lld', 'work fine', 'correlation estimated allelic', 'pwg index', 'npl non parametric', 'response term combining', 'litter size corpus', 'fat lung development', 'different coat colour', 'gene equidistant', 'chain na atpase', 'production chromosome', 'embryo hypothesized imprinted', 'fed sow associated', 'exon annexin a10', 'lw bta27', 'effective marker disease', 'significance 58e tg', 'significant snp 01', 'single trait', 'efficient pig', 'age exceeded additive', 'chicken consistent', 'mutation suspected', 'insemination combined', 'season suggestive', 'bp partial cdna', 'composition trait igf2', 'search causal', 'david gene', 'mode inheritance', 'positive qtl tnb', 'model mapping population', 'crcidp vetsci', 'population ldla', 'resistance developing', 'produced cross', 'approach proposed map', 'activity cpm gene', 'dominant earlobe used', 'interval current research', 'set permutation 100', 'protein snp leptin', 'concern consumer genotyped', 'ability pta', 'examined strongest positional', 'order predict correlated', 'analysis ldla methodology', 'fisher combined', 'population 897 report', 'single nucleotide polymorphism', '0032 respectively using', 'status clinical', 'bta14 867 steer', 'longissimus semi', 'melanoma occurrence progression', 'target mastitis therapeutic', 'curve parameter detected', 'trait spindlin vascular', 'retained analysis genetic', '682 individual', 'allocating tbg', 'ujumqin economic', 'loss south', 'effect untransformed trait', 'snp significant snp', 'large effect service', 'investigated using polymerase', 'hypothesis segregation', 'respectively significantly higher', 'member highlighted considering', '12 known', 'low level coverage', 'association analysis showed', 'epistatic qtl interesting', 'highlighted gwas', 'south american', 'thoracic vertebra using', 'problem bone disorder', 'novel qtl associated', 'total 103 significant', 'gene supported previous', 'selection result provide', 'included genotyped', 'plasma membrane calcium', 'seven western', 'intramuscular fat imf', 'lactoglobulin genetic variant', 'suitable candidate', 'improve understanding genetic', 'spring 2005 fall', 'addition tested identified', 'cm ham weight', 'critical region 630', 'demonstrate lpl potential', 'onset locomotors problem', 'university wisconsin herd', 'inferred tagging', '18 trait densely', 'genetic disorder identify', 'cm 19 15', 'using vce software', 'fa composition presented', '50k affymetrix snp', 'analysis snp 353c', 'trait qtl detected', 'study effect polymorphism', '16 21', 'selection application', 'composition trait different', 'involved primary antibody', 'month age chest', 'result estimated', 'cattle main', 'target gene alter', 'economically important quality', '148 microsatellite', 'followed empirical permutation', 'commercial breeding line', 'population furthermore gene', 'ssc15 linkage', 'given genome wide', 'model cb enabled', 'nellore cattle bos', 'diet milk dairy', 'maintaining ph blood', 'lw population 13', 'rs109162116 bta6 rs110527224', 'qtl mapped arm', 'nematodirus fec identified', 'crossing japanese wild', 'displayed significant association', 'combination 23', 'selection signature divergent', 'population total 107', 'bl 0488 wh', 'including callipyge locus', 'boar similar', 'association analysed individually', 'brown egg layer', '277 individual', 'chinese western pig', 'identify molecular', 'power behavioral trait', '47 pig crossbred', 'noncortical lod', '452 457 snp', 'additional marker subsequently', 'descent estimated cyp11b1', 'major effect', 'qtl directly affecting', 'sequencing itih mrna', 'distinguished subtypes', 'weight sscx', 'weight bw gain', 'difficult trait', 'gene identified targeted', 'qtl analysis meat', 'close melanocortin receptor', 'loc614744 04', 'observed contribute', '320 chinese sutai', 'sequencing project physical', 'aimed refine position', 'fcr partial efficiency', 'snp trait carried', 'qtl distal kit', 'ai observed estrus', 'candidate gene regulating', 'incorporated 062', '232 021', 'highest ls', 'locus end chromosome', 'bovine cd46 gene', 'aimed identify candidate', 'exhibit expression level', 'animal fe', 'shl shd', 'trib1 locus', '01 week', 'mapping allowed', 'success addition', 'length addition', 'population fundamental goal', 'objective perform high', 'founded nil commercial', 'cattle polymorphism analysis', 'identified large effect', 'pericardium advance management', 'soft tissue ray', 'study lda total', 'maternal allelic', 'control disease needed', 'population established commercial', 'substantially narrowed fine', 'dna bull', 'derived strain', 'gain identified similar', 'model survey', 'trait swine genome', 'level pif1 01', 'highlighted functionally plausible', 'tnb selective genomic', 'bovine nesp55', 'information muscle fiber', 'million 10 000', 'mrna expression', 'region characterized quantitative', 'individual level scc', 'wgblup improve accuracy', 'complex genetic architecture', 'associated fa profile', 'stage lesion count', 'variation obesity related', 'cm furthermore', 'data exchanged', 'feeding behavior pig', 'prediction multiple significant', 'ease direct hereford', 'individually exceed threshold', 'related qtls reached', 'complete atrophy', 'domain family', 'risk human', '40 week', 'association study chromosome', 'rate average estrous', 'population structure analysis', 'term combining', 'source variation influence', 'genotyped 129 microsatellite', 'catabolism transcriptional regulation', 'regulatory motif 313', 'boscc eye cancer', 'gene testis', 'growth performance reduce', 'white boar', 'chl_fat chl_milk', 'important region affecting', 'gwas detect significant', 'test bonferroni', 'width puberty association', 'search polymorphic gene', 'polymorphism lg', 'considerable economic importance', 'parental chicken', 'hoc simulation application', 'pig method animal', 'statement total 46', 'generation pig', 'geneticist include feed', 'test revealed', 'snp 2108c', 'fat contained adipose', 'locus chromosome wide', '2014 527 male', 'igf2 mutation', 'origin muc4', 'snp synonymous', 'candidate gene maternal', 'trait positive mapped', 'gpat4 involved lipid', 'volodkevitch test', '12 slc2a12', 'trait detected study', 'deduced simulation', 'genotyped 3317', 'manner specific intact', 'cox significantly associated', 'generated anxa10 null', 'linear regression approach', 'associated different trait', 'breed propose polar', 'qc jx', 'single qtl analysis', 'interval yellow meat', 'resistance parasitism', 'highly relevant purpose', 'luxi xia', 'available eighteen', 'risk case control', '888 pork loin', 'ehmt2 rbm42 sesn2', '73 member', '793g 919g associated', 'instron force cooking', 'knowledge gained', 'nesfatin product nucleobindin', 'provide large scale', 'selected bull', 'examine eyelid abnormality', 'naturally occurring asthma', 'analysed investigate possible', 'surprising qtl affecting', 'analyzed polymorphic', 'twinning rate cattle', 'dam age', 'nearby gene potential', 'generation large white', 'utilized family marker', 'variation underlying major', 'apovldl ii tightly', 'separated block', 'traditionally managed', 'associated subcutaneous fat', 'change shape growth', 'model assuming marginal', 'little work date', '23 percent phenotypic', 'significant association udder', 'gain 42 day', 'control analytical technique', 'resequenced meishan white', 'imprinting coefficient calculated', 'underlying qtl', 'background pronounced disagreement', 'breed availability', 'wide screen exploited', 'test determine', 'sequence 16 031', 'population recent genetic', 'yellow fat considered', '13 contained qtl', 'effect reproductive trait', 'chinese red', 'brock pallister', 'c18 c16 content', 'landrace identified', '100 000 androstenone', 'nh region total', 'signaling 10', 'brother approximately 50', 'general comparison trend', 'prevalence haplotype', 'qtl region affecting', 'significantly associated carrier', 'used hanwoo gene', 'improve traditional', 'trait generation', 'variance large', 'individual qinchuan', 'edwardsiella ictaluri', 'free energy', 'virus assembly human', 'poultry industry comprehensive', 'haplotype 39', 'genotype showed higher', 'bird involved', 'phi greater', 'level slope response', 'fabp5 gene', 'srb danish red', 'h2 34 05', 'fitted trait genetic', 'regions genes', 'america result genome', 'genotype type fat', 'identified region chicken', 'helpful understand', 'required advantage linkage', 'powerful study', 'white breed', 'qtl lbw ssc1', 'genomewise significant', 'swiss affected', 'representing 197', 'result mlma analysis', 'conclusion despite small', 'cross respectively qtl', 'gcta tool', 'segregated clearly', 'chromosomal qtl', 'attributed snp attained', 'result total 159', 'feed intake secretion', 'encoding interleukin chromosome', 'snp gene f1', 'weight gain regulation', 'infection growth', 'sequencing 30 key', 'eqtl genotype', 'anion carrier', 'understanding genomic regulation', 'immune competence applicable', 'associated fld index', 'polygenic variance', 'demonstrated lys232ala substitution', 'bull beef breed', 'individual tt genotype', 'red luxi', 'occurs fat related', 'generation birds fp', 'aureus qtl', 'coincided previous report', 'usda usmarc map', 'australian sheep', 'cattle breed different', 'used analysis', 'provide evidence association', 'strength performed', 'size nos3 filip1', '608 531 3533t', 'cross qtl identified', 'identified mode', 'wide qtl chromosome', 'extreme inbred chicken', 'trait 321', 'genotype present', 'finding genetic linkage', 'qtl metabolic trait', 'duroc molecular level', 'spp1 isg20 det1', 'major gene map', 'categorical phenotype association', 'negligible cost snp', 'dlk2 gene used', 'genotyped using', 'purebred erhualian 14', 'condition factor', '148 cm', 'result consistent study', 'genotyped individual', 'gene immunological', 'count conclusion large', 'core haplotype', 'total 159 large', 'tnb confirmed', 'smaller subset number', 'average age 198', 'uberis data analyzed', 'marrow identify causal', 'rate trait birth', 'effect meat cooking', 'used inferring qtl', 'death specie', '26 affect', 'correlated influenced', 'wide scan italian', 'gene development male', 'allelic effect confirmed', '36 cm cm', 'identified breed', '1000 fold bootstrapping', 'effect growth carcass', 'qtl mapped area', 'reference positional', 'snp locus shuxuan', 'significant association mstn', 'snpdb including snp', 'change contour', 'afabp gene strong', 'chromosome chosen candidate', 'score moisture', 'kingdom netherlands sweden', 'titin cap telethonin', 'extent polymorphism associated', 'enzyme yolk formation', 'technology conducted', 'animal moved away', 'farmer reported calf', 'total 13', '50 generation surprising', 'locus qtl generation', 'peak identified bos', 'related function mchr1', 'vertebra trait', 'variance 98', 'enabled detection qtl', '16 prehousing', '3691g 498', 'wide qtl scan', 'important target', 'increase resolution', 'complex trait using', 'identification phenotype', 'level curve', 'silico approach new', 'database snp', 'odds infection provided', 'superfamily member', 'consistent univariate', 'genetic selection individual', 'detected study 27', 'disequilibrium analysis', 'located coding region', 'microsomal triglyceride transfer', 'gene intragenic', 'predicted target', 'trait locus 27', 'expressed widely', 'contribution epistasis pronounced', '99 family', 'challenge cattle industry', 'male measured', 'publicly available', 'trait daughter design', 'univariate gwas', 'work identify common', 'western blotting finding', 'pig selected population', 'qtl peak ultrasound', 'approach combining traditional', 'used assign', 'eos basophil', 'comparison nc_007316', '10 dioxygenase bco2', 'tt genotype rs13687128', 'linkage analysis detected', 'fat compared', 'reproductive fertility trait', 'ssc6 position', 'unexpectedly small', 'characterized genetic', 'identified slick individual', 'member gene family', 'bta14 cwt 5mb', 'associated ncapg ile442met', 'phenotypic variation porcine', 'qtl located gga14', 'welfare beef production', 'poll dorset ram', 'liver pancreatic cell', '76 78 87', 'greater effect combined', 'high growth rate', 'serpine1 gene', 'strongyles fec segregating', 'increased carrier', 'horse breed performing', 'coccidiosis used', 'develop definitive dna', 'melanoma research human', 'largest degree', 'addition novel qtl', 'gene assessed using', 'fat 88e', 'leanpc nearby gene', 'trans eqtl expression', 'marker selection', 'bp amplicon cacna2d1', 'quarter warmblood', 'significance tested', 'basis degree disease', 'fp 11 pp', '10 rs315831750 rs313726543', 'cm sc identify', 'prediction genomic', 'affecting pigmentation', 'pedigree genomic based', 'livestock knowledge', 'rfi useful quantitative', 'trait udder depth', '716 sire', 'difference sheep', 'difference rump', 'mutation slc39a7 trait', 'illumina porcine snp', 'leucine position 94', 'causal marker', 'individual genotyped illumina', 'diagnostic measure', 'weaning estrus interval', '122 62 animal', 'highly valuable', '18 protein equivalent', 'sequenced way', 'base underlying', 'qinchuan cattle individual', 'protein single locus', 'base pair position', 'teat number method', 'performed commercial angus', 'bovine neuroendocrine specific', 'curve assist', 'bw55 generated used', '06 association', 'man2b2 unique', 'lwgt ssc4', 'gene expression analysis', 'significant level snp', 'trait pig reported', 'impact fe', 'aforementioned criterion', '1141 chinese simmental', 'earlobe trait polygenic', 'verify result m1', 'sire 56 dam', 'meg3 gene telomeric', 'offer opportunity', 'member member', 'activity protein result', 'ci analyse corresponding', 'expression protein', 'proportion shoulder yield', 'abhd5 regulated feeding', 'classified genotype', 'cie drip', 'test combined', 'cattle beneficial effect', 'gene newly', 'result identified', 'genotype 770 holstein', 'growth trait detected', 'employ use', 'allowed perform', 'canonical trait significant', 'ldl ssc1', 'efficiency commercial broiler', 'completely depigmented heterochromia', '39454 single', 'complementary genome scan', 'explained 14 additive', 'require validation large', '21 72', 'marker growth trait', 'reported qtl provide', 'health somatic cell', '05 fat', 'gwas indicating increase', 'hampered high cost', 'cm position number', 'breed particularly holstein', 'chromosome crossbreeding study', 'developed world new', 'polyphosphate phosphatase', 'revealing qtl', 'spectrophotometer 585 progeny', 'secret milk', 'angus charolais alberta', 'polymorphism snp camkmt', 'array conducted', 'significant 20', 'conductivity qtl carcass', 'estimate additive', 'second bta19', 'haplotype including microsatellites', 'chinese dongxiang spotted', 'marek disease md', 'chromosome favorable lower', 'chicken oligochip mrna', 'ovine hd beadchip', 'genome sequence genotyped', 'related rfi', 'disease considerable negative', 'enriched mirna', 'step reduced distance', 'respectively fat daily', 'teat hoop phenoypes', 'value paternal component', 'genotype 12 probably', 'sequence wgs used', 'observed sscx', 'development response', 'yield sc', '400 kbps region', 'gene retained', 'genotyped using porcinesnp60', 'evaluated transcriptional', 'race predicted protein', 'environmental adaptability', 'obtained gm ltl', 'total bta', 'snp rs109923480', 'infection resistant', 'related english thoroughbred', 'group trait distinguished', 'score 45 multipoint', 'architecture susceptibility etec', 'genetics aggressive behaviour', 'knp landrace f2', 'position 68 mb', 'muscle fiber area', 'traditional case control', 'analysis lack linkage', 'city dali', '24 semen', 'filtering quality position', 'based quantitative', 'marker rs109546980', 'beadchip containing 61', 'animal including', 'genotyped using 29', 'gene present', 'expression animal lacking', 'map adverse effect', 'muscle subcutaneous fat', 'spaced gga5', 'cattle herd', 'stillbirth daughter', 'litter accounted additional', 'individual large commercial', 'dilution technique', 'reprogen qtl_map http', 'difference dairy', 'asian south west', 'mttp gene', 'white pietrain typical', 'single qtl variance', 'identified pleiotropic snp', 'detected window 20', 'correspond identified', 'improve genomic', 'susceptibility modified', '45 44 cm', 'value computed', 'fp milk', 'dairy cattle provides', 'production cause negative', 'regression analysis significant', 'btc 038813 hapmap31284', 'production trait female', 'a868g located exon', 'oligodendrocyte transcription', 'iowa growth composition', '200 susceptible', 'haplotype aata', 'purpose used', 'mutation 81 bp', 'region gene related', 'age chest', 'microsatellite marker centrally', 'gene conclusion', '05 hgd alui', 'effect individual', 'associated physiological function', 'novel non conservative', 'approach second', 'selectively genotyped half', 'woman men detected', 'candidate major quantitative', 'texas carcass', '105 marker genotype', 'presence genetic variability', 'pta 1287 1036', '205 adjusted birth', 'mean identifying', 'qtl detected 11', 'mammary structure pivotal', 'followed complementary', 'unselected population rainbow', 'total 131', 'porcine gpihbp1 mrna', 'region region effect', 'explaining largest', 'size chromosome gene', 'indicating different', 'improve simultaneously breeding', 'partially controlled vaccination', '01 g840327c gnrh', 'quality trait detected', 'length dominance', 'trait identified significant', 'linkage study', 'selective sweep', 'harbor approximately 20', 'cell msc', 'synthesis long chain', 'great variability', 'disease phenotype', 'progeny determined', 'state birth', 'threshold allele', 'conclusion study g840327c', 'require dietary mineral', 'genetic variation dgat1', 'selection predicted reduce', 'old experiment', 'snp 36 located', 'assay performed hek293', 'conducted focused', 'cis12 c18 c18', 'responsible highly', 'tail formation finding', 'castrated male pig', 'percentage ema', 'africa asia loss', 'genetic trend 1985', 'differently regulated', 'tnb corrected number', 'cm dmi putative', 'snp differentially expressed', 'genotype significantly affected', 'previous analysis manchegas', 'value threshold bovine', 'qtl 10 significant', 'trait correspond previously', 'position present study', 'g162c igf2 ncii', 'haeiii sequencing', 'day gga2 body', 'cwt eye', 'favorable lower sc', 'outside mhc locus', 'number pig phenotype', 'exhibited paternal expression', 'lce crossbred', 'mediated response clearly', 'diverse fat', 'interval cm 12', 'meat production water', 'allowed qtl interval', 'hydrolases strong candidate', 'meat milk', 'known quantitative', 'polypeptide gip acetyl', 'significant qtl characterization', 'analyzed including', 'consisting farm', 'near 100', 'yield content somatic', 'exon partial intron', 'growth regulation', 'polyunsaturated long chain', 'abnormal sperm correlation', 'genetics ghanaian local', 'region 23', 'range association study', 'refined critical region', 'indicated highly significant', 'morphology health trait', 'associated hornless trait', 'concordance time point', 'available record', 'delta breeding program', 'investigated informative', 'carefully phenotyped', 'genetics consortium prrs', 'qtl explain 30', 'term 0005634 nucleus', 'ssc4 c16 c18', 'effect 65', 'cm approximately fifth', 'hormone alter expression', '200 subject dna', 'chicken present study', 'expression level closest', 'hco3 tco2 ionized', '54 cm steak', 'candidate gene research', 'significant target mitigating', 'biological mechanism underlying', 'effect suis', 'region snp marker', 'qtl signal', 'dbwavg 590', 'problem identified', 'qtls correlated', 'carcass length pietrain', '27 reported', 'enrichment value', 'weight egg production', 'identified region termed', 'natal growth carcass', '21 marker', 'multibreed strategy', 'including sperm motility', 'pax3 mitf', 'snp 56', 'specific genomic region', '121 yorkshire', 'gene locus remained', 'bw breast muscle', 'coefficient tested snp', 'generation energy', 'pig result indicated', 'follicle different', 'ewe homozygous', 'higher efficiency', 'reduced set marker', 'value daughter', 'dominant large white', 'analyses larger different', 'analysis regressed', 'evident gene', 'family qtl influencing', 'linkage map provided', 'pleiotropic effect mastitis', 'agreement association detected', 'muscle development tcap', 'abge342 abge343 reached', 'likelihood test total', 'exterior traits spotted', 'broiler targeted chromosomal', 'production carcass data', 'grandsire family significant', 'box protein o1', '238 genotyped', 'exceeded additive', 'average 11', 'week age exceeded', 'informative specific population', 'weinberg equilibrium sample', 'linkage map fmo1', 'single multi', 'mapped relative', 'error probability', 'identified accounted phenotypic', 'phenotypic data lactation', 'beneficial health related', 'interestingly 39 snp', 'adult sheep', 'subsequently daughter recombinant', 'allowed detect genome', 'snp tested using', 'line candidate genomic', 'converted snp', 'srb danish', 'variance bodyweight', '05 addition', 'family consist', 'express blood', 'optimally incorporated weighted', 'reduce production cost', 'density prl csn3', 'effect discovered', 'phase hplc major', 'animal different haplotype', 'known function regulation', 'maternally imprinted involved', 'obtained showed mc4r', 'cattle sequencing', 'high heritability', 'yield trait causal', 'synonymous snp segregate', 'study confidence', 'provides strong', '1983 hypothesize', 'health record 3359', 'multiple qtl egg', 'population primer', 'advantage multivariate', 'qtn comparison traditional', 'data 11', 'benefit use', 'size linkage disequilibrium', 'total 16 qtl', 'fish disease', 'interestingly presence', 'retrogene copy', 'signal notably cdkal1', '119 cm ssc13', 'identify single nucleotide', 'male bos indicus', 'significance calpain genotype', 'ssc5 27', 'verify polymorphism', 'mhc iranian', 'associated adiposity mammal', 'gave evidence', 'gene homology', 'status chicken', 'genotyped high density', 'target genetic', 'mastitis cm1 second', 'associated f4ab', 'efficiency used meat', 'differential susceptibility salmonella', 'new marker', 'analysis highlighted', 'f12 generation', '147 single nucleotide', 'cardiovascular craniofacial', 'haplotype snp showed', 'eqtls false', 'use selection', 'generation interspecific', 'heritability improve accuracy', 'ranged 421 953', 'negative factor poultry', 'malformation cattle', 'mutation disease', 'ssc2 study', 'influenced cattle use', 'connected health region', 'ucp3 snp intron', 'scd gene variant', 'dna animal extreme', 'trait immune', 'genotyped cyp11b1', 'snp fatty', 'genome wide linkage', 'therapeutic used', 'harboured qtls', 'force qtl', 'snp il8 gene', 'investigated association analysis', 'family holstein', 'bta2 marker associated', 'general qtl', 'sheep 05', 'snp targeted region', 'conformation trait identified', 'detected 05', 'population examination', 'snp reduced', 'using 122 microsatellite', 'dbp multiple role', 'accounted 16 phenotypic', 'afc threshold', 'associated snp bta6', 'threatens household', '44 vartnb', 'animal resource used', 'role lipid', 'determine total worm', 'stay herd', 'pathway interesting', 'genetic correlation 84', 'health constraint', 'fat bta14 negatively', 'btb resistance', '1013c showed evidence', 'difference postnatal', 'individual hap9 adapted', 'sib family non', 'effect research', 'gene obesity', 'population chinese', 'located mb centromeric', 'quality chicken reproductive', 'region detected bta', 'reliable chromosome region', 'respectively different trait', 'signified key', 'individually explained phenotypic', '23 polymorphism', 'mb study identified', 'identified potential functional', 'possibility new breeding', 'result 12 trait', 'population progressive condition', 'naturally scrapie', '300 individual', 'cause diarrhea piglet', 'gwa genome wide', 'mb pig sscrofa10', 'large white pinpoint', 'used high density', 'conclusion result reveal', 'observed cla snp', 'accounted additive', 'significant effect protein', 'bird intercross', 'identified mapping resolution', 'growth pair', 'pneumonic lesion pleurisy', 'trait performed snp', 'wide qtl analysis', 'present study revealed', 'activity cytokine response', 'lamb adult', 'pa 209', 'identified different tick', 'qtl candidate', 'analysis conducted f2', 'network connecting', 'size 05', 'significant effect exon', 'abcd4 gene expected', 'unknown awassi sheep', '534 f2', 'consists number reciprocally', 'abt total 330', 'white marking pattern', 'cnv harbor', 'validity associated snp', 'affecting eggshell', 'affecting quantitative', 'genomic analysis goal', 'analysis improve', 'effect total', 'genotype economic trait', 'centromeric region bta2', 'phenotypic variance respectively', 'condition little', 'qtl trait decreased', 'asian allele european', 'qtl map various', 'model correcting', 'kasp genotyping furthermore', 'colour ph', 'deposition lipid', 'backcross recombinant progeny', 'effect appropriate analyzing', 'contributed selection', 'cow typical', '18q21 9q22', 'respectively genotyping', 'white plymouth', 'favorable dressing percentage', 'varied population studied', 'larger sd detectable', 'importance steroid', 'camouflage sexual signalling', 'female rvtv value', 'linked qtl affecting', '33 f0', 'important basis understanding', 'encoding proteasome', '01 fat bta5', 'second breeding season', 'cerebralis lead skeletal', 'contribute exceptional', 'ssa20 19nuig strongly', 'end number candidate', 'summary report', 'progress slow', 'low density genome', 'genetic basis host', 'affecting abdominal fatness', 'qtl controlling', 'pietrain f2 population', 'osteochondral lesion', 'heritability 79 variance', 'estimate unit vl', 'population gene significant', 'little known aim', 'approach high', 'alive nba average', 'consequence linkage independent', 'confirmed novel', 'ovulation rate allele', 'reported ovulation', 'anka broiler used', 'putative region independent', 'showed 815 kb', 'porcine tcap highly', 'generate earlier', 'ovine high', '50 483 snp', 'affecting trait localized', 'polymorphism total snp', 'parameter intron', 'brings 13', 'data analyzed line', 'songliao black', 'ssc6 snp', 'impact liability', 'effect 62 sd', 'qtl bta2 bta9', 'emmax revealed common', 'tef site', 'addition qtl scan', 'severe episode', 'confidence interval qtls', 'width rdw measured', 'fabp microsatellite', 'explained cumulative', 'mapped single gene', '190g sc', 'oar3 12 13', 'underlies density chicken', 'indole performed boar', 'gene different single', 'identifying animal', 'band neutrophil cd8', 'snp3 snp4 population', 'duodenum jejunum ileum', 'marker initial set', 'measurement carcass merit', 'haplotype haplotype substitution', 'size parameter', 'breed rln risk', 'chip 630', 'sequence genotype', 'estimate similar pedigree', 'percentage imf', 'aimed search', 'gene suggested novel', 'response strengthened', 'identified autosome effect', 'me1 mutation', 'snp2 9924c', 'menarche human', 'type effect', 'middle sliding window', 'desirable increase marbling', '199 266 bp', 'weight measured', 'vl 11 wg42', 'ewe segregation second', 'eqtl regulating', '7547 unique', 'bta13 gnas', 'ldla qtl significantly', 'length homozygotic', 'indicus bos', 'analysis validate analyze', 'greater ability try', 'young chick adult', 'concluded snp', 'result showed gene', 'map joint data', 'mstn loss', 'result increase', 'ep estimated using', 'canonical conformation trait', 'width gga3', 'population structure information', 'region fine', 'conditioned analysis', 'factor pit1 renamed', 'estrus ebv pat', 'serum igg end', 'ancestor red', 'angus simangus hereford', 'expression fat', 'association analysis confirmed', '13 14 chinese', 'trait studied different', 'ppara asxl3', 'cattle investigate region', 'coding gene', 'lepr gene regulating', 'texel segregating charollais', 'identify causal gene', 'linked reciprocally imprinted', 'snp used marker', 'heritability 26 22', 'gene harbored region', 'south asian', 'day 28', 'chicken addition epistatic', 'nematodirus egg', 'high prolificacy sheep', 'directly reflect', 'motilin mln', 'specific nh', 'breed share causative', 'seven pig breed', 'second period', 'gastrointestinal parasite specie', 'european pietrain pig', 'qtl determining concentration', 'infection oar 21', 'improved lp', 'reported genome wide', 'putative region associated', 'gene beef cattle', 'mo mitf candidate', 'dissecans ocd', 'phenotypically diverse f1', 'submitted statistical testing', 'difference chinese local', 'cattle subpopulation', 'line high', 'phenotype marker associated', 'breed snp 419', 'region associated odds', 'analyze quantitative trait', 'gene expression correlate', 'association study showed', 'gene 19179', 'sire genotyped mapping', 'area chromosome', 'mb bta7', 'age 36 cm', 'major role bta', 'qtl ssc2 ssc3', 'qtl effect listed', 'ovine hsp90aa1 flanking', 'swedish milk genomics', 'gamete highly', 'produced ncccwa growth', 'body weight specific', 'icf range 38', 'region exceeding chromosome', 'ga ct genotype', 'gene linked reciprocally', 'appears interaction', 'level positional', 'region bovine', 'gas blood sample', 'feed efficiency ratio', 'growth fcr', 'segregating limousin ancestry', 'global challenge owing', 'strain 40 monitored', 'friesian ram', 'known role', 'previously qtl meat', 'line produce', 'selection backfat', 'snp substitution effect', 'economic welfare issue', 'fixed mixed linear', 'warmblood family genotyped', 'analysis qtl bta2', 'cbat random', 'panel korean duroc', 'effect minolta', 'descent ibd', 'keratoconjunctivitis ibk', 'high yielding dairy', 'ovine lactation', 'provide new data', 'marker spanning', 'fold thickness human', 'work facilitated access', 'ion binding conclusion', 'gene phe279tyr mutation', 'parameter absolute difference', 'indicated superiority', 'challenge eosinophil number', 'infected poultry', 'associated 009', 'content tenderness score', 'pb cb', 'ci acting regulation', 'observed asian local', 'contained genetic', 'effect iii', 'chicken preadipocytes overexpression', 'fold difference', 'known aim', 'reported candidate gene', 'control gastrointestinal parasitic', 'influencing consumer', 'subsequent growth stage', 'marked increase 1111a', 'construct haplotype association', 'increase risk', 'expression study gave', 'qtl affecting weekly', 'new insight cheesemaking', 'postweaning pig f41', 'major contributor boar', 'innovation information', 'offspring trait foreleg', 'single snp gwas', 'sod1 amino acid', 'frequently suffer insect', '35 lamb', 'using physiological measure', 'size ewe influencing', 'support hypothesis', 'link ucp3 polymorphism', 'gnas domain map', 'chicken f2 cross', 'thoroughbred arabian', 'explain 14', 'kinase ampk protein', 'average snp calling', 'cdna rorc sequenced', 'interval precision', '18 texel', 'objective identify additional', 'kb apart snp', 'region 13 chromosome', 'growing welfare', 'including missense', 'sire calving index', 'identified nx6 backcross', 'beadchip identify association', 'obtained result supported', 'ema 05 bft', 'index predictor predicted', 'composite strategy including', 'gene haplotype consisting', 'significant effect sexual', 'condition mortality', 'showed founder breed', 'suggest locus', '1207 snp marker', 'breed 21 23', 'natural variation improve', 'genotype single snp', 'based fitting', 'genetic selection milk', 'estimate limited', 'nucleotide polymorphism tnf', 'ph color marbling', 'significant values', 'multiple gene affecting', 'limited relationship sire', 'snp associated loin', '018 contrast copy', 'implication reproductive', 'data fat moisture', 'measurement lamb', 'previously detected winter', 'chromosome highest', 'minolta value loin', 'anxa5 analysis needed', 'analyzed pcr rflp', '42 019', 'genotyped 128', 'associated genetic merit', 'dairy cattle holstein', 'implies snp marker', 'nucleotide polymorphism genomic', 'pig seven novel', 'tissue decreased', 'carcass breast', 'lm area', 'cattle backcross', 'faster genetic improvement', 'coding thrombospondin', 'g16 individual 20', 'additional 14', 'association analysis result', 'gli1 associated imf', 'line microsatellites', 'exon untranslated', 'ld freezing cooking', 'number tyrosine', 'pcr new method', 'identified 192 119', 'composition protein', 'qtl location 45', 'myo3b 74x10', 'used identification', 'permutation according', 'using 600k', 'eqtl analysis f12', 'looked possible', 'strength test performed', 'locus influencing ph', 'udder score respectively', 'novel mutation bmp15', 'paternal half', 'closely located', 'refine list', '7637 16963 31', 'data 000 snp', 'role maternal genetic', 'region chromosome 10', 'lp tnfα', 'region associated susceptibility', 'future study molecular', 'progeny grandchild randomly', 'population analyzed', 'dpr genotyping performed', 'information historical record', 'stage genome', 'production solution leading', 'marker haplotypes', 'porcine autosomal', 'backfat station', 'scored 18', 'study combine large', 'conclusion power detect', 'affecting day', 'related swine feed', 'available livestock specie', 'genetics birth', 'linked traditional', 'bb pig', 'tested disease 264', 'used assign weight', 'development embryo', 'chicken technique detect', 'plag1 ncapg', 'sheep breeder association', 'scan romanov texel', 'bta26 largest', 'lgb1 snp rs1143515669', 'prevent breeding animal', 'boar crossbred progeny', 'largest gwas', '42 233 record', 'scenario different', 'genotype reveal', 'chromosome sw1037 sw1953', 'type ancestor modern', 'association snp backfat', 'reducing number', 'useful information', 'qtl position qtl', 'highly significant height', 'calculation used', 'abt calculated', 'body weight bw', 'importantly study detected', 'correlated trait example', '13 717 animal', 'identification calving', 'variation mastitis resistance', 'thickness sixth', 'phenotypic effect genome', '119 mb ssc8', 'breed huiyang beard', 'marker overlapping region', 'calculated esr', 'modified horn interdigital', 'linkage information result', 'probability false', 'role stabilizing', 'service number', 'associated ep', 'regression analysis detected', 'using truly', 'major snp window', 'analysis identify quantitative', 'block asga0100525 asga0055225', 'process involved growth', 'valdostana red pied', 'surrounding marker influencing', 'telomere homologous', 'array identified', 'favorable allele israeli', 'gb method finally', 'studied effect sensory', 'underlying fertility', '10 total', 'slc5a1 slc5a4 conclusion', 'significantly affecting', 'marker resulting total', 'upstream element binding', 'oc spanish purebred', 'detect association general', 'measurement day', 'signal iowa', 'immunodeficiency virus hiv', 'yield selection', 'coat slick', 't32742468c g32742603a c33379782t', 'teat 12', 'implantation sustained', 'buffalo substitution', 'region 168 cm', 'tmem145 cic detected', 'usually carcass', 'performed 660', 'mutation cast genotyped', 'cross duroc pietrain', 'pig carrying', 'bta 10 bta', 'cell polarity complex', 'detected luh weight', 'quality trait 003', 'result total 365', 'total 12 snp', 'weight age commercial', 'yield qtl located', '11 respectively aim', 'chicken performing genome', 'needed confirm polymorphism', 'gene identify allelic', '353 animal genotypic', 'ratio 25', 'carcass trait confirm', 'neonatal death specie', 'trait korean', 'brock pallister hall', 'colour cattle bovine', 'response invasion', 'identified chromosome genomewide', 'bmp1 slc19a1 icelandic', 'analysis seen individual', 'lea narrowed cm', 'trait analyzed local', 'gene analysis highlighted', 'afe covariate', 'maf 25', 'gwas detected snp', 'including parental information', 'rate growth', 'different age yearling', 'value used observation', 'widely studied', 'independence test', 'map covering 18', 'myog gene pair', 'malignant melanoma', 'efficiency trait nelore', 'aim improve animal', 'fmo5 494a boar', 'affecting post weaning', 'ciliary function', 'snp relative', 'skip compared large', 'qtl affecting mean', 'linkage map developed', 'qtl detection study', 'snp 11040379c 167h', 'segregating locus verified', 'sire genotyped 40', 'mapping locus responsible', 'size feathered', 'location qtl meat', 'predicted milk bhb', 'cutaneous melanoma applied', 'fbmd genome scan', 'separately pedigree', '1995 region significantly', 'association triplet delivery', 'gebvs converted', 'chromosome hsa5 containing', 'specific population', 'ma offspring', 'polymorphism gene related', 'trait pig detected', 'brown 10 reggiana', 'identified expression correlated', '05 pl', 'bovine carcass weight', 'relationship snp', 'swine viral pathogen', 'removed quality', 'significantly associated tenthrib', 'population 1343 trout', 'year qtl', 'separately frequency 55', 'selective pressure', 'level respectively result', 'shedding marker disease', 'multivariate technique', 'ewe present multiple', 'disequilibrium igf2', 'marker allowed fine', 'study reported quantitative', 'chicken chromosome gga1', 'nudt7 member', 'pietrain dupi', 'qtl associated esc', '33 phenotypic', 'custom growth', 'polymorphism broiler', 'gblup wgblup bayesr', 'investigation function', 'study including', 'qtl eqtl', 'snp consequently barki', 'role tight junction', 'sample 122 taurine', '70 menorca', '600 snp', 'pc1 body', 'loki demonstrated feasibility', 'qtl segregating', 'search genomic region', 'significant height associated', 'grm4 allele benefit', 'thickness bft rump', 'cl 62', 'determined f41 adhesion', 'sheep autosome detection', '49 691 commercial', 'affecting facial variation', 'encoding alpha chain', 'insulin lactate', 'gastrointestinal nematode haemonchus', 'expression backfat loin', 'performed gushi', 'fetus animal 226', 'value 10 13', 'variation viral', '47 interesting region', 'study connected', 'respiration rate', '24 linkage', 'innate response', 'mixed nematode', 'pathway sb pig', 'progeny explaining', 'reduced observed significant', 'investigated known', 'fasn snp rs41919999', 'sperm scrotal circumference', 'emission rfi difficult', '179 kb 16', 'highly expressed liver', 'population loin', 'low marbled', 'probability unlinked background', 'pair primer designed', 'protein milk yield', 'recorded united state', 'content present', 'beta tgf beta1', 'account 10', 'data consisted 785', 'known scurs female', 'holstein dairy', 'plasma igf', 'pietrain sow', 'content heritabilities fatty', 'content increase', 'gramd1b ndrg1', 'test method', 'gga1 based biological', '33 0001 35', 'marker predict bone', 'used present study', '0224 breed result', 'deposition muscling growth', '23 cm', 'error estimated using', 'explained difference', 'solid black white', 'trait gene previously', 'maternal effect', 'explored identify gene', 'pig knp', 'association value lower', 'qtl haplotype group', 'fat fat', 'influence prrsv', 'trait single strand', 'density lipoprotein validate', 'jersey genomic', 'related immune competence', 'slc6a3 clptm1l pparα', 'balance investigated german', 'l990 cart', 'quality product', 'observed prkag3', 'production trait performed', 'change physiological', 'bta14 bta15', 'ph sm ssc3', 'c4535156t 1591t g4533815a', 'aa 528 cg', 'moderate genetic correlation', 'physiological state pig', 'leaner meat', 'region selected', 'set 93', 'f41 reported previously', 'appears underlying', 'tenderness commercial level', 'combination association', 'male recombination fraction', 'calf 14', 'fec 01', 'selected fat', 'support polygenic', 'le 01', 'microsatellite marker fcb128', 'determine nucb2 expression', 'infected eimeria', 'horse equine genetic', 'population mapped quantitative', 'digestion absorption', 'region distinguished', 'consistent hypothesis allele', 'indigenous cattle population', 'oar23 marker', 'caused qtl', 'seven newly developed', 'selection improved', 'line haplotype single', 'function hypothesized', 'muscle finding subsequent', 'psap selected', 'useful dissecting', 'adjusting multiple', 'correlated body height', 'end 1990s causal', 'utilized identify', 'g75a exon', 'allele tryptophan', 'phenotypic data 37', 'significant 01 allele', 'following colubriformis', 'form combined data', 'seq snp significantly', 'individual epistatic qtl', 'ossification adipose', 'color conducted interval', 'genetic background necessary', 'ssc6q12 comparative mapping', 'assessed open', 'significant snp fell', 'shank related', 'heat treatment seventh', 'pairs formed', 'fmo5 pig', 'multiple selection index', 'information analyse', 'ld analysis showed', 'matrix constructed 50', 'trait fat yield', 'merely linkage true', 'average instron', 'biological genetic', 'effect myog', 'favorable lower rfi', 'variability bovine', 'poubw1 play important', 'indigenous pig breed', 'resistance information derived', 'yw bwt', 'trait mc4r backfat', 'total 29 putative', 'iteration iii using', 'cattle bull scan', 'snp showed stronger', 'demonstrated white', 'holding capacity meat', 'unbiased prediction gblup', 'fmdv previous publication', 'human milk decreasing', 'showing nonzero heritability', 'skeletal size variation', 'sign separately', '13 calving', 'bovine rhesus monkey', 'prdm16 gene', 'economy body', 'ability detect true', 'snp seven suggestive', 'belonging 22', 'tend cause', 'correlation tenderness intramuscular', '16 qtl', 'involvement energy metabolism', 'porcine chromosome following', 'pat target', 'sd result', 'maremmana breed', 'large scale outbred', 'bovine skeletal', '81 mb', 'genetic marker related', 'polymorphism total', 'locus containing', 'plasma igf nonesterified', 'composition prkag3 fasn', '19 associated', 'animal subtype presented', 'hsa5 containing strong', '000 cells', 'sheep breed share', 'used meritorious', 'availability phenotypic', 'used seek qtl', 'limb bone medium', 'occurred dik8042', 'higher eating quality', 'protein yield result', 'chicken objective', 'flavour qtl', 'melanoma birth', 'nuclear protein allele', 'mb harbored htr2a', 'increased fat deposition', 'microsatellite marker equally', 'trait a17g', 'dairy sheep experiment', 'sensory smell process', 'porcine lepr polymorphism', 'importance use knowledge', 'identified 12', 'quantitative trait gene', 'shown cell death', 'compared result earlier', 'holding capacity serum', 'detected multiple variation', 'sampled transcription', 'variance information help', 'bw 550 kg', '20 item questionnaire', 'variant regulatory snp', 'cause progressive forelimb', 'used genotypic data', 'optimum performance', '10 cm marker', 'tool optimizing imf', 'trait general approach', 'carcass attribute', 'mc2r arhgap6', 'reduced qtl', '29 571 ovulation', 'identified snp feed', 'imputed 21', 'overlapped quantitative', 'rs80891106 ssc7', 'greatly implied', 'increase protein percentage', 'trout aquaculture', 'csrp3 porcine muscle', 'additive effect meat', '10 associated riboflavin', '18 18', 'snp genome', 'tm qtl carcass', 'leptin important', 'controlling bmd', 'widespread use undetected', 'divergently selected abdominal', 'cavity pericardium', 'animal classical swine', 'romosinuano sharing', 'polymorphism pic research', 'substitution phenylalanine leucine', 'fayoumi cross respectively', 'population detect', 'age bw70 fi', 'provide positional', 'liver mainly', 'approach 46', 'chicken bone problem', '32 sequence', 'defined difference', 'potassium calcium ca', 'skeletal muscle cause', 'snp current', 'snp43_g fixed pietrain', 'association analysis including', 'family mean', 'gc corrected value', 'moderate evidence', 'trait population broiler', 'region highest', 'diversity different pig', 'like metabolic trait', 'easily born', 'used pathway', 'farm infected wild', 'control showed', 'imprinted locus act', 'performed 38', 'low governed', 'reproductive trait presented', 'result useful', 'significant association involving', 'tissue type', 'gland action enzyme', 'fixation approach', 'growth positional candidate', 'snp genome wise', 'trait trait respectively', 'study increase experimental', 'horse achieve', 'protein bmp5', 'bfw region', 'megabases mb', 'slco3a1 psma4', 'danish cross bred', 'test 13', 'approximately phenotypic variance', 'ascertainment bias', 'trait quality', 'population pleiotropic snp', 'status tt', '1e 07 bmp15', 'influencing risk', 'qtl affect overall', 'previous qtl porcine', 'content match expected', 'ssr ssa20 19nuig', 'hypothalamus reduced 056', 'independent population cattle', 'eqtl search snp', 'male reciprocal cross', 'haplotype block high', 'drps compared', 'data dairy cattle', 'gene region gene', 'identified previous', '110 mb', 'test adgtest', 'gain evaluate', 'multiple snp quantitative', 'genotype proven successful', 'emmax larger similar', 'combination high', 'away peak', 'cow plink', 'feed intake rfi', 'method followed', 'based copy', 'injection nesfatin saline', 'recently study', 'genetic variability heterozygosity', 'similar size qtl', 'week carcass', 'ancestor modern', 'window age', 'partially inbred commercial', 'gene analysis detected', 'combining breed dominated', 'lrt 24 suggestive', 'refine quantitative', 'asthmalike inflammatory disease', 'rps20 study', 'trait meat colour', 'comparative analysis', 'fish mapped chromosome', 'etec f4ab', 'function gene highlight', 'result combined comb', 'tetra primer amplification', 'detailed study chromosome', 'sequencing technology roche', 'surrounding rs43032684', 'gland epithelial', 'estimated simple', 'musculus longissimus lumborum', 'maximum spacing', 'cd1 mouse', 'follicle stimulating', 'pedigree based multipoint', 'texel sheep population', 'trait related water', 'endocrine fertility', 'production 104 concentration', 'flock challenged', 'model 120', 'line etiologic relationship', 'trait tenderness color', '10 18', 'breed opposite', 'culling dairy cow', 'subsequently determine', 'family 1026', 'important pig', '70k ggp porcine', 'milk fat contains', 'selected study based', 'specific linkage map', 'sperm quality', 'closest significant snp', 'chromosome sw1996', 'multiple quantitative trait', 'concentration ketone body', 'regarded characteristic environmental', 'clean greasy fleece', 'marking pattern', 'deposited genbank', 'osteochondrosis dissecans hock', 'parameter total', 'architecture help increase', 'significantly snp 315t', 'natural infection', 'conclusion wb', 'cow bta23 significant', 'sequence variant 10', 'application future', 'phenotypic effect location', 'composition bovine skeletal', 'linked rhode', 'ib used', 'better selection trait', 'improved prediction accuracy', 'designed investigate tlr', 'response conducted eqtl', 'qtl limb bone', 'varied 03 16', 'indigenous cattle', 'group evolutionarily conserved', 'cab castrated', 'chromosome wide 01', 'including egg', 'fertility main reason', 'ppard glp1r', 'investigate qtl segregating', 'cross concentration fatty', 'analysis 313 bp', 'curve addition strong', 'cytomegalovirus zinc finger', 'addition genetic', '44 growth', 'initially pig', 'ranging 20 genotype', 'snp 15 gene', 'common parent qtl', 'zebu composite breed', 'snp allele', 'johne disease jd', 'npffr2 slc4a4', 'bta5 297', 'considerable variability', 'ham ham', 'krtap11 mis18a olig1', 'male higher', 'pressure treated peak', 'function regulation hpa', '167 262 significant', 'progeny experimental', 'subunit difference', 'make available', 'identified ssc4 ssc13', 'gga24 qtl', 'multi locus bayesian', 'exon leptin', 'result demonstrate ph', 'mc4r gene detected', 'smaller fragment', 'welfare economic consequence', 'pig 226', 'qtl ear', 'sire fixed', 'gene 14', 'successful reducing', 'level transcript 636a', 'subsequent human', 'composition precluded', 'cross model using', 'improve range meat', 'sequencing project development', 'rs80971725 ssc14', 'extent utt relative', 'genome region high', 'related trait sow', 'milk cheesemaking', 'representing infection gradient', 'rs133498277 rs41919984 rs41919985', 'chicken contrast', '80 weighted analysis', 'allele additive maximal', '27 experiment wise', 'progeny 136', 'technology methodology', 'finishing period', 'herd level scc', 'direct maternal', 'region bta29', 'association result commercial', 'biological relevance', 'swine fibroblast', 'population provides continued', 'performed furthermore plumage', 'implementation multiple', 'located formed', 'bta9 bta24 suggesting', 'weight gain birth', 'duroc pig evidence', 'thickness rft', 'itih cluster', 'prevalent skin disorder', 'studied data used', 'teat italian large', 'proportion cell', 'region analysis interval', 'grandsire svm2', 'report complete qtl', 'proviral load represents', 'evaluate genome', 'backfat 25', 'selective genomic approach', 'evaluated record 806', 'olfactory gene gene', 'environmentally dependent', 'catalyzes rate limiting', 'evolution immune pathway', 'eca 10', 'measure large', 'worldwide selective breeding', 'additionally locus', 'related fe additionally', '447 holstein friesian', 'evidence discrete set', '1591t g4533815a 250a', 'detected genome wide', 'fto snp growth', 'trait week age', 'increase yield high', 'quality trait qingyu', 'experimental animal consist', 'line mapped', 'serum ige', 'test logistic regression', 'correlation mfi mar', 'mir furthermore', 'robust method', 'overlapped 12', 'conclusion high', 'genotyped 700k illumina', 'significantly affect', 'difference comparison hybrid', '0114 respectively', 'modeled fixed effect', 'presence specific haplotype', '0114 respectively lewontin', 'using reverse', 'compared obtained cross', 'sampled terminal sire', 'improve hen', 'expression 489c 1264c', 'rate responsible', 'assembly single', 'marker total 64', 'highly immune', 'attainment puberty observed', 'conclude plin1', '001 snp segregating', 'nematode resistance region', 'gene family identified', 'son founding', '23 24 semen', 'nucleotide polymorphism identified', 'trait 607', 'display polyceraty', 'reinforce need fine', 'gemma software', 'swine respiratory', 'associated viral antibody', 'rac delineated 32', 'receptor ryr1 causative', '12 trait 76', 'bonferroni correction values', 'qtl interval', 'region reported androstenone', 'carried fatness', 'fa composition dairy', 'population includes animal', 'mapping revealed', 'leg fat', 'trait aim', 'single trait model', 'affect fat metabolism', 'identified locus population', 'ebv comparison', 'respectively egg', 'akr1cl2 akr1c1 mapped', 'day 113kg', 'based litter', 'radiation hybrid imprh', 'way candidate gene', '27534932a genotype', 'family structure ignore', 'length shoulder weight', 'associated novo', 'control fatty', 'difference mrna', 'intermediate heritabilities', 'chip single', 'complex fbxo32 previously', 'acidic protein responds', 'cow genotyping data', 'disease resistance sheep', 'computed american angus', 'intake feeding', 'porcine adiponectin adipoq', 'important olfactory', 'growth egg', 'sow discrete canalized', '282 snp', 'artificial insemination purebred', 'test day yield', 'digital dermatitis', 'time pcr qpcr', 'design gene editing', 'control native british', 'thigh marker', 'cheese making property', 'new experimental data', '142 div', 'conclusion finding', 'genetic correlation 69', 'variance enssscg00000018823 located', 'household food security', 'response wound healing', 'meat quality human', 'suggesting polygenic architecture', 'detecting mutation', '433a allele associated', 'model fitting', 'quality economically', 'estimated polygenic heritability', 'drug recently vaccination', 'qtls effect', 'located finally different', 'trait reciprocal cross', 'chromosome mean distance', 'order conduct qtl', 'interval qtl dq124298', 'genotyping total 789', 'chromosome lfec1', 'imf content 01', 'grouped opn haplotype', 'disease genetic factor', 'located genome snp', 'consisting 20', 'ct ct', 'total 150', 'factor small phenotypic', 'intake adfi detected', 'despite major advance', 'evidence genetic predisposition', 'dairy ewe', 'fast detection', '140 kg significant', 'value trait total', 'variation natural', 'regression seventy snp', '42 single', 'iia ssc6', 'fattening period', 'result constructed', 'narrowed interval cm', 'significant nominal 10', 'body size fl', 'old experimental', 'beef cattle aim', 'based linkage combined', 'expression analysis showed', 'polymorphism regressed', 'detected 5971', 'protein casein fat', 'subsequent marker assisted', 'qtl detected subtrait', 'trait meat ph', 'located gene exon', 'factor value 0x10', 'meat quality native', 'substitution acylcoa diacylglycerol', 'inferred tagging snp', 'chromosome 18 single', 'gene gdf9', 'associated multiple trait', 'locus effect chromosome', 'absent 23', 'identified chromosomal significance', 'relevant quantitative', 'significant enrichment value', 'reached fixation', 'middle chromosome mb', 'potential applied', 'revealed heritable dh', 'health record', 'maternal allelic effect', 'result population', 'arm chromosome result', 'gene gene mapped', 'stage modelling', 'background contemporary', 'cc association analysis', 'esr allele', 'refine location causative', 'influence analysis', 'cm le', 'role myofiber', 'skin percentage chromosome', '11 differentially', 'mapped close', 'difference fat deposition', 'breaking force detected', 'anion transport', 'max difference', 'reduced polygenic heritability', 'consumer acceptance homozygous', 'respectively tbrd', 'weight drumstick', 'pathway qtl account', 'economic trait sheep', 'incidence microbial pathogenic', 'exchange glu13asp', 'ngs 104610 104', 'concentration indicator subclinical', '13 combined', 'located 78', 'suggested play', 'quality trait chinese', '33 03', 'intercross total 76', 'pleiotropic effect chromosomal', 'genetic mechanism fatty', 'ovine hd', 'genetic variation somatic', 'scanned using granddaughter', 'bmp7 associated', 'dam measured', 'expression mrna', 'estimate loin muscle', 'disease compared inheriting', 'gga2 11', 'second primarily', 'milk method', 'expression significant benefit', 'qtl2 region respectively', 'black limousin cross', 'composition somatic cell', 'analysis comparison snp', 'examined included', 'aimed identify molecular', 'additive genetic variation', 'slaughtered near', 'eca1 specific', 'analysis using sequence', 'precision parameter', 'identified major effect', 'gene tightly linked', 'using 125 animal', 'gene sequence', 'silverside joint trained', 'offspring birth', 'total yield kg', 'red cattle ideal', 'rtn large scale', 'illumina porcine', 'contribution genetics body', 'phenotype selected egwas', 'ph1l thickness', 'snp regression analysis', 'unclear function', 'comparative genetic mapping', 'wd repeat domain', 'ovarian follicle order', 'induced tgfbi', '056 nucb2 mrna', 'american dairy', 'report combined analysis', 'snp related growth', 'substantial public health', 'trait addition technical', 'pituitary adrenal axis', 'pork better sensory', 'trait level genetic', 'respectively study provides', 'mutation underling', 'assisted selection future', 'bta14 sck2 snp', 'skin chinese merino', 'trait utilized aid', 'trait tinagl1 ick', 'mgll ncoa1 pik3r1', 'serpina6 sufficient explain', 'allele enable', 'analysed significant effect', 'function mammary', 'cow increased late', '435gg 447aa', '990 01', 'cow 94 cow', '18 kgf 60', 'detected dhps', 'reducing sequencing', 'grazing faecal', 'trait genome wide', 'microsatellite rm188', 'infected prrs virus', 'specie anatomical', 'suggest nr6a1', 'metabolic trait enabled', 'oc hock oc', 'biological indication', 'dual specificity phosphatase', 'necessary clarify molecular', 'cell cycle objective', 'genetic map typed', 'best set', 'post stress', 'chromosome 13 27', 'ewe lifetime', 'lm ssc6 quantitative', '10 fatty acid', 'fine mapping perform', 'following fine mapping', 'hd 1052', 'ib lr iberian', 'indicated snp t53729c', 'male female fertility', 'undetected box cox', 'gene strong candidate', 'cattle breeder', 'lower carcass quality', 'population qtl search', 'total 730 cm', 'combined averaged', 'esw yolk weight', '07 heterozygote 29', 'sb number mummified', 'tissue testosterone', 'cross measured', 'susceptible animal', 'adult bull', 'genetically distinct inbred', 'mapping sus scrofa', 'depends power detection', 'individual designed', 'age f8', 'combination design addition', 'phosphorylated phosphoinositide', 'clarify molecular', 'effort test hypothesis', 'psap gene significantly', 'constraint small ruminant', 'using 132 snp', 'initially 139 genome', 'influencing ewe ability', 'result effectively', 'layer need', 'rf approach', 'heritability estimate trait', 'form cytoplasmic', 'basis test', 'hypothesis duplicated', 'c12 content reach', 'line romney perendale', 'random regression considering', 'bull h1h1 agag', 'chromosome 168', 'binding protein fabp', 'health evaluated', 'indigenous ecotypes', 'nrr french dairy', 'second lactation lp2', 'gene identified expression', 'detected qtls highly', 'contrast meat', 'fst snp', 'development study', 'dik2291 fine', 'variation prdm16 gene', 'c18 nineteen', 'covariates calf', 'cm 26', 'genoprob prior', 'effect mrna', 'identified qtl breed', 'resource population showed', 'genome information', 'offspring charolais bull', 'associated lma', 'analysis showed significantly', 'cross commercially relevant', 'result dairy', 'alanine threonine amino', 'identified carcass', '8021 1979 8209', 'research date focused', 'study causal', 'nup88 fkbp10 ssc12', 'contribute variation bone', '42 01', 'behavioural trait', 'broiler 50 generation', 'trait conducted pph', '71 69', 'value 000031', 'ex12 snp', 'present newly detected', 'study qtl analysis', 'applied thousand 919', 'present 17', 'utr restriction', 'contribution hind limb', 'bta2 14 22', 'immunological wound healing', 'study used detect', 'repeat domain 29', 'assay illumina san', 'production level autosome', 'scanning significantly', 'successful detecting association', 'excluded remained 40', 'swine minor', 'significant threshold', 'breeding pregnancy', 'hoc simulation', 'localized linkage', 'human animal alike', '16 opposite sign', 'dcd differed', 'possibility available', 'pig chromosome 11', 'fetlock ocd equus', 'validate proposed', 'ontology previously', 'region historically', 'gnaq gene potential', 'wb shear force', '2449c 6723a allele', 'search new genetic', '13 microsatellite locus', 'previously identified significant', 'percentage afp', 'significant biological', 'swine investigation', 'gwas standard', 'cnv harbor exon', 'different region qtl', 'exact test', 'milk peak', 'gene small', 'study 21 day', 'holstein cow genotyping', '13 exon 12', 'region associated milk', 'correlated variation muscle', 'associated early', 'susceptibility cohort', 'reciprocally imprinted', '054 putative qtl', 'gene purportedly play', 'family selected study', 'inherited developmental', 'observed ibk', 'haplo types snp', 'polymorphism polymerase chain', 'reduced fertility', 'gene protein', 'immune disease production', '8308 1692', 'majority association', 'growing public concern', 'reproduction population', 'tail 10', 'associated meat ph', 'concentration significant', 'measured hematocrit', 'activity acvr2a', 'testing remaining snp', 'breed multitrait multi', 'mu large subunit', 'meishan cross', 'numerous quantitative trait', 'testicular weight 300', 'detect true association', 'qtl compared analysis', 'technological trait presently', 'higher cn associated', 'bull maternal half', 'ii prkag3', 'yield cheese additional', 'white caused partly', 'analysis finding demonstrated', 'population genotyped using', 'classical fat trait', 'goat susceptibility', 'deviation dyd', 'significant 24', 'determined permutation based', 'inhibition bmp5', 'egg number uncorrelated', 'problem farm', 'genoprob predict', '528 hsp90aa1 flanking', 'inflation rate result', 'ldla 13', 'bta14 dienoyl', 'mis18a olig1 olig2', 'pertained btb', 'tolerance handling previously', 'model used estimate', 'analysis conditional', 'estimated based', 'disorder dairy cattle', 'linked genetic', 'structure pivotal producer', 'cause substantial economic', 'france german', 'spectrometry meat type', 'bull german', 'horn production frequent', 'lactose lg', 'regulating fetal growth', 'wide cnv association', 'chromosome explain large', 'asp582gly berkshire', 'clearly link function', 'radius bone', 'trait identifying', 'prediction using', 'v293a gene genotyped', 'window 27 statistically', 'multiple role immune', 'ghanaian chicken genotyped', 'quality trait finding', 'parameter study', 'genotype cc', 'depend environmental', 'pattern behaviourally feather', '44 78 cm', 'indicate instead', 'indicating large', 'useful information studying', '1710c predicted change', 'ovulation rate observed', 'ld individual marker', '16 region significant', '162 microsatellite', 'holstein enoyl coa', 'reported incidence', 'dairy cattle report', 'relationship studied trait', 'wild ancestor', 'partly converged previous', 'role abdominal fat', 'genotype bovinesnp50 beadchip', 'transcriptase polymerase chain', 'breed marker presented', 'disease production', 'frequent use acaricide', 'panel variation gene', 'different boar', 'management country', 'mon 2203 6321', '10 bayes', 'threshold association', '90 animal', 'large effect instron', 'resistance generally', 'boar abnormal', 'account majority', 'published result host', '10 63 10', 'snp mlk fat', 'family test', 'animal production enables', 'feed intake average', 'qtl effect generally', 'design efficient', '003 average daily', 'new linkage', 'qtl 19', '50 43 13', 'fiber area', 'experimental data analysed', 'analysis total 11', 'teat mammary', 'taken order', 'snp afc ep', 'estimated 20', 'identified genotyping', 'muscle depth', 'size number pig', 'economic loss production', 'experiment including snp', 'synthase gene', 'rad23b locus extensive', 'global selection', 'snp rxra gene', 'university berkshire yorkshire', 'component condition family', 'physiological meat', 'shearing coefficient variation', 'marker large israeli', '17 phenotypic', 'jd caused mycobacterium', 'following trait including', 'bta 17 igg1', 'genotyping snp useful', 'result interpreted', 'suggestive association mean', 'cm 25', '995g 4321a', 'underlie variety', 'gene considered', 'eqtl associated cyp1a2', '46 1033 day', 'rs81332615 ssc13', 'warmblood different trait', 'acid desaturase fads2', 'qtl associated calving', 'sa detected snp', 'categorical trait threshold', '10 qtls', 'population snp3', 'milk protein content', 'ease 16', 'tested departure', 'architecture combined', '3290t snp', 'period heat stress', '9400 51', 'breed background', 'capacity thawing', 'explains small', 'pig breed differential', 'skin furthermore mutation', 'lg 58 la', 'load sire psap', 'concentration polymorphism non', 'accession fj515744 bovine', 'different rao case', 'showed 11 snp', 'spacing 15cm trait', 'investigated trait highly', 'algorithm detect', 'score 129', 'behavior chicken poorly', '0003 cast 155c', 'conclusion gwas identified', 'sheep 48 198', 'allele associated significant', 'important source', 'total protein albumin', '22 chromosome including', 'wool trait experimental', '1400 cnvrs 50', 'characteristic pig', 'gene common haplotype', 'major histocompatability', 'somatic growth understanding', 'underlying cattle growth', 'status map result', 'enable production', '59 04', 'locus qtl ass', 'healing larger', '882 test day', 'need increase', 'c18 1n9c c18', 'fertility trait associated', 'disease status genetics', 'circumference normal horned', 'phenotype attributed ovine', 'allelic frequency allele', 'background migration porcine', 'sample missense polymorphism', 'cmya1 gene effect', 'pde3a pdgfrb csf1r', 'snp horse', 'subset large effect', 'qtl express blood', 'sexual maturation', 'estrus presence boar', 'muscling overall', 'total 139 microsatellite', 'charollais 851', 'high identity', '048 landrace', 'commercial line composed', 'evidence segregation additional', 'study perform', 'suggested mirna 1606', 'lep gene sequence', 'clinical mastitis milk', 'marker improved romney', 'non overlapping', 'spleen cecum', '50 80 cm', 'genotyped rorc adjacent', 'consequence adult', 'kaiser criterion jolliffe', 'synonymous snp lepr', 'including carcass', '01 84 cm', 'population 23 926', 'acid composition reported', 'weaning yearling', 'linked quantitative trait', 'widely predominantly', 'follicle morphogenesis effect', 'analysis snp database', 'cm fat', 'evoke enhance gin', 'chicken age 12', 'week age genotyped', 'bw49 bw70', '41 potassium', 'implemented mainly holstein', 'previously identified region', 'performance safety tennessee', 'square regression analysis', '12 qtl affecting', 'serpine1 significantly associated', 'tspan9 mrps30 tex14', 'teat significant qtl', 'affecting economy', 'holstein data method', 'igf2 substitution', 'performance study', 'way marker assisted', 'chicken growth body', 'determination dna', 'window gebv', 'engaged removed penmates', 'combined model cb', 'gene recognized', '1985 positive 02', 'heterozygous qtl affecting', 'beef marbling standard', 'linkage map constructed', 'stockman animal microsatellites', 'trait possible exception', 'dairy character', 'adg genotyping 157', 'chromosome 85', 'objective intramuscular', 'variation innate ti', 'effect observed ttn', 'world result', 'normal bone', 'isoleucine substitution', 'weight spawning', 'developmental gene fak', 'heterozygote rs43032684', 'microtia sheep', 'presence pseudoautosomal region', 'culling rate influenced', 'using 14 microsatellite', 'knowledge dairy', 'mortality face', '524 progeny tested', 'snp association meat', 'coincidence qtl', '479 521 snp', 'process variant filtered', 'pig study agrees', 'pde4b estimated', 'breeding program animal', 'foot breast', 'linkage analysis variance', '65 99 cm', 'analyzed association highly', 'determinant reproductive', 'weight shank', 'effect mstn', 'function fat metabolism', 'damara genotyped 606', 'leading reduced expression', 'designated poubw1', 'circumference identified', 'combination high throughput', 'scan performed commercial', 'replicated previously reported', '17 02 20', 'selected carefully', 'used genotype 337', 'form basis', 'tnf mediated btb', 'receptor 2a general', 'underlying genetic background', 'week 22', 'cross pig earlier', 'gamete correlated conclusion', 'mechanism actively control', 'respectively esr2', 'result phenotypic genotypic', '12 growth', 'b2 conclusion', 'individual introduction scd', 'f2 pig white', 'mc4r different pig', 'performance complex mainly', 'total 12', 'affected animal', 'provide information', 'reached chromosome wide', 'allele new allelic', 'yorkshire dly duroc', 'region 14 chromosome', 'discover novel qtl', 'qtl significantly affecting', '45 calculated esr', 'study large population', 'quantitative molecular', 'gain average daily', 'cell carcinoma', 'constructed functional network', 'map typed 40', 'autosome qtl associated', 'establishment optimal uterine', 'shank length birth', 'underlying metabolic', 'gene affect body', 'selection method', 'objective identify', 'block built', 'concordant significant', 'difference fat', 'trait gwas multi', 'ppp3ca gene', 'reported qtl', 'application various additive', 'produced line hen', 'population foundation', 'sire included covariate', 'structure soundness', 'association detected 11', 'high ph1l pig', 'chromosome oar', 'sc chromosome quantitative', 'white lw animal', '073 pp respectively', 'corresponding different', 'holstein cattle using', 'sided displacement', 'panel advanced study', 'trait tibial', 'polypeptide wd repeat', 'scan production', 'mortality economic loss', 'model presented best', 'different plumage color', 'variant control', 'adipocyte heart', 'kb sequence ligand', 'association 10 phenotype', 'affecting relative', 'captured using ct', 'issued generation backcross', 'backfat qtl result', 'association odds', 'phenotypic variance 01', 'serotonin transporter slc6a4', 'bcdo2 obvious', 'snp remained analytical', 'form fundamental basis', 'clustering analysis performed', 'identified downstream', 'snp array genomically', 'basis complex trait', 'covariate gwas', 'exerted antagonistic effect', 'account adjust population', 'ab ac abc', 'report refined analysis', 'result analysis showed', 'sheep determined', 'function responsible reproduction', 'test account multiple', 'age explained', 'associated trait strongest', 'inra40 color', 'targeting qtl region', 'detection extreme', 'lpl potential', 'carried using resource', 'sow homozygous genotype', 'overlapped highly', 'link ucp3', 'outbreak identified', 'selection pressure acting', 'postalbumin 1a ryr', 'ryr1 prkag3', 'intercross domesticated', 'ssc dscam', 'exon mutation alter', 'significant qtl reached', 'cross belgian', 'fine mapping subsequently', 'direct breeding value', 'moisture intramuscular fat', 'single stranded conformational', 'version method', 'gensel version 61', 'bta bcse', 'analysis performed filtering', 'descent sharing', 'respectively interestingly', 'conclusion gene', '15 mb ssc13', 'bone quality trait', 'gene responsive', 'study http www', 'trait nematode', 'haplotype determined', 'height ah', 'used evidence qtl', 'shown lysosomal', 'additive effect carcass', 'gga1 hw trait', 'identified 79 genomic', '7637 16963 uw', 'characterizing infection status', 'fp used highly', 'related pig', 'pig furthermore porcine', 'biochemical activity', 'specific trait analyzed', 'variant described', 'marker interval sw1302', 'identified selective', 'population number', 'fetlock osteochondrosis', 'utr 114', 'stage conclusions', 'concentration cattle', 'publication qtl', 'genetics lda', 'breed specific indicating', 'mapping qtl half', '74x10 recessive model', 'interval strong', 'linked antagonistic relationship', 'nominal 10 43', 'using large sample', 'snp result amino', 'specificity qtl', 'measure thermotolerance', 'significantly 96', 'susceptible prp', 'improved power', 'parental breed', 'kyphosis mb window', 'map qtl classical', 'snp consistently associated', 'large color variation', 'single qtl compared', 'informative microsatellites 15', 'acid cla vaccenic', 'proopiomelanocortin pomc gh', 'described study', 'swedish yorkshire', 'detected 265', 'region chromosome chromosome', 'reported study previously', 'approximately 550', 'using genotype 24', 'weaning yearling bw', 'decision aim', 'wide make difficult', 'acaca relevantly', 'ih cow', 'involved meat', '81 relevantly', 'smai introduced tth111i', 'androstenone biosynthesis', 'entire study', 'lead increase', 'imf imw 05', 'genomatix software', 'trait studied cloning', 'total 1021 116', 'angus simmental', 'facilitate search causal', 'mrna rt pcr', 'notch1 slc6a3', 'contortus month age', 'mediated cytotoxicity', 'trait postweaning', 'locus qtl intramuscular', 'select le susceptible', 'associated lactose', 'used parent experimental', 'utility gene', 'receptor mc1r known', 'segregated according', 'gradient gel', 'poultry industry reciprocal', 'gene direct sequencing', 'mutation consequence linkage', 'qtl pp near', 'assessed trait beef', '59 qtl', 'cm away peak', 'haplotype milk somatic', 'management decision aim', 'component phenotypic variance', 'common wld su', 'including gwa analysis', 'origin likely domestication', 'position chromosome estimated', 'beef cow', 'allowed detect pig', 'productivity previous', '17 gene gene', 'hypocholesterolemia chronic', 'jointly fitted', 'genomic marker data', '93 mb 119', 'udder trait 37', 'underpowered different quantitative', 'swr345 ssc2 s0143', '405 age puberty', '18 qtl carcass', 'mammal specie including', 'elovl7 scd', 'igf2 genotype concluded', 'polymorphism bmts', 'survive east african', 'accounting variance', 'middle sequence producing', 'effect evaluated comparison', 'functional information', 'acid content ppn0', 'locus 10 mbp', 'selected gene potential', 'mapped livestock', 'indicated causal mutation', 'total 18', '335 chicken', 'bull method', 'qtl serum triglyceride', 'sscp method applied', 'ulcer sus white', 'cohort trait measured', 'uterine horn', 'worldwide understanding host', 'family difference canonically', 'line divergently', 'improving feed efficiency', 'grade dmi', 'immunisation experimental animal', 'ampk protein', 'region relevant platelet', 'threshold 2000', 'total 750 genotyped', 'family derived pa', 'performed pointing snp', 'role imprinted', 'core binding', 'variant en', 'trait concentration mineral', 'snp chromosome 10', 'advance estimated large', 'demanded genome wide', 'candidate gene dopamine', 'introduction variance', 'immunity related', 'gene growth', 'nesfatin saline', 'linkage group gga1', 'gwas gblup improved', 'identified combining', 'inflammation immune', 'analysed trait related', 'bp indel increased', 'puberty 09 conclusion', 'production trait evaluated', 'marker associated hcw', 'size revealed', 'discussion result', 'differing genotype', '293 130 163', 'vlt viral load', 'remaining trait', '151 160', 'previously undetected', 'growth rate study', 'interval classical fatness', 'large floppy', 'pla2g10 rad51c', '29 reached genome', 'population 383', 'suggested influenced function', 'lbw abw total', 'challenge faecal', '8774 1226 8021', 'based sequence', 'snp gga2', 'salmonella abortusovis vaccinal', 'hgd draiii genotype', 'study described', '64 extreme high', 'evidenced segregation', 'protein gene gbp1', 'cattle investigate', 'prrsv infection differentially', 'regression marker', 'heritability frequently', 'genotype genotyped 337', 'explained 45', 'correlation information theory', 'cross analysis highly', 'breeding 1994 genome', 'gain additionally 25', 'established location bves', 'present previous result', 'serum pepsinogen level', 'encompassing eps8', 'binding lta', 'gene positional candidate', 'size effect', 'follicle sow', 'characterized rodent rabbit', 'containing 605 son', 'comparative sequencing bmp5', 'effect decreasing c18', 'including 13 exon', 'chromosome 21 23', 'srb separately study', 'mean ifc abt', 'number square', 'sire 417', 'manage tick', 'qtl em localized', 'thickness 01 carcass', 'gene regulate metabolism', 'eared breed', 'daughter sired', 'region 106 108', 'gene conserved', 'reciprocal intercross', 'descent haplotype sharing', 'gene conclusion finding', 'weight weaning weight', 'chinese local breed', 'window confirmed mapped', 'width measured', 'ld 20 distance', 'comprising 434', 'effect case evidence', 'consistent qtl mapping', 'predictor bayesian', 'result study provide', 'rate evolution virus', 'aerosol followed', 'marker effect evaluate', 'associated nutritional', 'underlying chemical', 'accurately map qtl', 'pig breeding scheme', 'regulation tnp1', 'mir133b snp total', '481 cm', 'different approach', 'medium long', 'blup value revealed', 'analyzed sci', 'aquaculture population', 'connection bone metabolism', 'syndrome prrs cause', 'utr duplication include', 'regardless post mortem', 'assumes animal', '18 significant qtl', 'using ovinesnp50 beadchip', 'mutation created novel', 'avium spp paratuberculosis', 'breadth week age', 'published able', 'exists measurement individual', 'contribution hind', 'g1 phase', '23 926 mon', 'qtl positive', 'pig growth related', 'mb lead', 'highlighted based significance', 'result gemma emmax', 'average number service', 'diplotype highest chicken', 'included information', 'analysis based mixed', 'genome involved maintaining', 'neaurp established crossing', 'vl identified chromosome', 'like serotonin', 'association seven polymorphism', '12 13 genetic', 'showed candidate gene', 'conclusion 591 kb', 'assisted breeding program', 'study pcr', 'requires high linkage', 'herd test record', 'chicken chromosome dominant', 'affecting age egg', 'cy provide potential', 'region containing putative', 'ssc2 ssc8', 'week age concluded', 'genotype 17122 thicker', 'volume platelet distribution', 'enzootic pneumonia recorded', 'conducted 152', 'gwas extensively used', 'effect association', 'cm fine', 'analysis david tool', 'practice improved', 'f1 933', 'including functional role', 'growth pig genome', 'breed fixed breed', 'depends shape', 'suggest prkag2', 'heritability help detect', 'component captured', 'suggestive effect', '96 putative single', 'oar chromosome highly', 'ovulation rate genotyping', 'blackface sheep previously', 'snp ifcifc abt', 'level allergen', 'growing welfare economic', 'situation interactivity gene', 'pig analyzed animal', '200 pig', 'effect cyp11b1 dgat1', 'involved glycerolipid', 'effect meg3 locus', 'chromosome aim', 'population litter size', 'egg production quality', 'chromosome adjust qtl', 'covering entire porcine', 'cell pig', 'activity study aim', 'mapping variance', 'synthase gene gys1', '288 recorded', '279 chicken', 'heritability estimate 44', '86 82 candidate', 'dissection fetal', 'subunit gene lead', 'muscle adipose', 'tool improvement vertebral', 'fetal growth ncapg', 'big animal', 'fcr 01 n301', 'measured individual', '31 significant', '22 751', 'lma marbling score', 'bull station bull', 'identified qtl alkaline', 'analysis different inbred', 'role pathway milk', 'new insight mechanism', 'related 17', 'postweaning bw', 'boar heterozygous', 'regression allows snp', 'genotype mc4r 208', 'variance method new', 'failed establish', 'gene validated', 'egfr candidate gene', 'ph 24 hour', 'immune taking crucial', 'allele snp', 'reporting snp regulatory', 'associated nervous development', 'cnv 2059', 'hcr1 repeated ai', 'key role chromosome', 'mbv compound covariate', 'altering transcription factor', 'region effect fat', 'value average daily', 'background infectious', 'snp genotyped informative', 'fertility animal quantitative', 'cheese production increasing', 'change milk', 'grivette olkuska breed', 'reported associated height', 'domestication related modification', 'expected progeny difference', 'determined day 35', 'sigma 0003', 'failed confirm', 'trait pbonferroni threshold', 'hb level', 'fatness trait muscle', 'value 340 bull', 'weight ileum length', 'lymphocyte lym', 'capn1 cast taurine', 'calculated different', 'cassette sub family', 'chicken high', 'significant association sc', 'increased knowledge genetic', 'promoter activity immune', 'related mastitis', 'study length cdna', 'marker trace inheritance', 'targeting area provide', 'identified allele frequency', 'mortality rate', '11 single', 'immunity involved', 'ntrk2 cdh8', 'given coat colour', 'level parametric interval', 'ct triglyceride tg', 'white adipocyte differentiation', 'animal health productivity', 'overlapping generation line', 'nearby ccnd1', 'result host genetic', 'deposition negative factor', 'myostatin 376', 'showed ahr', 'weight day 35', 'position 1574', 'sib family characterize', 'protein lipid metabolic', 'analysis indicated enrichment', 'block intrablock', 'www animalgenome', 'ucp3 polymorphism pig', 'finding reveal occurrence', 'chromosomal region harboring', 'result total 18', 'result pedigreed population', 'like lcorl', 'trait included', 'etv1 snp21 snx13', 'gene detected result', 'apoa2 lin7c cxadr', 'content bft studied', 'environmental parameter', 'conception 19', 'expression network analysis', 'affect carcass composition', 'identify qtl ssc', 'milk milk danish', 'ssc3 11', 'adapted local', 'effect sire random', 'involved linkage', 'expression level determined', 'scanning slaughter ultrasonic', 'egg layer', 'eumelanin non pigment', 'marker phenotyped seven', 'measured using', 'mineral content bovine', 'support previous report', 'difference fatness', 'variation finnish', 'fat thickness pre', 'gga1 genome wide', 'detected 50', 'lower rt', 'genetics underlying milk', 'score sc reported', 'combination association trait', 'tyrosine protein phosphatase', 'final snp', '243a dq124298', 'smad6 iqch', 'year old combined', 'maintenance gain', 'allele snp associated', 'database ncbi', 'affected healthy', 'fat identify', 'influencing different', 'fat muscle', 'culturing gut tissue', 'uterine weight uw', '75 british', 'saturated mono', 'qtl gga1 pleiotropic', 'sequence obtained low', 'segregating family', 'likelihood test statistic', 'associated opn beneficial', 'knowledge help unravel', 'identifiable qtl segregating', 'initial scan large', 'polymorphism snp wool', 'yield considered', 'gene significantly affected', 'snp chromosome position', 'specific hydroxysteroid', '768 cbs', 'fixed position genome', 'amova genotyped', 'composite strategy', 'test association snp', 'disequilibrium study concordance', 'genotype probability derived', 'rodent rabbit bovine', 'bf qtl', 'ghrhr ghr', 'ct average age', 'specific expression', 'chromosomal marker coverage', '05 breed jiaxian', 'dinucleotide microsatellites', 'gys1 gene', 'fine mapping focus', 'individual 300 fish', 'map containing 17', 'associated feed', 'mass ssc15', 'novel qtl', 'affecting marbling', 'analysis intercross', 'prioritizing snp based', 'production knowledge', 'parameter related', 'significant suggestive level', 'offspring generated somatic', 'population founded', 'using non parametric', 'significantly associated uc', 'pi population related', '552 phenotypic', 'detection understand', 'causing enormous', 'outbred founder', 'pig quite unique', 'reflect eating satisfaction', 'initial step', 'strategy reduce', 'snp50 beadchip genome', 'scd region showed', 'sf myofibrillar', 'broiler line average', 'analysed study', 'cfu genome wide', 'marker mcse3f14 umnp1218', 'taurus autosome included', 'change biological function', 'performance respiratory problem', 'cyp1a2 cyb5d1', 'month old nanyang', 'efficiently used marker', 'study overlap', 'background genome', 'study 954 animal', 'acid porcine protein', 'lamb produced 17', 'putative family qtl', 'french trotter horse', 'architecture underlying fat', 'considering high', 'oar marker haplotype', 'pathogen myxobolus', 'mapped centromeric region', 'fatness meat', 'shamo breed', 'qtl region known', 'traf2 rela elf3', 'mitogen induced', '48476925c bp', 'study identify causal', 'enriched qtls 15', 'accounted snp', 'farmer reported', 'polymorphism meat', '304 angus aa', 'lactoglobulin content finding', 'technological property', 'variation affecting cattle', 'adfi feed conversion', 'population purebred paternal', 'information qtl detected', 'ifl interval calving', 'animal centro apta', 'hanwoo linkage disequilibrium', 'polymorphic pattern 27', 'heterozygous region sire', 'nol4 meat quality', 'breed 257', 'slightly contribution', 'study result provide', 'european lean', 'udder conformation trait', 'correlated conclusion', 'constructed using cri', 'nuclear hormone', '31 equine', '158 bp untranslated', 'litter birth weight', 'duroc breeding', 'allele expected', 'reverse happened', 'illumina60k geneseek80k', 'human chromosome associated', 'nx6 backcross progeny', 'result contribute', 'percentage 52', 'demonstrated polygenic nature', 'pqct bmd dxa', 'located proximity', 'spacing 20 cm', 'trait year', 'wasting vaccine', 'vrtn genotype related', 'marbling 28 sigma', 'life spl', 'snp subsequently', 'sex management', 'gene cluster novel', '97 human', 'suggests controlled different', 'aimed confirming qtl', 'gene fat1 region', 'locus frequency', 'variance iron', 'ssc12 region', 'effect qtl meat', 'instead known aa', 'disease crossed', 'data 590 174', 'antibody response resistance', 'gene snp intron', 'sensitisation exposure mouldy', 'qtl reveal new', '820 snp 10', 'implicated incidence', 'study complement', 'suggesting locus', 'haplotype contains', 'parameter dfi', 'association analysis heritability', 'differing unambiguously regarding', 'total 2052', '115099068 bos', 'uneven concave convex', 'meat result', 'dck lifr', 'pi bta26 bvd', 'chromosome heritabilities', 'estimated correlation', 'confirmed narrowed interval', 'analysis external', 'resource population available', 'especially motility', 'region tibia', 'milk trait holstein', 'hampshire pig used', 'associated snp 11040379c', 'introduced reference population', 'hmga1 gene genotyped', 'total 11 qtl', 'multigeneration pedigree structure', 'marker passing', 'puberty 07', 'accounting 12 phenotypic', 'heritable improved selective', 'breed north american', 'informative snp potentially', 'different commercial elisa', 'previous quantitative', 'software available', 'trait artificial selection', 'network significantly', 'eth10 locus', 'ranged 09', 'fixed european commercial', 'steer snp', 'black chicken single', 'identified association fat', 'kinase jak2', 'family single broodstock', 'breed genotype significantly', 'following challenge faecal', '1828 number', 'high level heterosis', 'thoroughbred tb', 'allele associated snp', 'developed construct', 'different parity', 'human objective', 'discovered associated', 'genetic association milk', 'animal model snp', 'analysed marker', 'gene significantly interacted', 'genetic trait variance', 'run6 1000', 'infection prrsv', 'data structure similar', 'suggestive 15', 'missense decr1 substitution', '10 association backfat', 'pig trial adg', 'based bw', 'near candidate', 'mapped 89', 'genetic variation litter', 'region reached bonferroni', 'failure 85', 'resilience needed reproductive', 'g4533675c 110c snp', 'genotyped using 109', '20 13 14', 'involved disease tumor', 'fixed pietrain sinclair', 'brown 745 italian', 'cattle immunised 40', 'body energy homeostasis', 'giant panda 96', 'influence degree epistasis', 'genotyped experimental f2', 'ib meishan', '16 epistatic', '405 age', 'qtl leucocyte', 'detected season', 'qtl concentration', 'known variant bmprib', 'wise significance threshold', 'using current', 'higher resolution genotypic', 'anticipate study combination', 'study test feasibility', 'khdrbs3 fam135b significant', 'force 05', 'behaviour regulation dopaminergic', 'near stearoyl', '78 cm detailed', 'related keratin region', 'genotype 35 marker', 'previously identified purebred', 'subjected long term', '10936g haplotype significant', 'cycurd curd', 'power obtained using', 'encompassing znf613 bos', 'mttp gene play', 'identified meishan', 'snp associated gene', 'meat tenderness greater', 'suggestive snp significant', 'constructed location', 'sge immunisation', 'decision population', 'distinction confidence bta1', 'significantly differentially expressed', 'teat morphological trait', 'aim study verify', 'milk colour', 'igf2 expression level', '05 finding suggested', 'located functional', 'mirna statistical', 'obtained associated bw', 'pooling sdp approach', '150 079', 'grandparent parent', 'study provide crucial', 'role identified candidate', 'confidence bta1 qtl', 'located pig', 'gga mir 1596', 'animal hampshire landrace', 'develop selection', 'mbl gene study', '78 located quantitative', 'involved chromosome', 'polymorphism sterol', '856 527 imputed', 'fertility trait bta04', 'mutation growth', 'analysis milk fatty', 'covering chromosome', 'power obtained', '20 distance 50', 'unprecedented opportunity study', 'breed following trait', 'associated bm snp', 'testis greater concentration', 'score suggest a868g', 'control fat', 'fertility estimated non', 'muscle depth 6723gg', '7637 different', 'lipid mrna expression', 'absence oc fetlock', '40 646', 'dik0079 rm006', 'mammal potential molecular', 'slaughter indicator', 'snp located 17', 'like repeat associated', 'location horn', 'fyb gcnt3 hsd17b7', 'lamb born mule', 'economic consequence published', 'isolated using rt', 'correlation gr', 'uncovered polymorphism coding', 'number function', 'implemented using', 'crowding measured plasma', 'breed unexpectedly increased', '12 10 snp', 'marker marker assisted', 'qtl negative', 'knowledge vertebral', 'limited small population', 'adg important', '39 cm affected', 'tcap known titin', 'genetic interaction locus', 'serum 139 pig', 'adrenocorticotropic hormone', 'fetlock osteochondrosis dissecans', 'pleiotropic role opn', 'pathogenic disease combined', '1536 snp', 'analysis resulted significant', 'fn424076 1829t coding', 'flanking 122cm oar', 'depth canonical', 'genotype italian', 'qtl pair 22', 'identified half sib', 'swiss cattle population', 'level data', 'fixed polygenic qtl', 'animal german', 'ewe mutated', 'mb 14', 'snp lep', 'identified cw region', 'offer clear advantage', 'relationship intragenic', 'identified worthy', 'piglet nsb1 later', 'derived single quantitative', 'muscle carcass weight', 'mobility group hook', 'se protein play', 'biochemical muscle fibre', 'statistic plot chromosome', 'mg chl 100', 'hsp90aa1 genotype real', 'animal 41', '12 snp false', 'percent ssc7', 'domestic chicken', 'cy provide', 'factor igf1', 'tendency significant', 'carcass quality used', 'german holstein resource', 'important marker', 'horse autosome', 'method perform', 'variation igf1 associated', 'gwas strategy confirmed', 'addition quantified expression', 'effect 0207 estimated', 'infection genome', 'pathogenesis equine', '15 04', '634 single nucleotide', 'conclusion result', 'leading amino', 'miga2 cry2', 'milk dna sample', 'polymorphism snp gene', 'pathway involved step', 'infanticidal sow overall', 'multiple repeat cg', 'snp64 representing', 'statistic seven', 'normal feed', 'actual causative genetic', 'fat muscle component', 'highly phosphorylated glycoprotein', 'muscle specific', 'examine association xkr4', '38017 34240 34168', 'mirnas precursor', 'revealed bp deletion', '297 395', 'superior growth', 'model survey represents', 'large effect contributed', 'shd fasting', 'differed age', 'average piglet', 'mutation defect', 'moderate fabp3 rs1110770079', 'diagnostics causal association', 'programme hampered lack', 'scd gene gene', 'observed phu', 'encompassing myostatin gdf8', 'statistical relationship polymorphism', 'use appropriate', 'animal declining maternally', 'observation following trait', 'study genomic prediction', 'lw population', 'able overall level', 'score order conduct', 'card15 identified tlr2', 'bovine autosome centromeric', 'high digestive', 'data included', 'baroque gene pool', 'family knc', 'indicated differentially', 'present robust', 'significance analyzing', 'specific effect qtl', 'dna pooling strategy', 'marker presence additional', 'polymorphism snp 15', 'cw simultaneously detected', 'minolta ultimate ph', 'edg1 gene', 'developmental lesion', 'concerning contribution', 'lp objective present', 'carried analysis lep', 'removed ubf', 'combined data', 'length lepr', 'involved body weight', 'affect draft horse', 'increased fat', 'prlr early feathering', 'haplotype surrounding', 'challenging interpret', 'protein family', 'analysis needed', 'factor objective identify', 'screening experiment', 'genetics allergen', 'ovine snp data', 'f2 mapping', 'gene maintained', 'lower protein', 'problem quantitative', 'breed pig', 'lacking context', 'question applied', 'gene useful selection', 'foundation investigation', 'snp 268 individual', 'behaviour pig different', 'like repeat strong', 'stock subsequent human', 'study added new', 'genotyped population including', 'composition tested using', 'sire dam related', 'chicken genotyping', 'bta2 14', '27 trait', 'le known', 'superovulation performance gene', 'ergic1 sh3pxd2b', 'tenderness score', 'awassi merino cross', 'breed sire line', 'small overlapping confidence', 'used result suggest', 'utr synonymous mutation', 'variant withers', 'showed particularly long', 'stearic 18', 'phenotype better', '454 unaffected animal', 'a868g used molecular', 'barki ewe identify', 'expression tg content', 'general condition growth', 'lamb drawn', 'removal previous study', 'total snp including', 'material transport', '11 breed holstein', 'androstenone level boar', 'involution genetic perspective', 'dominant model', 'imprinting model', '05 detected number', 'breeding strategy development', 'half sib maximum', 'f2resource population gushi', 'marker haplotype', 'small effect genome', 'network analysis facilitated', 'oncogenic highly immune', 'jersey breed grandsire', 'relative surrounding marker', 'spot defect', 'new model horn', 'cdkn2aip trappc11', 'polymorphism promoter activity', 'proliferation immune reproduction', 'separately work facilitated', 'beadchip identified total', 'compare genomic region', 'predisposing factor potential', 'detected qtl associated', 'heritability 28 62', 'mutation discovery', 'welfare physiological', 'decrease number', 'il6 response infection', 'growth development chicken', 'platelet function formation', 'consumer used', 'respectively expected qtls', 'percentage present', 'selection feed efficient', 'leydig tumor', 'transport synthesis catabolism', 'estimate contribution snp', 'cell allelic', 'measure functional', 'role different spatial', 'gain test life', 'qtl region meat', 'rumen ampk', 'value logarithm odds', 'haplotype make', 'hunter loin weight', 'soay linkage map', 'distal arm', 'south west asian', 'strong signal gga1', 'joint located', 'moderate minor allele', 'merinoland ml', 'tissue mammary', 'validated internally comparing', 'cn higher', 'treatment strategy mastitis', 'repeated sample used', 'gc genotype available', 'genotyped 16', 'array plate', 'recorded egg quality', 'approximately mbps', 'variance trait respectively', '626t snp', 'qtl influencing c12', 'study step', 'pertaining g489a mutation', 'exhibited significant correlation', 'behavioral autonomy', 'mainly caused', 'breed holstein hol', '119 cm', 'mb best associated', 'rainbow trout tested', 'peak ninth', '491 line 990', 'significant snp independently', 'hub harbored', 'telomeric region bta18', 'additional 14 phenotypic', 'gene ssc7p1 q1', 'decline consequence', 'behavioral trait muscle', '20 fold selected', 'number ai service', 'condition body development', 'significant snp close', 'length mass femur', 'data finnsheep', 'aquaculture affect production', 'overlapping genome wise', 'domain likely essential', '11 trait genome', 'thicker bft', 'general public', 'identified purebred', 'functional property haplotype', 'implicated control feeding', 'arabian thoroughbred percheron', 'confirmed qtl cv', 'imprinted gnas', 'cell division differentiation', 'h2h2 positive', '15 bw week', 'cattle real time', 'cis c18', 'dgat1 previously', 'diverse breed', 'disrupt normal tnf', '10 wk', 'novel polymorphism synonymous', 'correspond fat1', 'age 110', 'respectively total 424', 'disease infectious', 'antibody iga', 'asp glu', 'close qtls related', 'genetic background behavior', 'specific allele exist', 'proof drps', '743 chinese', 'affecting reproduction', 'measurement musculus longissimus', 'duration measured 206', 'abundance msc association', 'sm 47', 'elongation cycle controlling', 'association saa2 gene', 'usually design', 'monitored early puberty', 'dopamine knockdown sorcs2', '15 bac chosen', '56 dam resulting', 'behavioral physiological', 'proof drp', 'considered jointly', 'fabp fabp allele', 'marker subsequently', 'cla heritable value', 'gwas using generation', 'phu 05', 'index relative difference', 'result daily', 'data analysis practical', 'associated lp dairy', 'process brain', 'reduced median', 'mapping polymorphism', 'growth retardation increased', 'transformation method', 'independent qtl', 'boar reproduction', 'result microarray analysis', 'single stranded', '05 milk protein', 'related characteristic', 'program work', 'variation affecting mirna', 'circumference withers', 'distal microsatellite marker', 'bta24 suggesting gene', '30 50', 'selective breeding programme', 'gene position cm', 'flavor nutritional', 'gene snp detected', 'segregating dgat1', 'indicator trait positive', 'ew receives widespread', 'lrguk zfp90', 'use genetic', 'group group influencing', '01 01 respectively', 'qtl affecting cm3', 'ppard g32e', 'frequency 6723g', 'study data', 'revealed similar', 'experiment tick', 'equilibrium observed', 'gwas explained 13', 'produced confirmed', 'allele wl genotype', 'atrogin subunit ubiquitin', 'breadth week', 'mutation polyceraty', 'ranging 07', 'specie cattle', 'ntn1 rna expression', 'ci posterior', 'study 322 thoroughbreds', 'population mycoplasma', 'percentage csf', 'accelerate identification causal', 'blood sample daughter', 'cross taurine', 'gensel bayes', 'radiographic examination 162', 'new linkage map', 'risk specifically', 'zealand texel population', 'small cm', '01 lab', 'segregate meishan', 'slc39a7 trait', 'trait milk production', 'cause lameness', 'classified reproduction category', 'gene responsible marbling', 'mb holstein', 'growth process', 'animal 140', 'difference height identified', 'weight avlwt', 'mtdfreml using animal', 'discussed high', 'yield level', 'adl0371 gga3 abdominal', '22 putative', 'appears delayed', 'calving ease 16', 'analysis 46 qtl', 'trait indigenous', 'useful marker meat', 'retinal short chain', 'cross detected', 'soluble component muscle', 'tg 190', '2007 identification aetiology', 'particular ss61514555', 'study step forward', 'gene multiple variant', 'seven crossbred', 'qinchuan cattle identified', 'production blue shelled', '0014 allele', 'coverage lead identification', '30 gene relevant', 'rfi rfi1 60k', 'constructed based estimated', 'sheep immunostaining showed', 'involved rao', '10 location identified', 'middle ssc2 showed', 'qtls located', 'gene disease resistance', '971 896', 'analogous human', 'developmental anomaly currarino', 'trypanosomosis genotyped', 'sequence information', 'mating chronic', 'frequency twin', 'fat rs315831750', 'fj515744 bovine hgd', 'obtained cw chromosome', 'use pig', 'affect number', 'qtl 28', 'significantly differentiated locus', 'pig respectively investigated', 'lipj lipk', 'prominent role', '38 mb 13', 'joint carcass weight', 'horse 14 paternal', 'resistance challenged 30', 'bwg lower', 'breaking strength using', 'epistatic additive', 'genetic control variation', 'deviation dyds', 'leg muscle', 'closer mechanistic', 'plymouth rock female', 'association signal clinical', 'sheep dna sequence', 'depth mid fat', 'inra jxau respectively', 'producing pork better', 'program validating effect', 'change influence protein', 'analysis underway refine', 'factor pit', 'min post mortem', 'expression skeletal muscle', '16 prehousing growth', 'heritability estimate different', '5a specific lysine', '14 single nucleotide', 'ncccwa tlum respectively', 'tail weight akt1', 'worthy investigation conclusion', 'identified 0001', 'small intestine weight', 'steroid main objective', 'duroc pig intramuscular', '41 day', 'industry uk', 'qtl mb snp', 'snvs genome exome', 'diplotype rt qpcr', 'ssc7 tn', 'animal health fertility', 'trait known intermediate', 'typhoid sg', 'result demonstrate gene', 'cell signaling', 'limited finally qtl', 'fluctuates population limiting', 'snp array population', 'known clinical', 'placement teat', 'jersey breed indicate', 'fragility leading increased', 'power accuracy qtl', 'size unusually', 'significant 05 suggestive', '14 additive effect', 'autosome selected filtering', '37453246g absence homozygous', 'content enhancing', 'correlation 80', 'oncogenicity strain', 'separately 10 snp', 'method identify', '15 24 postmortem', 'polymorphic line', 'map estimated breeding', 'affect growth', 'scheme order reduce', 'distinct fraction', 'phenotypic marker data', 'increase genetic gain', 'testicular weight', 'seventy percent 44', 'higher pregnancy rate', 'east africa', '63 genome qtl', 'causality scd gene', 'ssc15 ssc17 statistical', 'churra dairy', 'gene protein coupled', 'incorporated marker assisted', 'level recombinant', 'hypocalcemia association analysis', 'study performed novel', 'nr2f2 isoforms usage', 'longevity fy', 'america result', 'significant qtl associated', 'logistic regression multidimensional', 'gene genotyped large', 'fat coverage measured', 'information new qtl', 'selection scheme association', 'procedure mixed', 'development human', 'locus interval', 'cl1 carcass', 'analyzed tassel program', 'marker loin eye', 'ovine chromosome seven', 'fatness growth denoted', 'subsequently daughter', 'central porcine chromosome', 'disease relies', 'gene assisted selection', 'rs81367039 ssc2', 'skeletal measurement', 'additive dominant coefficient', 'observed allele', 'weaning ultrasound', 'calving ease', 'best known use', 'genetically diverse population', 'kctd3 gap43', 'wide screen', 'likely provide', 'transcribed snp chip', 'acid lactation', 'panel 264 cow', 'qtls 30 compared', 'gene pcr hha', '3990 animal', 'sib male', 'cause decreased reproductive', 'nellore breed bos', '30k 30', 'tenderness 18', 'pork additional processing', 'recent result', 'analyzed independent chi', 'retp metritis metr', 'snp detected', 'horse important step', 'promise marker meat', 'mapping used estimate', 'duroc swine population', 'detected 63 cm', 'gene evidence', 'duroc landrace effect', 'technology illumina', 'red maasai dorper', '15 mm 19', 'applied gene', 'block value ranged', 'trait sc udder', 'alongside significant', 'implicated incidence periparturient', 'combined efficient imputation', 'roh island polled', 'q204x mutation fifth', 'identified model', '855 animal genotyped', 'snp ss61512613', 'mature microrna', 'strength future identification', 'study ram', 'v315 associated', 'stage relatively small', 'production genetically', 'pig breed italian', 'correlated milk production', 'mediating physiological response', 'gene emerging gwas', 'illumina snp', 'line marker mcw241', '22x10 additive model', 'gene related semen', 'trait polish large', 'fat deposition fatty', 'chr 16', '67 qinchuan nanyang', 'gr fecx', 'activator inhibitor', 'marker used novel', 'tolerance human conclusion', 'appeared block', 'health human consumption', 'revealed ldha', 'gene involved reproductive', 'sw1495 sw520 ratio', 'snp predicting meat', '54 790', 'bovis causative agent', 'claw lesion genome', 'discovery rate snp', 'variant detected presence', 'set consistent', 'gct0006 explained 75', 'element numerous locus', 'snp enlarged', 'mb line', 'yield 05', 'gpt hereditary disease', 'expression correlated growth', 'estimation effect individual', 'design adr inra', 'landrace effect qtl', '52 la 44', 'shown segregate blanche', 'population differing historical', 'study study revealed', 'version 07', 'remaining haplotype', '47 18 53', 'size present result', 'obtained survivor outbreak', 'radiation hybrid thirdly', 'pig thinner', 'marker interval 12', 'cultivated breed', 'schizophrenia human domperidone', 'previously published region', 'immune trait influenced', 'qtl detected various', 'growth survival ssc7', 'profitability animal production', 'segregated dwarfism', 'distinct fabp5 haplotype', '68 21', '533c genotype accordingly', 'shared significant snp', '50 generation', 'numerous change', 'ability recycle', 'gene gdf9 bmp15', 'increased 50 united', 'content match', 'complement activity correspondingly', 'expression candidate', 'cattle meat animal', 'underlying colour', 'mlma analysis false', 'density snp single', 'large white hampshire', 'respectively chromosome 10', 'thoracic vertebra vertebra', 'offspring outbred sire', 'qtlexpress total', 'protein extract', 'region identified binding', 'character human', 'analysis scd locus', 'determines black', 'effect population stratification', 'including sixteen', 'cagaca significantly different', 'advantage btb', 'rib backfat 0001', 'generation increased', 'qtl conclusion largest', 'corresponding human 5p13', 'production revealing', 'april 2005', 'decline weight', 'combined genotype cd', 'snp fat', 'ph trait', 'controlling disease resistance', 'gwas using 430', 'analysis detected multiple', 'acquired immunity', 'variable cost beef', 'characterized phenotypic effect', 'trait linked qtl', 'especially gene', 'linked primary', 'int5 snp int3', 'genotyped 261 snp', 'model assumed qtl', 'siw large', 'model heterogeneous residual', '322 ewe', 'efficiency better', 'comparison individual genotyped', 'genome identified', 'method regulation', 'located different country', 'promote beneficial', 'proportion animal surpassing', 'scd single', 'fut1 fyb gcnt3', 'granulose cell inducing', 'selection approach bvs', 'type i_ra', 'estimated asreml', 'bta02 bta03 01', 'btb study finding', 'bull genotype calpain', 'ff 05 nba', 'piglet 18 hematological', 'tt homozygote culled', 'data following', 'acid detrimental', 'seed region', 'bci location', '05 incidence polymorphism', 'saxon thuringian', 'worldwide cause', 'wide threshold', 'variable debvs regardless', 'showed logarithm odds', 'formed snp', 'significant paternal effect', 'adipose dna rna', 'greater best second', 'locus located bta', 'difficult lowly heritable', 'segregating family detected', 'conserved hect domain', '85 backcross', 'lepr sequenom assay', 'animal high', 'animal improvement', '65 homology', 'control allele', 'highly pathogenic avian', 'key challenge establishing', 'mammal imprinting status', 'muscling trait meishan', 'gain height', 's0214 affect live', 'season lambing significant', 'snp detected respectively', 'skeletal trait week', 'ssc15 associated', 'muscle genome wide', 'new zealand texel', 'method total 480', 'rho gtpase activating', 'hind leg', '01 02 snp', 'growth trait performed', 'polymorphism cla', 'ltn region', '226 538 measured', 'microsatellites commercial', 'study applied genome', 'horn interdigital', 'chicken increased resistance', 'chicken unique cross', 'csn1s1 genotype', 'trait snp 3020a', 'cn dh snp', 'variation lamb carcass', 'mdv resistance distributed', 'calf easily', 'haplotype showed balancing', 'finding contribute development', 'density marker accuracy', 'shear force age', 'enhance genetic improvement', 'identified gga4', 'improvement pig', 'm1 line 170', 'importance chicken', '18 distance', 'encoding aryl hydrocarbon', 'genetic component fetal', 'polymorphism mapping corresponding', '96 tail', 'identify presence snp', 'specie contain', 'breeding program select', 'fmo1 fmo3 ssc9', 'provide evidence crh', '600k single nucleotide', 'polymorphism map high', 'growth 10 igf2', 'variant gene cluster', 's1_at candidacy', 'associated protein percentage', 'carried detect qtl', 'effect model inflation', 'resulting non conservative', 'mapped distal region', 'probably represent', 'behavior clear small', 'mapped bos', 'breed 10 italian', 'functional significance', 'investigate malodorous compound', 'genotype 19 duroc', 'mastitis somatic', 'breed observed', 'lgb2 gene sequence', 'refine qtl region', 'breed cultivated', '23 average 12', 'decreased subcutaneous carcass', 'carcass composition 05', 'mapping random family', 'weighting qtl', 'xinghua chicken snp', 'daughter trait', 'h4 opn', 'protein candidate', 'yield significantly', 'original qtl region', '001 individual', '11 horse filtering', 'detection segregating dominant', 'explained 13 phenotypic', 'growth major economic', 'rear leg foot', 'chicken gushi', 'detection understand genetic', 'gene module snp', 'meishan descendant', 'design resource', 'negligible effect', 'fat stearic', 'gene affecting stress', 'cattle genotyped', 'marker tested', 'ssc5 ssc9', 'trait faecal egg', 'polymorphism snp adl328', 'ctsz impacted meat', 'research fast method', 'yield snp longissimus', 'validated additional population', 'experience peak', 'cross respectively snp', 'successful methodology', 'scrofa data set', 'cnvs major', 'controlling fatty', 'mutation resistance enable', 'identified positive clone', 'qtl mapping linkage', '35 parental animal', 'association fresh sperm', '86 blonde', 'aureus streptococcus uberis', 'novel locus close', 'cnv12 involved expression', 'result studied trait', 'consisting different', 'proteomics investigation', 'area tg_x05380', 'dgat1 lys232ala ghr', 'polymorphism pit', 'bone density structure', 'enteric bacteria', 'tissue ga gg', 'trait 848 progeny', '01 carcass trait', 'afe wfe conducted', 'genotype differed', 'iselect chip data', 'assembly human cytomegalovirus', '301 piglet phenotype', 'genetic variety chromosome', 'metacarpal length measured', 'chromosome second outbreak', 'research gene selected', 'egfr ssc9 respectively', 'blup gblup methodology', 'synthesis fat metabolism', 'alternative feedstuffs decrease', 'le phenotypic variance', 'scan 194 microsatellite', '143 33 908', 'c16 c16 fatty', 'fabp significantly', 'gene regulatory element', 'scrapie incubation time', 'association study consistently', 'set antigen', 'trait chromosome scanned', 'china analyzed', 'offspring marker covering', 'harbouring qtl meat', 'recorded 238', '05 hgd draiii', 'application include development', 'insemination purebred', 'qtl interval generally', 'qtls ssc6 ssc16', 'using linear anova', 'region ranged 05', 'study indicate possible', 'position 74', 'differ significantly 05', 'measured pre heat', 'cattle small large', 'using holstein friesian', 'eye colour genetics', 'chip refine location', 'fertility cattle limit', 'polymorphism small effect', 'existence heritable genetic', 'angle measured', 'study candidate gene', 'commonly attributed ryr1', 'porcine chromosome ssc2q', '436 ih cow', '602 individual representing', 'region adg', 'improved eggshell', 'allocating tbg qtl', 'different region male', 'snp using linear', 'trait declared significant', 'potential causative', 'fertility treatment separated', 'using ovine 50', 'marker density sex', 'noncoding rna', 'effect tended', 'qtl accounting', 'segregating future fine', 'covering genome average', 'breed egg production', 'proportion overall', 'ldla performed', 'indicator reproductive', 'independent haplotype segregate', 'subsequently designated regulatory', 'qtl indicating', 'fi univariate bivariate', 'f2 mixed', 'numerous individual qtl', 'μg possibly', '038 close', 'diameter leg muscle', 'knowledge trait enabled', 'reporting literature', 'trait controlled sub', 'detection power', 'host defence', 'breed 236 cnvrs', 'characterization health disease', 'ngfr dopa', 'hormone responsive spot14', 'cm interval peak', 'carcass trait cattle', 'cattle population aflp', 'ewe extracted genetic', 'davis archival collection', 'trait strong consistent', '2002c causality respect', 'individual native', 'lsy npd gene', 'ensure optimal', 'population abomasal ph', 'suggesting growth trait', 'breed explored', 'mb showed', 'mutant genotype missing', '23 sow', 'dairy cattle granddaughter', 'component testicular', 'sib analysis 183', 'deposition measured', 'increasing mapping', 'f2 cross commercially', 'ryr1 causative mutation', '249 marker', 'insulin pathway suggesting', 'structure analysis genetic', 'mutation remains unknown', 'weight cwt eye', '329 purebred', 'architecture quantitative trait', 'founder line founder', 'value 10e', 'far significant', 'level iga', 'marker omyfgt19tuf significantly', 'meat performance', 'reported population effect', 'based lactation', '16 body weight', 'rf gblup', '12 gpat4', 'phenotyped seven trait', 'analysis indicated underlying', 'limited success importance', 'approaching significance', 'offspring aim', 'associated host response', 'site utr analyzed', 'rcn1 high affinity', 'adjusted systematic effect', 'favorable effect nba', 'trait primary target', 'behavior called maternal', 'slaii complex implicated', 'binding complementary', 'threshold value', 'showed gene', 'especially regard', 'novel gene predicted', 'percentage abdominal fat', 'genotyped 33 marker', 'putative link', 'qtl prolificacy related', 'angus brahman', 'quality trait endocrine', 'resistant animal respond', 'threshold gwas significance', 'utility using different', 'effect functional', 'difficulty maternal pelvic', 'line different allele', 'f2 backcross charolais', 'resistance enable', 'pathway gene ontology', 'additional polymorphism 31', 'locus investigation gene', 'status traditional', 'footrot important', 'vivo generated anxa10', 'analyzed adjustment', 'ayrshire cattle mapping', 'huge number snp', 'suggestive qtl gga', 'nutrition exacerbate primary', 'general individual', 'harbouring steer', 'qtl later generation', 'calving index', 'gene novel promising', 'humoral immune', 'landrace linkage', 'following vaccination animal', 'snp int3', 'furthermore additional', 'ketosis clinical mastitis', 'quality snp candidate', 'intake critical piglet', 'weight feed intake', 'du velay', 'purpose chicken', 'composition fatty', 'genotyped 987 pig', 'genotyped 269', 'protein val27ala', 'ssc6 half', 'activity animal engaged', 'applied duroc lw', 'exon transcript encoding', 'great influence reproductive', 'population window chromosome', 'rib eye', 'le half proviral', 'somatic sc', 'variation coding region', '13 18 information', 'bovinesnp50 50 enables', 'locus region', 'promising gene influencing', 'highlighted significant association', 'large resource', 'parasite challenge', 'polymorphism snp region', 'ssc9 ssc10 ssc11', 'tolerance heat stress', 'breed duroc', 'ibmap population', 'backfat loin muscle', 'heritability obtained', 'square method', 'mapped line cross', 'success importance including', 'acop proportion progeny', 'expression allele', 'genotyped used gwas', 'total seven significant', 'marker defined', 'force heterozygous major', 'leghorn strain revealed', 'cause problem', 'distributed 10 chromosome', 'genetic correlation help', 'snp marker possible', 'wssgwas identify', 'categorical trait qtl', 'exhibited genotype gg', 'gg haplotype', 'selected case', 'spatial secondary', 'trait locus milk', 'en c231t c896t', 'detect genetic factor', '10 20 29', 'beef carcass trait', 'defined progesterone', 'mlm glm', 'wide level qtl', 'weaning piglet', 'gene 142 included', 'bta11 bta26', 'illumina bovine 54k', 'selection program decreased', 'aimed investigate malodorous', 'program result', 'responsible white coat', 'analysis confirmed large', 'selection improve', 'glucose homeostasis', '70 150 435a', '41 112 mb', 'assaf ewe', 'dmi bw', 'thoracic vertebra half', '126 jersey', 'sm ssc7 glycolytic', 'acid showed genotype', 'chicken population 724', 'detected lma', 'mc4r pomc', 'genetic analysis main', 'il 15 cytokine', 'animal 234', 'haplotype estimate', 'characterize important', 'large effective population', 'study allowed', 'terminal sired progeny', 'lepr strong effect', 'oar influencing milk', 'mutation affecting quantitative', 'parameter estimated', 'addition 10 candidate', 'birth weight direct', 'beadchip based', 'region cm', 'fcs intramuscular fat', 'trait known', 'resistance double', 'developmental process different', 'importance variation', 'associated eicosapentaenoic acid', 'pig identification', 'sire known heterozygous', 'allele mc1r gene', '57 mg', 'qtl used', '0002 associated serum', 'investigated qtl mapping', 'using scenario', 'new allele called', 'landrace female thirteen', 'amplicon cacna2d1', 'abc group', 'sequence genotyped sample', 'gene dach1', '1473g 84 insr', 'segregated purebred', 'identified potential causal', 'qinchuan cattle breed', 'nanyang xia nan', 'trait collected duroc', 'depth lumbar spine', 'favourable effect', 'affecting pig meat', 'region milk fat', 'color uniformity understand', 'marker molecular marker', 'significant linkage false', 'selection study characterized', 'mb segment', 'genotype relevant trait', '01 72472', '30 mm dominance', 'longevity finding important', 'multivariate conditional analysis', 'quality control result', 'revealed different qtl', 'long term single', 'amino acid synthesized', 'nematodirus strongyles', 'mainly evident', 'mb overlapping genomic', 'mirna gene', 'bta6 bta14 birth', 'issue marek', 'sinclair pig', 'imputed animal genotyped', 'research dairy', 'marker located lcorl', 'data better including', 'texture fatty acid', 'average polymorphism', 'clearly distinguishing', '794 limousin', 'integrity tight junction', 'genotype cmya1', 'data 5064 animal', 'primary objective', 'coming meishan', 'trait preparation meta', 'determining factor growth', '31224g 31266t', 'expressed brain', 'high impact protein', 'enabling qtl fixed', 'increased estimate score', 'evidence including', 'feed intake efficiency', 'respectively variance explained', 'marker carcass', 'proposed method map', 'gene strong pleiotropic', 'comprising 434 genetic', 'worldwide different study', 'fld index', 'population pair', 'wide scan qtl', 'birth adult', 'number novel association', 'nominal association', 'associated tnb selective', 'variation centromeric', 'study opn', 'scan layer', 'yield showed', 'intestinal tissue 10', 'resolution location previously', 'darker meat', 'pecking mapping selection', 'identified meat quality', 'stat1 regulating', 'ratio fcr inverse', 'grandprogeny ssa20', 'score weight length', 'suggest additional', 'involvement cns genetic', 'apoa2 lin7c', 'locus qtl ssc7', 'enzyme glycogen synthesis', 'animal allowed identify', 'homozygous major haplotype', '850 f2 holstein', 'ppar signaling', 'cell antibody igg1', 'polymorphism identified fish', 'gwas cattle', '79 533 217_79', 'locus qtl chemical', 'trait thousand thirty', 'leghorn chicken egg', 'total 29', '751 039 snp', 'age obtained', 'approach aim identifying', '1425 gene', 'domain sox9 sex', 'indicating mutation fabp', 'head brachygnathia', 'male line layer', 'study revealed significant', 'indicated differentially expressed', 'ultimately physiology growth', 'size height length', 'color related locus', 'cattle breed prim', 'lepc detected', 'linked insulin', 'synthesized fa gene', 'compared perirenal fat', 'churra ewe available', 'maasai providing', 'region association hematological', 'variant genotyped seven', 'service 405 included', 'contribute distinct phenotypic', 'response crowding', 'md 131 hd', 'homozygous mutation', 'infection methodology principal', 'applied line cross', 'detected breed gwas', 'autosome effect ranged', 'gene fluorescence situ', 'genomic level marker', 'result segregation analysis', 'nematode challenge', 'people adolescent', 'context genome', 'spp1 proinflammatory il6', 'finding suggest fabp4g', 'mechanism underlying growth', 'assembly qtl milk', 'gene relative', 'including gene', 'marker analysis report', 'cfd explained', 'showed trait polygenic', 'new qtl', 'duroc boar genome', 'dam resulting 1180', 'ssc3 ssc4 ssc6', '699 aa', 'role host', '2004 pig diverse', '159 affect', 'rs42404006 rs42303720 significantly', '299 sib family', 'genotyping parent offspring', '13 locus', 'associated dcd pm', 'adequate protection', 'study identify rs339939442', 'prevalent wild', 'associated additional', 'type iib ssc2', 'hematocrit plasma coloration', 'called meml mixed', 'broiler line using', 'population stratification relatedness', 'associated clearance maternally', 'mature mir furthermore', 'position highest', '3k snp chip', '119 cm juiciness', 'qtl direct genetic', 'revealed 10', 'effect fixed', 'additional marker trait', 'gene birth weight', 'near vicinity', 'haplotype effect qtl', 'susceptibility salmonella abortusovis', 'fatty acid percentage', 'detection regional effect', 'level nominal', 'region explain 44', 'reproductive longevity genome', 'affect fn', 'fat content criticized', 'heifer genotype', 'sequence producing mature', 'generation swine family', 'tissue conclusion previous', 'generally poor 2009', 'imf content backfat', 'identified signature', 'mixed model lm', 'sire parent genotyped', '53 58 mb', 'effect rfi 05', 'different type trait', 'evaluation model', 'population wide linkage', 'qtl exclusion false', '02 associated 009', 'mrna fat', 'lean meat content', 'related cattle tick', 'genotyping cost', 'legislation absence licensed', 'map backcross family', 'validation large independent', 'gain identified snp', 'genotype showed perfect', 'dressed carcass', 'haplotype reconstructed snp', 'inherited monogenic trait', 'term single', 'white 100', 'help detect locus', 'informative microsatellites commercial', 'weight human', 'simultaneous change physiological', 'observed phenotype mapped', 'miga2 cry2 npas2', 'located identified', 'paired box protein', 'genome linkage analysis', 'final backward selected', 'population include 1599', 'reproductive performance farm', 'annotation showed hoxa11', 'contribute variation', 'bead chip association', 'linkage versus', 'rs109162116 bta6', 'serpina1 cnvr showed', 'trait allele mc1r', 'future value', 'associated egg', 'calving crc angularity', 'genome sequence information', 'porcine cmya1', '92 08 csn3', 'evidence validates', 'evaluated snp variable', 'map copy', 'poultry industry genetic', 'product man2b2', 'variation ovine capn3', 'aged 24 month', 'variance population', 'bta14 bta23', 'milk composition persistency', 'rate 423 number', 'total 131 daughter', 'nba number stillborn', 'mb 591', 'bovine johne', 'inflation factor', 'qtl affecting reproduction', 'analysed multiple', 'redness yellowness respectively', 'genotype cc marbling', 'protein mrna', 'vrtn gene known', 'coccidia foc', '159 genotyped individual', '2192c val', '45 tfs', 'linkage disequilibrium causative', 'pork production gilt', 'beadchip conduct', 'chromosome chest', 'control complex disease', 'candidate cw', '54 tentatively', 'trait swine', 'charolais crossbred cattle', 'duroc population selected', 'allow identification phenotype', 'array gave accuracy', 'qtl antibody', 'received little attention', 'strong evidence association', 'leghorn line named', 'nos2 covering', 'showing association trait', '51 microsatellite marker', 'scan pair', 'identity distance breed', 'yield present', '110 member fam110b', 'qtl affect calving', 'cm proximal qtl', 'control horse', 'bf fat', '305 day milk', 'suggest polymorphism porcine', 'lead metabolic acidosis', 'genome chromosome', 'epl score disease', 'mutation alter', '13 05 qtl', 'cause morbidity', 'chromosome gga1 gga2', 'similarity finding reported', 'adiposity growing pig', 'phenotypic record regressed', '05 afe', 'pig detected', 'family totaling 927', '10 15 affected', 'metabolism affect homeostasis', 'cxxc4 maml2', '71 parent', 'provide cue', '03 possibly associated', 'trait variation differs', 'evident pig', 'egg production 300', 'bonferroni 05', 'known function immune', 'marker 18 btas', 'curd cycurd', 'fastmremma integrative sure', 'gga_rs14554319 gga_rs13593979', 'prediction value', 'gestation ovary weight', 'using copy number', 'effect different', 'study dataset', 'video image analysis', 'concentration genotype 0001', 'igga iggb eca', 'regulate anti', 'highest ranking snp', 'gene apart', 'snp chip panel', 'significance experimental', 'exon weight', 'furthering understanding mechanism', 'activation complement lectin', 'variance accounted total', 'cattle breed association', 'growth hormone gh', 'study using 312', 'gene selection dairy', 'genotype phenotype involving', '18 protein', 'melanoma gene', 'healing activity kosher', 'defined cow fitness', 'multibreed gwas valuable', 'region explain large', 'boar ancestor', 'gene including edn3', 'plin1 chromosome 10', 'igg subclass influenced', 'impact marginal', 'study roan', 'subunit prkag2', 'present analysis', 'naturally artificially', 'beta1 tgf', 'chicken knowledge', 'edg1 gene involved', 'afc associated', 'contains region explaining', 'change wide', 'nature racing', 'endothelial cell precursor', 'fat content pp', 'polymorphism snp pnominal', 'trait study needed', 'suis pig', 'sequence alignment', 'derived regulator forkhead', 'area ssc1 conclusion', 'selected autosomal qtl', '12 locus region', 'disease permit', 'oar fwec', 'holstein ih', 'beadchip resulting', 'prior selection commercial', 'trend positive parity', 'sow progeny large', 'mapped 18', 'variability underlying', 'influence technological', 'productivity economy', 'residing near', '5305c affect', 'trait contemporary holstein', 'underlying genetics', '363 fleckvieh 812', 'success current study', 'vaccination viral load', 'enzyme role pathology', 'individual genomic', 'mendelian expression identified', '130delinsttatctctatagtagtt noriker sample', 'accuracy compared', 'milk production fat', 'serine threonine', 'intermediate measurement', 'used model specie', 'imputation used quality', 'genotype modified', 'association evidenced', 'qtl effect fitted', 'suggests role', 'enhanced genetic', '491 ai', 'piglet phenotype', 'value result demonstrate', 'dystocia direct', 'immune capability domestic', 'eyelid abnormality occurring', 'increased age', 'body wfe body', 'characterizing infection', 'fasting 05', 'comprehensive cnv study', 'mg na citrate', 'spanish colonization', 'trait carried div2', 'il10_prrsv repulsion', 'previously described associated', 'transcription gene', '12 subclinical', 'value ebv tnb', 'property enhance', 'horse horse owner', 'model data 255', 'capability tbg detected', 'imprinted gene important', '100 microsatellite marker', 'animal elucidate', 'significant effect mutation', 'mainly ovulation', 'quality trait mqts', 'determine validity', 'location approximately 210', 'region fat percentage', 'angus 296 multibreed', 'domestic cattle enabling', 'gene considered pl', 'genomic regulation chemical', 'heritabilities ibdv mdv', 'interaction mechanism', 'factor anxious', 'dataset snp', 'age correlation', 'leghorn red junglefowl', 'observed haplotype', 'pp milk', 'group sla', 'polymorphism lpl gene', 'snp2 chr 16', 'subunit alpha gene', 'gwas difference', 'herd 545', 'mbl1 expressed', 'ssc4 ssc14 colour', 'frequency myog', 'fasn ppargc1a snp', 'leading cause morbidity', 'number sick cow', 'ssc14 androstenone ssc5', 'qtl single analysis', 'exposed mixed nematode', 'effect bft', 'polymorphism bovine pgf', 'analysis pig', 'grass mineralized', 'huiyang bearded chicken', 'genomic ebv', 'expression decreased', 'chain acyl coa', '80 genome analysed', 'unknown breed', 'receptor gene previously', '18 274', 'association furthermore', 'aim identify hepatic', 'muscle order', 'kingdom population comprised', 'role skin homeostasis', 'livestock contributes understanding', 'candidate gene ifc', 'red earlobe', 'difficulty obtaining', 'growth limited', 'immunization overall study', 'interval mapping sib', '55 chromosome', '881 single', 'excluded polymorphism possibly', 'classification typification carcass', 'explain combination', 'calculate independent variable', 'composite subtraits validate', 'relatively simple', 'nonreturn rate interval', 'genomic region influenced', 'cd age calving', 'gene selected feed', 'located bta19 fasn', 'separately statistical analysis', 'result total 10', 'snp showed increase', 'gene eye', 'significant fst genome', 'additive allele substitution', 'synthesized mammalian small', 'needed understand', 'routine german', '18 274 animal', 'h3 associated decrease', 'fertility 95 confidence', 'meat meat quality', 'support implementation', 'ros0025 marker', 'red maasai breed', 'signal showing', 'allele frequency zebu', 'drd3 drd4', 'igf1 gene confirm', 'seemingly unrelated phenotypic', 'background western world', 'bone medium', 'ratio 455', 'weight protein lipid', 'centromeric region porcine', '98e 06 fecx', 'microsatellite marker 27', 'ancient sacrificial', 'second outbreak 100', 'complex term enrichment', 'design furthermore significant', 'pathway end', 'marker single nucleotide', 'feature linear mixed', 'suggestive qtl bta2', 'strong pair', 'microsatellites evenly', 'life proportion', 'value present', 'ram non dairy', 'muscle analysis performed', 'sexual maturity khorasan', 'trait analyzed square', 'influenced lean', 'production large', 'despite evidence', 'significant qtl protein', 's1_at candidacy trait', 'component pregnancy rate', 'variant influence meat', '18 436', 'breed reared', 'implemented existing breeding', 'sample example haplotype', 'fm hm', 'csrp1 csrp2', 'qtl number vertebra', 'indicated rs339939442 ahr', 'study osteochondrosis', 'susceptible selection line', 'indicate bta29', 'fcr opposite', '05 vasopressin', 'case normal', 'number cn', 'marker developed gene', 'specific haplotype pattern', 'internal organ weight', 'genotype 0001', 'data set 101', 'identify gene possible', 'coefficient variation cv', 'reproduction heterozygote chosen', 'beef cattle 1492', 'gene distance 250', 'year pwsy', 'yorkshire dly', 'strongly associated candidate', '86 corresponding', 'trait result present', 'significant stallion', 'founder breed following', 'redness yellowness myoglobin', 'associated nematode', 'identify metabolic', 'bb allele', 'mb includes', 'result gene based', 'consider continuous', 'locus appeared additive', 'sex chromosome data', 'hormone conclusion identification', '212 bull', 'variation resistance cattle', 'adaptability nelore', 'defect porcine', 'maternal polar overdominance', 'important trait investigated', 'ii linked qtls', 'mcse3f14 umnp1218', 'prkag3 gene', 'remains global challenge', 'background bovine milk', 'association analysis meat', 'non spotted', 'marker coverage', 'fat percentage performed', 'domain class', 'diplotype associated higher', 'effect promoter mutation', 'insight genetic difference', 'report panel', 'rs13687128 rs13905622 significant', 'account 64 total', 'hypothesis major', 'gwa analysis animal', 'crossing divergent', 'progeny large white', 'nematode cause morbidity', 'association ld', 'lower age 110', '370 number stillborn', 'effect individual family', 'identified laiwu', 'nematodirus spp egg', 'current usda usmarc', 'category pathway', 'duroc landrace large', 'ibd mapping breed', 'multiple testing significant', 'statistical inference', 'investigated german', 'possible involvement gene', 'showed single amino', 'analyzed previously described', 'selection shaping genome', 'gwas total', 'suggestive difference', 'scrapie resistance', 'mutation suggests', 'cost dairy', 'tailed hair', 'potential ssc1 total', 'measured residual', 'calving trait cattle', 'distribution used gwas', 'female comb mass', 'catecholaminergic serotonergic', 'region detected hdl', 'suggests allele 80', 'udder health comparison', 'statistical false', 'clearly result', 'discovery dataset', 'slow growing native', 'requirement needed', 'snp hmga1 abcc10', 'slco4c1 taken', 'weight wwt 405', 'hematological trait generation', '716 sire genotyped', 'reflects immune', 'linkage group total', 'associated survival', 'association analysis validated', 'significant suggestive identified', 'association study holstein', 'yorkshire population 247', 'ankyrin promoter', 'response level', 'significant association map', 'simple deterministic', 'including microsatellite', 'joint intragenic', 'osteopontin opn peroxisome', 'prediction blup model', 'site mitf gene', 'showed substitution', 'value suggesting', 'study causal mutation', 'binding bta', 'genetic diversity mhc', 'region exon untranslated', 'studied large', 'copy lm', 'mstn 435g', 'artificial selection signature', 'kg le rib', 'vs qtl analysis', 'genotyped larger', 'improved resistance', 'inbred chicken', 'population major quantitative', 'harbor scd gene', 'calving difficulty based', 'gene elovl6 fabp4', 'scan f1', 'rft marb montana', '19 26 carried', 'allele inherited line', 'aim identifying marker', 'derived using routine', 'yielded qtl', 'order muscling growth', 'finding immediate', 'born alive piglets', 'bta19 bta22 lactation', 'chip genome', 'brain neurochemical involved', 'frequent haplotype subsequently', 'haplotype chromosome', 'threshold 10 usp32', 'sexual maturation variety', 'cfu map tissue', 'affecting direct', 'trait considered', 'heritability phenotype using', 'tested larger group', 'fatness ptgis idh3b', 'gene upregulation nudt7', 'information useful dissecting', 'growth 10', 'chromosome total 21', 'shown mutation associated', 'architecture trait pig', '627aa described', 'follow study gwas', 'qtl sex', 'cw identified', 'conclusion study indicated', 'ultrasound scanning slaughter', 'test wide', 'allowed identification snp', 'variant underlies qtl', 'infection inflammation', 'identified 15 unique', 'meat quality measured', '36 significant marker', 'population lacking', 'provide human health', '22 24 cross', 'difference resistance', 'overrepresentation test', 'showed value objective', 'qtl similar', 'gene study provided', 'belongs group gene', 'acer3 itgb4', 'involved variation', 'meg3 gene conserved', 'ssc13 ssc15 detected', 'widely conserved', 'metabolic pathway insulin', 'young chick', 'population distinguish', 'process early termination', 'ability related trait', 'mechanism underlying polyceraty', 'wog weight half', 'semi membranosus', 'illumina porcinesnp60k beadchip', '423 individual different', 'study imprinted gene', 'suggested del2634c polymorphism', 'greatly fasting', 'suggest snp significantly', 'public linkage map', '36 61 male', 'using rna22 rnahybrid', 'genomic location qtl', 'showed 38', 'chinese dairy', 'suggest role', '37 phenotypic variance', '10153g 10213t', 'genetic variability genetically', 'inclusion gene', 'overlapping confidence', 'chromosome effect marker', 'reported mc4r', 'selected quality control', 'gwas analysis using', 'specifically jersey', 'functional effect qtl', 'covering 26', '159 large', '46 genetic mechanism', 'sequence primary mir', 'fshr potential marker', 'genetics 01 cecum', 'conclude fabp', 'analysis btb', 'furthermore snp', 'onset puberty phenotype', 'chicken candidate', 'gilt observed age', 'holstein analyzed', 'share 92 identity', 'cellular process lead', 'higher fat content', 'population transcript significantly', 'background teat number', 'synthase tested', 'adult hen', 'located ssc12', 'model dmu', 'tissue clustering', 'exon significantly', 'variation obtained', 'strength laying', 'region haplotype', 'family genotype', 'region bovine scd', 'substitution 1752816085 exon', 'ranged 34', '36 single nucleotide', 'known milk lg', 'dq affected body', 'region 19', 'protein yield bta7', 'challenge beef industry', 'interval 12 84', 'conformation trait breeding', 'imf detected provided', 'b2 receptor tyrosine', 'deposited adipose', 'white lw pig', 'receptor gene second', 'region 21', 'concentration indicated genetic', 'udder health dairy', 'maturity significantly', 'effect fat yield', 'population landrace pig', 'snp gene', 'location detected', 'trait deviation', 'yield deviation corrected', 'cluster znf192 zscan16', 'association 05 additive', 'qtl analysis total', 'horse quarter', '10 reproductive', 'lean meat deposition', 'beadchip according', 'cell msc tt', 'mbl1 expressed lung', 'qtl affecting lameness', 'response straightforward aim', 'utt backcrosses line', 'fak pak prediction', 'map3k5 hcn1', 'varying qtl', 'testing statistical', 'progeny tested male', 'mode expression empirical', 'allele varied 044', 'strategy using mainly', 'snp assay spanning', 'candidate gene distance', 'mainly coding plasma', 'analyzed snp association', 'clearance maternal', 'ocd 42 002', 'genetic mapping', 'dilution different', 'located 17 bovine', 'gamma subunit', 'resistance varies breed', 'constructed crossing', 'rate low', 'different analysis yielded', 'approach enlarged', 'qtl assist search', 'size accurate phenotypic', 'prkag3 unknown aa', 'included total ct', 'determine increased beef', 'fat deposition qtl', 'reproductive efficiency human', 'percentage feed', 'hypothalamic function', 'individual analyzed genome', 'meat quality tenderness', 'parameter productive animal', 'reported trait', 'capacity development', 'approximately 15 additive', 'independent confirmation', 'showed significant genome', 'week 10 11', 'animal genotyped 21', 'determination stimulating brown', 'dominant component analysed', 'informative single nucleotide', 'conditional genome', 'component fetal', 'map disease', 'mt involved', 'intron gnas gene', 'tumor bearing', 'furthermore comparative', 'tt respectively', 'sequence analysis revealed', 'disequilibrium combined linkage', 'confirmed trait', 'moderate 01 43', '50 genetic', 'aggressive behavior conclusion', 'cc 01 fat', 'detected 112 qtls', 'inverted teat considerable', 'zinc finger gli2', 'marker covering 31', 'approach bayesb bayesc', 'gdf9 coding region', 'test combining', 'haplotype carrying snp', 'genotype concluded', 'oar12 snp', 'marker alternative approach', 'report eqtls', 'basis test hypothesis', 'bm415 chromosome', 'prox2 fo', 'variable debvs', 'verified using interval', 'definition map phenotype', 'multigenic trait identify', 'sheep selected fe', 'parity ratio', 'rerio genome', 'window analyzed', 'polygenic basis adaptive', 'bioinformatics pipeline gatk', 'mediating negative effect', 'marker genotyped 954', 'associated ldl', 'enabled estimate heritability', 'genomic selection formula', 'overlap reported', 'resistance suis pig', 'depend smaller', 'trait different lactation', 'detected different cancer', 'developed 50', 'performed 331', 'genetic genomic', 'sw1856 pig chromosome', 'characterization genetic', 'ranged exon', 'formation described literature', 'old animal', 'rfi development biomarkers', 'e3b encoding', 'genetic variety', 'time developmental growth', '10 false discovery', '288 recorded f2', 'affected endosteal circumference', 'chip snp selected', 'chromosome sw1856', 'common haplotype carry', 'control line high', 'significant association mir133b', 'gentile breed respectively', 'subcutaneous fat inter', 'cross analysed separately', 'cross association confirmed', 'pbm chicken', 'analyzed transmission', 'gene expression observed', 'involved biologically', 'fetlock joint genome', 'cell inducing', 'chicken progeny', 'pig commercial pig', '450 animal', 'calf gestation length', 'antigen processing presentation', 'used 05 result', 'inhibits transcriptional activity', 'known gene late', 'xianan crossbreed', 'cis 18', 'affecting sc common', 'significantly associated aggression', 'phosphodiesterase 4b', '20 wk lamb', 'infection mycobacterium', 'mapped potential application', 'associated protein family', 'sequencing method population', 'analysis carried test', 'mapping chromosome bta', 'skeletal muscle 17', 'multi qtl approach', '21 showed', 'hidden dependence structure', 'lw androstenone 52', 'locus horn', 'wild homozygous type', 'putative target', 'genetic control strategy', 'pta birth weight', 'using interval mapping', 'affected locus study', 'combined effect multiple', 'analysis individual chromosome', 'comparison revealed single', 'accuracy selected', 'qtl skeletal', 'genetic control fat', 'significant qtls shank', '35 individual', 'test performed using', 'minor effect order', 'encoding interleukin receptor', 'population cattle', 'locus conclusion characterized', 'map position considerably', 'marker unrelated', 'partially explained', '14 predominant accounted', 'lod 78', 'ryr1 gene production', 'study production trait', 'bmts mqts 531', 'trait observed earlier', 'density noncortical bone', 'relationship ornament', 'gga15 identified candidate', 'near csrm60 bovine', 'glycogen breakdown', 'gene breed', 'drip loss heat', 'mutation additive effect', '38 257 758', 'association explained 92', 'separation family', 'model performed snp', 'heritable 73 polyunsaturated', 'sire obtained disease', 'litter size single', 'wound healing', 'correlation heritabilities united', 'native cattle', 'constraint small', 'dispersion staple length', 'ovulation rate age', 'indicating trait genetically', 'shank girth', 'parity litter genetic', 'cow dairy farm', 'broiler sire derived', 'commercial dissection', 'level abhd5', 'affecting yield', 'acid unsaturation', 'plus dominance', 'smaller genetic', 'twinning estimated single', 'usyd edu au', 'resource family confirmed', 'higher aa', 'identified new', 'model linear analysis', 'na mg', 'polled horned', 'silico analysis 313', 'analysis breed', 'ltnp increased 10', 'le detectable', 'ppp3ca gene influence', 'nesfatin pig affect', 'blood biochemical analysis', 'using 42', 'autosome bos', 'influencing udder morphology', 'ear size erectness', 'expression regulate', 'confirmed ssc13 position', 'fn298674 90t play', '46 respectively outside', 'needed detect gene', 'strategy suggestive', 'aspergillus fumigatus', 'pig born litter', 'growing slow', 'use different linkage', 'base excess hco3', 'competence applicable selective', 'valuable prior', 'cmya1 gene associated', 'selection 435 447a', 'variant imputed 21', 'boundary linked', 'testing nba identified', 'pig 1018', 'polymorphism porcine mbl2', 'advance management', 'qtl oar1', 'chonbuk province', 'linked gene important', 'evaluated putative positional', 'data suggest allelic', 'control genomic best', 'trait revealed qinchuan', 'imputed variant', 'chicken originating', 'showed evidence 05', 'thickness finding', 'trait values ranging', 'affecting leg muscle', 'milk important human', 'report detection qtl', 'improved accuracy', 'experiment wide level', '525 240 observation', 'promoter region bovine', 'related ibk', 'chromosome 13 fore', 'german holstein friesian', 'utilized pedigree based', 'evidence genetic control', 'mt fewer candidate', '61 qtl trait', 'heat dissipation bird', 'inherited monogenic', 'spi2 serpina1 cnvr', 'gene including linked', 'involvement earlier', 'trait relatively', 'population snp complete', 'higher sc genotype', '50k genotype', 'chicken breeding identify', 'behavior emotional reactivity', 'british commercial flock', 'gene associated daily', 'general locus', '10 11 large', 'analysis study date', 'allele determines black', 'analysed association', 'common parent method', 'development marker test', 'associated body', 'bovine gdf5', 'bta4 replicated', 'measured phenotype trait', 'protein nesp55 resulting', 'deviation test day', 'prior assigned', 'unfavorable relationship lr', 'gene functionally', 'phenotyped individual 44', 'mfge8 ghrl2', 'perform association', 'pax3 mitf gene', '243a dq124298 344a', 'boar taint fat', 'data gave', 'addition eighteen', 'genomic region equine', 'outbreak respectively', 'specialized permutation strategy', 'qtl using genotype', 'compared association', 'conducted 16 selected', 'substantial variation', 'analysis using new', 'bta26 largest concentration', 'analysis performed commercial', 'milk fat pasture', 'virtually nil', 'contributes variation', 'semen trait holstein', 'new marker linkage', 'uncover cluster', '10 chromosome 12', 'production semen', 'chromosome 14 population', 'employing panel', 'partially recessive', 'equine podotrochlea study', 'regression analysis revealed', '1387c lep 1723a', 'crossing outbred broiler', 'interval chromosome 22', 'finding bta7', 'trait extreme', 'il8 h2', 'oar6 overlapped highly', 'stage sum significant', 'stearic palmitoleic', 'trait additional allele', 'comb size', 'numerous gene', 'significant snp relative', 'mapped small interval', 'motility thawed sperm', 'nematode parasite', 'rainbow trout', 'autosome including', 'selection robust animal', 'drug transporter playing', 'test lamb', 'polymorphism snp pde1b', 'bowel disease', 'region explained genomic', 'ultimate ph despite', '129 47', 'effect swine growth', '25 higher toughness', 'milk protein casein', 'thyroxine t4 chinese', 'flock threatens', 'chromosome reported previously', 'ryanodine receptor ryr1', 'arf5 associated', 'encoding major', 'line revealed', 'growth pair wise', 'probability method significant', 'lacking study aimed', 'melanoma using', 'cm downstream', 'qtl region containing', 'survival measured', 'resource allocation pattern', 'adding 10 15', 'qtl horse chromosome', 'rest genome little', 'genotype gave', 'detected large white', 'romane lamb', 'rambouillet flock refine', 'tenderness detected illinois', 'throughput chip', 'condition mortality juvenile', 'pleurisy additional 11', 'chromosome 83 mb', 'estimate score compared', 'location 20', 'mln candidate gene', '10 mendelian qtl', 'genetic architecture salmonella', 'map qtl data', '108 711', 'burden dairy beef', '527 male', 'step method', '932 ldl concentration', 'chromosome using qtl', 'variation exon gamma', 'based large', 'selective neutrality', '7192 significant deviation', 'candidate region body', 'dyd originating', 'ssc4 region including', 'horse total', 'showed significant parent', 'variability horn', 'program improving yolk', 'human spi2', 'measured animal august', 'intermediate ridge', 'architecture weight', 'population pietrain crossbred', 'signal provided additional', 'performed snp significant', 'method identify snp', 'shortage hco lead', 'hgb respectively snp', 'solid basis', 'infection oar', 'identified addition rxfp2', 'cross regression half', 'polymorphism studied maml3', 'gene trait finding', 'gga1 feed efficiency', 'platelet volume platelet', 'genomic prediction accuracy', 'high 55', 'showed fecbb', 'wool play essential', 'located bta5', 'reproduction including', 'rate live weight', 'adult sheep analyzed', 'causality 2228t snp', 'score 129 47', 'catfish blue', 'nucb2 similar subcutaneous', 'quantitative computerized tomography', 'unlinked snp', 'resistance influenced gene', 'increased notably homozygous', '46 21', 'including mould', 'result study investigated', 'cxcl6 cxcl8', 'gwas larger number', 'total 865 single', 'variability underlying trait', 'lect2 bl', 'pooling design correction', 'group complex subunit', 'lactoglobulin protein variant', 'qtl loin', 'connection variation', 'conclusion present previous', 'present region identified', 'red junglefowl white', 'trait information epistasis', 'expression protein function', 'fat trait heritabilities', 'procedure collecting milk', 'diameter 05 shank', 'season year', 'snp 268', 'gene contribute qtl', 'breed meat texture', 'ld identified snp', 'responsible abnormal behavior', 'dead nbd', 'ssc6 sscx conductivity', 'case univariate', 'analysed trait number', 'extract shown', 'length qtl ssc2', 'selection meat', 'analysis identified 23', 'intron snp', 'pelvic breadth', 'produced crossing göttingen', '088 115 virtually', 'genotype substantial', 'cattle uk trait', 'negative prrsv farm', 'cattle effect genotype', 'qtl consistent breed', 'gene 443 snp', 'genotype influence', 'laying record 21', 'scale population resequencing', 'chicken associated economic', 'chromosome included common', 'including novel linkage', 'leanpc nearby', 'effect intramuscular fat', 'region analysed gene', 'tool allowed', 'qtl result genome', 'qtn comparison', 'alpha serine', 'narrowed mb', 'snv chr', 'cross model combined', 'fat average', 'age respectively seven', 'cell count', 'suggest cd46', 'conclusion akr1c genotype', 'kinase signaling', 'estimating relevant', 'allele eaat2 233g', 'node signaling pathway', '20 21 22', 'fkbp6 mutation perform', 'mode growth', 'approach genomic heritability', 'pathogen excessive', 'mastitis cm qtl', 'including genetic composition', 'ca level blood', 'disease resistance additional', 'immunity involved esc', 'ny blood', 'cow resistance map', 'identify cnv', 'region major effect', 'evaluated polymerase chain', 'strongest signal detected', 'unknown investigated polymorphism', 'approach 47', '746 bp', 'occur ranging mild', 'trait based', 'tmx4 replicated', 'famt define', 'snp 793g 919g', 'meq comparison', 'proposed influence', 'primarily regulating', 'cla va', 'common brown', 'coincident body weight', '820 meat type', 'level association significant', 'provide basis efficient', '18 region', 'non production related', 'qtl suggest complex', 'landrace italian duroc', 'observe clear', 'design 10 german', 'genotyped 954', 'consideration improving', 'family location week', 'withers height cannon', '36 37 mb', 'biec2 808543 located', 'concentration yielded molecular', 'qtl hock oc', 'meat product', 'used pseudo phenotypes', 'indicated strong linear', 'region salmonid preferential', 'qtl identified time', 'identification phenotypic', 'prolificacy performance', 'snp close dgat1', '779 individual', '3290c thr1097asp', 'strikingly flock', 'involuntary culling', '24 qtl longissimus', 'reported pig imf', 'unclear aim', 'leptin concentration', 'skeletal damage challenge', 'population comprising 166', 'gga4 snp gga2', 'mterf2 rtmb ensbtag00000037306', '2003 expected', 'suggestive qtl coincident', 'sow defined active', '12 lrp12', '39 microsatellite', 'separately mixed', 'breed strain', '589c 70 cfd', 'able distinguish different', 'beneficial welfare', 'purpose 100', 'adg bw feed', 'chip 44', 'strabismus exophthalmus', 'best likely', 'carcass trait moderately', 'potential positional', 'continuing threat world', '45 trait measured', 'teladorsagia circumcincta liv', 'investigated data recorded', 'determine favourable', 'region specie using', 'performance trait 848', 'value case control', 'accounting false discovery', 'infection outbreak', 'virginia chicken', 'affecting reproductive trait', 'carrier major gene', 'array investigated', 'identification large', 'confirmed linkage analysis', 'shared hypothetical', 'dominance larger additive', 'phenotype diabetes exercise', 'gene specific haplotype', 'information 53', 'velocity percentage motile', 'feed greatest variable', 'package program', 'reduced seasonality', 'fecx 55e', 'breed conformation', 'finding subsequent', 'fourteen chromosome identified', '10 day post', 'polymorphism slc39a7', 'allele analyzed 28', 'rfi fcr', 'performance sow examined', 'vav2 cacna1s traf2', 'telomeric region salmonid', 'beginning small', 'ssc6 ssc13', 'locus cause development', 'microsatellites linkage map', 'seven marker chromosome', 'jxau respectively furthermore', 'understanding mucin play', 'cm fy py', 'suggestive shank length', 'scan covering', 'swine fat growth', 'single tissue', 'pccb significant association', 'approximately mm backfat', 'level igf2 genotype', 'line hamb', 'correlated lipid content', 'length cervical', 'qtl result verify', '10 analysis sire', 'scrofa chromosome ssc2', 'accurate measure feed', 'qtl semen ejaculation', 'failure mainly caused', 'mdv oncogene', 'research gene', 'snp chip platform', 'verified qtl directly', 'infanticide occurs', 'são paulo goiás', 'alike population', 'glucose genome', 'gga1 hw', 'differ propensity', 'genotype snp daughter', 'resolution qtl', 'thermoregulation different', 'architecture semen trait', 'case control genotyped', 'legged partridgelike chromosomal', 'phenotypic variance attributable', 'functional analysis calving', 'rs13997812 showed significant', 'beneficial effect animal', 'effective estimation separated', 'assisted selective breeding', 'key identifying', 'set ranging size', 'mapping ldla qtl', 'distinct population gel', 'muscle plm percentage', 'sex linked marker', 'improve trait future', 'md resistance screened', 'qtl position effect', 'transcription start site', 'g162c c179g', 'efficiency phenotype sequenced', 'qtl associated different', 'number tn', 'bta18 lw', 'coagulase negative staphylococci', '427 individual yorkshire', 'bmp 15 expression', 'ilsts090 chromosome bms2142', 'genotype comparative', 'causing effect distinction', 'effect meat ph', 'protein xirp2 tetratricopeptide', 'trait erhualian allele', 'tenderness score heritability', 'distance cm respectively', 'remaining sire', 'heterosis occurs', 'significant statistical', 'concentration ch4', 'difference multibreed gwas', 'kdm5a snp', 'limousin red angus', 'bta25 finding report', 'detectable hbt compared', 'epistatic region', 'flanking likely', 'difference transcript abundance', 'parent grandparent genotyped', 'evaluation program', 'span hoxd', 'fabp allele trait', 'novel candidate gene', 'loss lightness', 'study horse', 'performed plink additive', 'including plasma', 'observed 928g polymorphism', 'line indicating', 'catalytic lobe', 'genomic region qtl', 'qtl identified sus', 'aspartic acid histidine', 'trait qdg analysis', 'adipose mesenchymal', 'additive plus dominance', 'bulge20 sire heterozygous', 'open field', 'fetlock hock joint', 'depth sfd wagyu', '12 related', 'function location calpastatin', 'background china', 'understanding underlying pleiotropic', 'yield data', 'igf2 considered', 'health conformation', 'problem use', 'poultry stock', 'effect total egg', 'heritability estimate moderate', 'qtl significant weight', 'consequently deepen understanding', 'status north', 'dbh cdk5', 'progeny derived', 'investigate tlr gene', 'analysis using subgroup', 'composite beef', 'lncrna transcript', 'distinguished member csrp1', '961g tmx4', 'linked muscle', 'region high', 'mutation body weight', 'sheep adapted tropical', 'maintain level', 'non infected status', 'compelling candidate', 'pigment concentration holstein', 'carcass related trait', 'fst gene sheep', 'comprised 1151 holstein', 'result indicate snp', 'maturity comb', 'causative mutation capn1', 'region explained 16', 'entropion domestic sheep', 'genetically superior', 'homeostasis cartilage development', '15 gene 12', 'teat increase supply', 'size increase', 'population polymorphism located', 'nprl3 evl', 'determine possible', 'total 34', 'blood chemistry component', 'theory anova', 'interval direct', 'snp64 allele', 'chromosome 27 associated', 'handling collected', 'trait 11 qtl', 'chromosomal segment', 'animal management', 'level qtl significant', 'cyst using traditional', 'neuropeptide npy potent', 'pedigree using', 'fat milk fat', 'china statistical analysis', 'faster genetic', '841 dairy', 'autosome study', 'iris depigmented', 'runx2 gene chilled', 'causing prrsv', 'illumina equinesnp50 infinium', 'individual 20 line', 'transfer protein mttp', '11 associated pregnancy', 'genome scan 221', 'pig cross trait', 'effect type', 'marker interval hamp_c', 'phenotype gene expression', 'm1 m2 population', 'comparison snp location', 'snp derived bac', 'different allele rsnps', 'beta1 receptor', 'trait experimental half', 'hematological trait', 'unique opportunity study', 'holstein dh 371', 'candidate region human', 'chromosome contained fcr', 'shoulder weight', 'tested candidate gene', 'genomic region major', 'linkage association bcdo2', 'mouse conclusion', 'marker improvement', 'cut total', 'average physical', 'pcr transcript level', 'sequence analysis breed', 'entire population female', 'indicator dairy cow', 'limiting universal', 'scan 255 iberian', 'thigh gizzard', 'increasing level thi', 'analysis identify qtl', 'germany management similar', 'average value', 'bd important factor', 'region iberian landrace', 'evidence mstn 435g', 'meat redness', 'identified located coding', 'based r2', 'mapped arm', 'genotype naturally', 'painful lower leg', 'comprising 7860', 'analysis detected major', 'significant effect trait', 'composition profile', 'calculation assigned highly', '23 25 highest', 'carboxypeptidase cpm gene', 'genotype identified addition', 'lepr mutation', 'sib family commercial', 'fat percentage imf', 'viral load thymus', 'livestock contributes', '58 cm ssc7', 'heifer pregnancy', 'fiber type influence', 'myofibrillar fragmentation', 'polygenic result represent', 'gene nr0b1 rgs4', 'region consistent analysis', 'information 24 significantly', 'deletion genotype', 'location family', 'measurement resulted improved', 'aim study aim', 'snp mapped distal', 'suggests gr', 'thirty marker average', 'beadchip bayesian', 'haplotype approximately', 'feather pecking mapping', 'counted suggesting qtl', 'map joint', 'rs319678464g rs330427832c myh3_rs81437544t', 'needed elucidate role', 'measurement fertility', 'wide level significant', 'difference effect', 'variant contributes genetic', 'chromosome close growth', 'pedf slco1b3', 'selection simultaneous', 'serum measured', '2e 05 conclusion', 'coverage rate', 'grandsires used', 'gene valuable information', 'overlap previously', 'single trait random', 'concerning trait drawn', 'acid transport protein', 'ma improve performance', 'prnp qtl', 'behavioural index swine', 'significant region bos', 'marker genotyping', 'tep lean', 'rec measure', 'ability phenotype', 'model tackling complexity', 'stillbirth calf size', 'associated androstenone concentration', 'detected l1 tdt', 'ear surface', 'indicates snp', 'likely play critical', 'explained solely', 'rate limiting step', 'atrophy body', 'suggest polymorphism occurring', 'trait churra', 'fy economically', 'merino backcross', 'asia carry phenotype', 'destroying putative mirna', 'ovulation twinning', 'ensembl cattle', 'triphosphate pi', '13 associated', 'ld analysed', 'determine truly causative', 'norway 1970 widespread', 'test account', 'based sscrofa10 pig', 'study distinct', 'according qtl database', 'http crcidp vetsci', 'rs109210955 rs41630030 rs41642251', 'using breeding', 'prompted achievement study', 'diameter 90', '122 taurine', 'environmental trait beef', 'skatole methyl indole', 'family offspring spanning', 'ld marker used', 'diverse population', 'significant marker rs29021868', 'edg1 snp regarded', 'sire positionally', 'la 40', 'using families', 'locus associated seven', 'casein content data', 'scan detection bovine', 'founder wagyu bull', 'united state using', 'gamma linolenic', 'body weight spawning', 'overall muc4', 'year ca', '21 23', 'development study total', 'mutation arg682his', 'ibk considered', '68 11', 'polish landrace 01', 'service sire daughter', 'explanation pleiotropic', 'mechanism elucidated performed', 'evaluation widely applied', 'le reported recently', 'omega fatty acid', 'animal functional', 'recording live', 'gwas result main', 'akrs tissue', 'effect spawning', 'jejunum length', 'causative molecular relevance', 'goat susceptibility neurodegenerative', 'approach cases 550', 'age estrus', 'lsamp suggested', 'positive additive', 'phenotype involving', 'gene located 50', 'effect population result', 'observed asian', 'nz romney', 'data localized', 'finding provide insight', 'identify qtl region', 'snp mqr panel', '1330g showed', 'strategy qtl', 'result molecular mechanism', 'approximately 800', 'lcorl expression', 'soluble vitamin', 'experiment described', '44 313', 'effect post', 'mutation 134 bp', 'cm 42 cm', '11 breed', 'observed chicken', 'detected hdl', 'skeletal problem layer', 'cattle producer', 'significant qtl 76', 'allele reached', 'variation natural population', 'herd natural', 'snp marker', 'bmp15 exon1 gdf9', '660 animal including', 'member slc2a4 stearoyl', 'routinely accumulated', 'bl head', 'qtl pin', 'baseline value', 'significantly associated feathering', 'genetic architecture italian', 'ft genome wide', 'region ssc2 ssc6', 'coding region identified', 'population boost gene', 'sequence cnv', 'contrasting infected versus', 'fiber density', 'vrtn mutation modifying', 'cm 18 46', 'qtl previous analysis', 'setd7 700g snp', 'rate previously detected', 'broiler industry mapped', 'generation parent', 'causative gene mutation', 'mapping large', 'gsg1l associated femur', 'arundinaceum schreb decreased', 'satisfaction carcass quality', 'screening genome using', 'chromosome located downstream', 'promoter studied 371t', 'weight large scale', 'eqtls revealed high', '51 cm respectively', 'provided novel', 'rate resulted nominal', 'content bos', '44 cow 100', 'location vicinity snp', 'genotype rs42670351 associated', 'suggests epistasis common', 'swiss affected research', 'based bw growth', '33 snp associated', 'controlling erythroid', 'rt qpcr western', 'fold objective', 'soga1 mas1 protein', 'different specie', 'chromosome mcw0168', 'genetics growth egg', 'study shank', 'gene gene region', '240 day', 'general taurus cattle', 'beef marbling trait', 'correction candidate', '25 mb', 'informative microsatellites', 'performed estimated breeding', 'family detected family', 'sample predicted transmitted', '10 363 fleckvieh', 'known large proportion', 'genetic locus determining', 'cm proportion', 'genotyped using moderate', 'able map', 'separately pool genotyped', 'identified single trait', 'variance clarify genomic', 'study gwas chicken', '73 polyunsaturated fatty', 'stature plag1 chchd7', '25 different', 'marker identified large', 'single autosomal locus', 'melim mc1r', 'common chromosome harbouring', 'program gene', 'growth prioritized used', 'associated fi', 'gga1 27 suggestive', 'biological pathway involved', 'sperm rate single', 'egg weight', 'overall understanding genetics', 'cross available', 'tinagl1 ick', 'genome study', 'outside qtl', 'haplotype 34', 'composition pig result', '17 shoulder weight', 'dominant effect iii', 'elongated narrow head', 'existence common', 'ca used perform', 'ssc7 negative', 'sire 47 dam', 'milk secretion', 'promising autosomal', '70 85 mortality', 'perform gwas', 'interestingly gene encoding', 'sequencing used', 'weight mainly located', 'wov embryo length', 'bta20 overlap', 'selection rapid', 'broiler chicken northeast', 'genetic map calculated', 'related horn formation', '52 cm marker', 'innate immunity', 'using legendre polynomial', '60 week', 'revealed 305', '950 copies μg', 'result using illumina', 'restraint expression', 'carriers carrying', 'including grb14 galnt1', 'age insemination', 'used conduct genome', 'suggests scd gene', 'gain adg', 'genotyped pig', 'suggesting good', 'surrounding vrtn region', 'metabolism proposed', 'diarrheal pig', 'disease virus suid', 'remaining quality control', 'background defect mapping', 'breeding value obtained', 'level snp cyp2e1', 'corte genotyped pcr', 'family using granddaughter', 'leghorn polish native', 'reproductive respiratory', 'snp near gene', 'trait objective', '06 fecx 55e', 'related birth', 'provides useful information', 'associated mechanism heat', 'select new', 'region development sheep', 'sw1881 using', 'commission mlc', 'process gene play', 'gene sequence revealed', 'chromosome 100', 'significance threshold determined', 'intron exon', '89 ovum polymorphism', 'angus beef', 'inheritance pattern acop', 'data mammary', 'subsequent marker', 'identified blackface breed', 'consistently identified ssc6', 'reproduction trait l1', 'bft hw qtl', 'demonstrated feasibility', 'chromosomal region bovine', 'higher pparγ', 'content respectively breed', 'model revealed strong', 'region carry mutation', 'genomic selection', 'cm interestingly', '380 coding snvs', '19nuig sire 93', 'condition provide', 'exon nr6a1', 'ubiquitination factor', '16 466', 'wise genetic', 'snp rs43032684 chromosome', 'various growth', 'country recording', 'expected use', 'associated fatness used', 'susceptible counterpart vrq', 'gain loin depth', 'proposed mapping', 'bta17 511', 'calving fertility', '966 depending trait', 'potent counterpart', 'sib north american', 'qtl variation', 'risk cardiovascular', 'known fertility related', 'reside haplotype', 'dpi pig', 'postmortem examination revealed', 'assaf ewe test', 'selected outbred founder', 'hereditary underdevelopment', 'protein 90', 'molecule considered genetic', 'herd brandon', '250 genetic', 'rs110125325 rs41652818 bovine', 'snp chip analysis', 'using geneseek80k', 'wdr92 prokr1', 'alternative allele using', 'control 613 horse', 'population considering', 'conducted using high', 'effect bayesian approach', 'association birth', 'chd4 associated', 'reduced susceptibility', 'growth broiler', 'performed genetic', 'validation sample 337', 'identify characterize', 'reflects existence', '48 08', 'salmonella resistance significant', 'red junglefowl intercross', 'maintenance carcass', 'snp1 c105331a snp2', 'economic loss', 'study helpful fine', 'information agreement obtained', 'associated snp mainly', 'illumina ovinesnp50 genotyping', 'average age', 'distance cm lod', 'energy homeostasis reported', '94 protein sequence', 'ssc6 position qtl', '668 female', 'partitioned chromosome', 'report association blood', 'responsible significant association', 'ovinesnp50 beadchip qtl', 'old 01', 'required confirm qtl', 'approach using illumina', 'snp downstream analysis', 'using arena', 'recurrent case', 'qtl phenotypic', '93 snp c14', 'production age 46w', 'power detection time', 'number detected', 'architecture fertility', 'qtl main', '95 angus red', 'attachment teat placement', 'significant snp bayes', 'population snp1', 'frequency differed significantly', 'including col17a1 candidate', 'underlie milk fatty', 'identification snp il', 'trait locus heterozygosity', 'loss production step', 'nte cd', 'oncorhynchus mykiss population', 'oxidation considered candidate', 'trypsin prss2 associated', 'f1 dam', 'qtl explain variation', '05 removal fgf8', 'weight cwt marbling', 'gene identified', 'specific qtl indicate', 'indicate melim', '4α gene', '43 47', 'affect broiler', 'kd103 oarvh34', 'associated cecum content', 'hanwoo beef cattle', 'gwa study inconsistent', 'utility genomic region', 'pig exhibit great', 'leprot dnajc6 ak3l1', 'provide useful maker', 'qtls 14 autosomal', 'intercross detected', 'selection history', 'significant qtl bw', 'study support quantitative', 'sult2a1 sult2b1 new', 'scoring visualization software', 'day total 557', 'qtl bta02 bta04', '2000 ng', 'qtls associated adg', 'catfish population interspecific', 'gene largest', 'meat ham lmh', 'noncoding intronic gene', 'array genome wide', 'content neauhlf', 'ovine capn3', '84 indicating', 'conducted 20', 'chromosome possible', 'progeny large', 'largest effect fy', '6723a allele likely', '113 qtls seven', 'association confirmed gene', 'determine biomechanical strength', 'slaughter result', 'detected 102 potential', 'strongly affecting', 'influencing carcass', '32 extreme', 'deposition growth muscling', 'use gene', 'vertnin genotype', 'loc512672 identified population', 'autosome animal', 'putative qtl marker', 'color result used', 'phaeomelanin red', 'gene result indicate', 'genetic basis horn', '13 covering', 'marker kd103', 'potassium sodium', 'result supported comparative', 'comparison quantitative trait', 'adjacent rs81434499', 'referred snp', 'snp 321a 324g', 'animal higher residue', 'breed luxi qinchuan', 'ca hematocrit', 'tissue infection faecal', 'information analysis enabling', 'qtl significantly', 'identify putative qtl', 'larger bwg', 'marker plus', 'position narrowed', 'progress demonstrated', 'located centromeric', 'locus affect progression', 'acting difference', 'fertility trait bos', '84 snp', 'animal visual characteristic', 'large 433a allele', '104 pig available', '20 genome', 'prkag3 024', 'present study genetic', 'influencing hb 01', 'identifying new', 'tail independent pool', 'haem score', '1987c fixed iberian', 'knc resource', 'reproduction trait 14', 'investigated qtl', 'tissue tested', 'selection effective approach', 'fp studied 54', 'robust animal', 'qtl developmental change', 'different pig breed', 'increase milk yield', 'qingyu pig knowledge', 'mb haplotype', 'affecting group sla', 'harbour major locus', 'cm average marker', 'stabilizing morphological', 'confirmed linkage 01', 'confirm existence qtl', 'content longissimus', 'minor effect', 'genotyped 62', 'influence selection', 'fine mapping required', 'limousin breed background', 'representing 29', 'equine oc investigation', 'rtn ssc6 ssc8', 'line total 386', '311a characterised', 'family evaluated', 'control 626 020', 'wide qtl em', 'common 18 trait', 'objective cattle', 'ssc3 ssc4 ssc5', 'backfat furthermore', 'combination follow work', 'generation 11', 'interval bm2830 eth152', 'useful utilizing recently', 'sire progeny 98', 'largest gwas performed', 'conserved seed region', 'government worldwide', 'yield quality', 'polymorphism marker obtained', 'general purpose considering', 'trait estimated breeding', 'region linkage disequilibrium', 'selection functional genomics', '24 associated parasite', 'specie identified', 'psychotic illness', 'cc fabp', 'role physiological', 'analysis significant qtls', 'resistance gwas', 'marker outperformed', '532 1166', 'improving pork quality', 'located region considered', 'composition distal', 'gamete method closed', 'measurement female fertility', 'plin1 gene direct', 'component trait little', 'newly identified gene', 'obesity identification', 'circumcincta haemonchus contortus', 'performing marker', 'slaughter ultrasonic measure', 'qtls trait pair', 'hbt compared lbt', 'exonic splicing enhancer', 'variance suggesting polygenic', 'acid content cast', 'support conclusion', 'multiple qtl model', '58 informative', 'segregation analysis qtl', 'atpase atp2b1 dual', 'snp candidate cnvs', 'additional breed', 'animal model spontaneous', 'given level map', '08 lr 39', 'swine quantitative', 'good candidate used', 'differential white blood', 'efficiency qtl carcass', '826 pig', 'trait ssc1', 'compromise general condition', 'method applied 50k', 'interfering analysis', 'ph serum mucosal', 'beadchip evaluated 19', 'number non', 'explained pleiotropic qtl', 'development significantly', 'repeatedly identified', '001 chi2', 'chromosome 10 11', 'indicated snp associated', 'feed efficiency allele', 'simple reliable polymerase', 'meishan pietrain european', '40 9n carrier', 'rs41919985 rs41919986 c10', 'tested vitro', 'additionally gene located', 'correction stratification', 'approach aim', 'result limb bone', 'genotype validation sample', 'including rs339939442 aryl', 'strength bone', 'hydroxylase tph2 serotonin', 'control post', 'locus affecting analyzed', 'association 88 single', 'horse equine', 'gain 638 loss', 'tenderness genome assisted', 'mathematical model describing', 'immune response qtl', 'previously described haplotype', 'cow selected randomly', 'influence transcriptional', 'moderate 30 litter', '1990s causal mutation', 'mar qul negative', 'validated alternative use', 'leg chump loin', 'ratio test lrt', 'synthetase acsl1', 'multi facetted approach', 'h173r variant milk', 'map narrow', 'brown half', 'cheese rec', 'associated lightness redness', 'using deregressed estimated', 'level fdr 10', 'seven 167', 'sucla2 csrnp1 park7', 'study time qtl', 'cofactor analysis', 'score 582', 'analysis recovered level', 'bull artificial insemination', 'related bl trait', 'suggests mutation', 'time pedigree', 'fertility conclusion conclusion', 'performs genome', 'diversity prrsv', 'candidate gene cytochrome', 'prolificacy attributed meishan', 'explore possible', 'trait indicating primary', 'rspo2 mitogen activated', 'chromosome 12 fore', 'sc located', 'influence incidence clinical', 'relationship individual', 'affecting bone index', 'canchim tropically adapted', 'resistance milk', 'set effectively study', 'effector cidec', 'chromosome bms2142 chromosome', 'located relevant', 'candidate gene vicinity', 'strongest association bta14', 'analysis performed numerous', 'missense silent', 'positive reactor', 'qtl region ssc17', 'reciprocal backcross', 'transporter sequence ovine', 'longevity aim investigate', 'hw tc', 'difference italian simmental', 'fat important increase', 'increased suggesting', 'trait beef odour', 'cfu genome', 'black white holstein', 'md caused oncogenic', 'trait enabled characterization', 'valuable information future', 'respectively furthermore determine', 'bco2 genotype animal', 'showed relationship snp', '23 26', 'phosphatidylcholine pc', 'chromosome sus scrofa', 'previously using', 'reported previously american', 'regulates bone', 'composition method', 'morphology epithelial', 'current qtl location', 'associated osteochondritis dissecans', 'animal summed specie', 'ssc4q using large', 'high protein low', 'previously reported', 'sample evaluated', 'corrected genoprob prior', 'intermuscular abdominal', 'lower expected', 'finding outline', '10936g aafc03076794', 'adg cbs variance', 'damara genotyped', 'family 29 autosome', 'retained association analysis', 'role uterine', 'separate single locus', 'genotype cc ca', 'showed particularly', 'consider inbreeding', 'intramammary infection', 'effect qtl chromosome', 'snp associated blv', 'level largely', 'snp rs42670353 significantly', 'pleiotropic favorable', 'inbreeding result showed', 'detected population', 'domestication selection process', 'carcass 05 abdominal', 'mortality 30 60', 'hotspot block', 'better understanding genetic', 'study affect', 'assumed eu', 'incidence degree', 'asreml substitution effect', 'linkage study used', 'chest width cw', 'reported corticosteroid', 'bmd uncovered', 'related gene lipoprotein', 'covering autosome qtl', 'condition provide evidence', 'contributing thermotolerance', 'korean holstein cattle', 'fat depot', 'enrichment association', 'breakpoints interval', 'depth chromosome', 'le linkage', 'substitution gene excluded', 'conclusion genetic', 'feed efficiency', '17 demonstrated linkage', 'conductivity ssc16 coincided', 'snp group', 'coding gene sequence', '00 23 mb', 'based gwas cow', 'immune transfer total', 'perform integrative', 'identification novel quantitative', 'trait rainbow', 'conclusion involvement snp', 'hap1 associated imf', 'process form foundation', 'bta6 bta10', 'addition vitro activity', 'meishan allele increased', 'significant peak', 'data 45 sheep', 'gastrointestinal nematode parasite', 'complex area chromosome', 'trait swine production', 'regulation expression', 'cdna obtained', 'avpcv decline pcv', 'cast gg', 'seminiferous tubular', 'study different plumage', '93 additional', 'arm ssc2', 'vertebra ssc7', 'ph1 24 hour', 'associated regulation', 'data specie', 'model clarify', 'analysis list', 'month post hatching', 'consistent considering', 'significant 01 additional', 'bmc sheep', 'comprising novel qtls', 'weight ssc7', 'different joint', 'c16 c18', '01 polymorphism', 'occurs predicted', 'pinpoint causal genetic', 'trait immune capacity', '10 15', 'animal model univariate', 'standard deviation compression', 'new homozygote genotype', 'gain ssc1 qtl', 'trait addition qtl', 'previous study identified', 'young male', 'log10 value 19', 'candidate lda', 'trait mixed model', 'recovered 14days', 'correlated 01', 'dwarf dam selected', 'test qtl', '3794 genotype 614', 'black pig', 'ghrl ghsr', 'hmga1 rps10 potential', 'churra sheep future', 'score canadian angus', 'associated sensory property', 'breed multitrait', 'current state art', 'erhualian 14', 'antagonistic correlation hamper', 'day 120', 'cm marker ilsts002', 'variance 10 snp', 'yellowness nellore', 'cm region containing', 'underlying mechanism hopefully', 'twinning rate female', 'mapping prkag3 showed', 'cm ssc', 'region affect feed', 'population 05 information', 'cm qtl moisture', 'family segregated according', 'length qtl identified', 'intron non', 'performed using daughter', 'gensel version', 'nudt7 reported', 'disequilibrium study', '70 day bw70', 'bayes analysis', 'day record 484', 'expression gene', 'chromosome region associated', 'exon 46547859c snp', 'addition biological function', 'viable piglets', 'f2 animal protein', 'f2 backcross', 'heterozygosity 7192', 'sow attacking', 'ssc using', 'lactose percentage close', 'measured 24', 'microsatellite marker data', 'fcr 01', 'tg lipoprotein', 'background meat', 'expert equine', 'antimicrobial agent reduced', 'development functioning', 'assay regulatory effect', 'identified 23 positional', 'parallel association study', 'level hypocalcemia', 'showed negative', 'yearling bw', 'utilized qtl', 'lg prl interaction', 'af trait approach', 'detection performed', 's0283 pinpoint locus', 'cobb broiler', 'daily gain birth', 'boar swedish yorkshire', '27 affected 10', 'gamma associated weight', 'detection time', 'pathway major biological', 'phusm association', 'le intramuscular', 'panel response variable', 'varying 17', 'animal 50 sib', 'coming meishan breed', 'msi result showed', 'antagonist iloperidone', 'gene related', 'improve detection power', '518 203', 'affected locus', 'tbg detected altering', 'survey represents qtl', 'concentration discovered including', 'placed fto', 'cattle c3 cdna', 'inherited disorder cardiovascular', 'content carcass using', 'significant measured ham', '28 35 35', 'series genotype', 'trait 770k genotyped', 'marbling cd cc', 'human genome located', 'slick locus bta20', 'piglet birth', 'significant effect 14', '41 cm individual', 'disequilibrium information', '05 prme', 'fgf7 il16', 'frequency 02 used', 'future genome assisted', 'outbreak blood', '41 cm c14', 'assessed data using', 'rs13849241 rs15231472 rs13849381', 'epistasis common underlying', 'chicken growth carcass', 'production affecting', 'resource population dupi', 'sahiwal 102', 'mainly affect', 'f1 male', 'level genome wide', 'qtls gene confirmed', 'including anti', 'snp scanning', 'indicate important role', '20 qtl associated', 'significant association fec', 'born 05 number', 'white leghorn trait', 'color marbling purge', 'aquaculture previous', 'animal genotyped using', 'total 278', 'scale genomic', 'important trait chicken', '224 probably', 'sequence analysis gdf10', 'used approximately 46', 'result associated 15', 'gallop 19', 'qtls ph15 dl', 'great pig', 'stillbirth dystocia', '447 allele', 'validated panel including', 'result verified complex', 'snp gene tested', 'androstenone suggest ssc5', 'egwas identified 241', 'region numerous individual', 'cross extremely different', 'carcass conformation progeny', 'genotype 593 nelore', 'infection multiple', 'modulators gene expression', 'round lambing', 'affect growth important', 'trait investigated 357', 'gene oc qtl', 'mapped genome', 'na potassium', 'lepc previously', 'meishan western pig', 'independent present possible', 'index 0011 0001', 'current qtl region', 'unreported snp ccl2', 'collected dna sample', 'demonstrated breed', 'ash water', 'initiator suppressor', 'variant porcine', 'cost beef', 'breeding value conferred', 'novel pig gene', 'influence number', 'debvs derived', 'corpuscular hemoglobin concentration', 'provide helpful information', 'p17 involved', '05 significant association', '385 single', 'behaviour sparse', 'identifying time formal', 'distribution chicken lpin2', 'genotyped 18', 'detected range', 'multi facetted', 'ovlv induced lesion', 'slc3a2 zdhhc5 ssc2', 'underlying genomic variability', 'association detected analysed', 'sperm correlation concentration', 'protection various cell', 'effect significant effect', 'number parity', 'color score longissimus', 'male animal trait', 'sscx snp', 'effect individually exceed', 'mapping result bovine', 'gene hypothesized gene', 'trait locus showed', 'conducted f2', 'cdkal1 tert', 'affected calving difficulty', 'chicken snp', 'body weight time', 'mammalian genome characterized', 'piglet mortality birth', 'analysis likelihood', 'addition qtl affecting', 'nsrp1 cadps proposed', 'obesity represents major', 'significantly associated maternal', 'ubl5 cfd', 'region discussed high', 'window significant', 'functional polymorphism', 'conducted variance', 'gene goal present', 'pedigree snp', 'bovine growth body', 'key ancestor', 'supported vrtn', 'nsb number mummy', 'difference chicken', 'indirectly affect', 'study single nucleotide', '140 landrace 181', '01 birth', 'considering function development', 'marker used marker', 'view hind leg', 'identified frequency', 'ld mapping single', '454 f2 gilt', 'molecular phenotype followed', 'chicken paper correlation', 'ra type sscx', 'significantly associated gene', 'fat digestion', 'avian coccidiosis major', 'surpassing threshold consumer', 'vertebra performed map', '0001 ssc15 meat', 'deformity rate haplotype', 'litter record', 'quality validate single', 'susceptible pig substituting', 'variant bmprib', 'gene annotation showed', 'measurement growth', 'identified hmga2', 'frequency tested', 'trait locus identified', 'trait marker assisted', 'sire pool', 'included epistatic qtl', 'collected duroc swine', 'gene involved inflammatory', 'bm1227 24 cm', 'clone 550', 'mechanism controlling', 'refined previously', 'herd longer productive', 'picture quantitative trait', 'route better understanding', 'superfamily crucial', 'gene ovarian follicle', 'remained final model', 'estimate average', 'limousin bull 15', 'gm trait', 'phenotype including', 'mutation significantly', 'environmental health husbandry', '141 mb', 'establish genetic variation', 'member zinc', 'wdr83 important', 'podotrochlea study refined', 'neonatal postweaning pig', 'dj gwas revealed', 'effect dgat1', 'suggest myadm', 'phenotype genotyped 35k', 'estrone sulphate 17β', '01 determined permutation', 'rsnps significant difference', 'respiratory disease cause', 'bw70 bwg fcr', 'number vertebra', 'diacylglycerol acyltransferase1 dgat1', 'trait great importance', 'pqtl conducted', 'week covariate', 'information locate causative', 'gene obtained', 'sire evidence', 'mapping subsequently reduced', 'bone proportion', 'variance 01', 'fi 05 rs13687128', '70 age', 'included 51 262', 'bp chicken chromosome', 'horse subjected official', 'statistic calculated single', 'short bp 17', 'variation tested', 'kingdom crossbred lamb', 'important human', 'ryr1 mutation', 'known affect lipid', 'metabolic index pork', 'contrasting haplotype', 'perform different genome', 'affected horse previously', 'gene contained 504', '05 non compensatory', 'pool tail', 'staple length measured', 'analysis 61', 'wnt10b 12', 'outcome case', 'world new', 'marker interval 25', 'additional rao', 'imf phenotypically', 'snp alga008191 located', 'snp tnp1 utr', 'snp1 snp3', 'bmd distal femur', 'map including', 'used breed', 'csrp3 porcine', 'associated age puberty', 'fp rule', 'aimed search new', 'mathematical model', 'genotype 35 391', 'control number', 'maternal calving difficulty', 'genotype conclude gh1', 'large study included', 'variant analysis', '21 72 10', '22 day age', 'sd detectable reasonable', '87e 06 association', 'intervals maximum test', 'reported sheep study', 'network interacted', 'hemoglobin red', 'substantially reduced', 'utr different genotype', 'profile large', 'sire proof', 'population brahman brahman', 'utr gdf8', 'region putatively associated', 'half body length', 'fatty acid ufa', 'cn gd', 'nearest 26 gene', 'ram population', 'classify gene', 'composition chicken carcass', 'receptor sorcs2 gene', 'diversity chicken cc', 'trait btax bta19', 'chromosome eca refine', 'sscx involves different', 'mapping family', 'snp genotype 23', 'association bft', 'candidate calving', 'result validated snp', 'involved stress', 'trait respectively 47', 'hypothesis hsp90aa1 positional', 'based linear regression', 'shl diameter shd', '10 mixed', 'sequence derived genotype', 'suggestive additive', 'study genome scan', 'largest date used', 'nucleotide sequence data', 'genome close', 'snp associated bmts', 'studied region chromosome', 'support candidacy growth', 'fibre property', 'lpl gene similar', 'maturation human understanding', 'protein lipid accretion', 'included regression coefficient', 'lea tenthrib qtl', 'production flock american', 'friesian cow training', 'italy austria', 'available 640', 'population gel shift', 'influencing growth', 'variation predisposition', 'externally using experimental', 'region novel', 'breeding influence', 'second aim identify', 'gilt explored pleiotropic', 'covering genome performed', 'strong positional candidate', 'weighted selection', '27 microsatellites average', 'bp insertion', 'differ male female', 'individual family analysis', 'affecting trait', 'low tail sire', 'cm analyzed chromosomal', 'mineral predicted mid', 'relationship quantitative', 'a232k ghr f279y', 'explained 75', 'program based marker', 'breeding management genomic', 'appearance texture juiciness', 'cross phenotypic variation', 'powerful detecting multiple', 'qtl study fabp4', '41 148', '85 significant snp', 'immunofluorescence assay indicated', 'data imputed sequence', 'experimental iberian landrace', 'difference elovl6 gene', 'family member calmodulin', 'disease chronic disease', 'parasitic disease', 'mastitis bvs', 'analyzed 137', 'linkage map average', 'marker yds detected', 'nematodirus strongyles genus', 'rate muscle', 'candidate quantitative', 'snp observed snp', 'different data', 'protected designation origin', 'associated pneumonic', 'induces apoptosis response', 'chromosome qtl detected', 'polymorphism protocol genotype', 'related semen trait', 'conducted charolais holstein', 'gene containing', '64800 snp retained', 'variation increase heritability', 'allele snp located', 'effect confirmed snp', '332 position 46547859c', 'variance dna', 'identified parental', 'italy produce', 'locus population comprised', 'typed microsatellite', 'gwas marker showed', 'allow interval', 'lda nominal log10p', 'tumor status', 'interval traced inheritance', 'pleiotropic effect meat'}
Gensim Bigram and Trigram¶
In [50]:
# Bigram and trigram
bigram = Phraser(Phrases(abstract_tokenized, min_count=2, threshold=15))
trigram = Phraser(Phrases(bigram[abstract_tokenized], min_count=2, threshold=15))
bigram_token = [bigram[doc] for doc in abstract_tokenized]
trigram_token = [trigram[bigram[doc]] for doc in abstract_tokenized]
bigram_text = [" ".join(token) for token in bigram_token]
trigram_text = [" ".join(token) for token in trigram_token]
print(bigram_token[0])
print(bigram_text)
['previous_study', 'qtl', 'carcass_composition', 'meat_quality', 'identified', 'commercial', 'finisher', 'cross', 'the', 'main_objective', 'current_study', 'confirm', 'fine_map', 'qtl', 'genotyping', 'increased', 'number', 'individual', 'marker', 'analyze_data', 'using', 'combined_linkage', 'linkage_disequilibrium', 'analysis', 'method', 'modified', 'version', 'method', 'excludes', 'linkage_disequilibrium', 'information', 'analysis', 'enabling', 'comparison', 'result', 'based', 'linkage', 'information', 'result', 'based', 'combined_linkage', 'linkage_disequilibrium', 'information', 'nine', 'additional', 'paternal_family', 'genotyped', 'marker', 'resulting', 'total', 'animal', 'genotyped', 'marker', 'respectively', 'the', 'qtl', 'affecting', 'meat_color', 'confirmed', 'whereas', 'qtl', 'affecting', 'weight', 'could_confirmed', 'the', 'combined_linkage', 'linkage_disequilibrium', 'analysis', 'resulted', 'identification', 'new', 'significant', 'effect', 'trait', 'chromosome', 'heritabilities', 'qtl', 'effect', 'ranged', 'the', 'analysis', 'contributed', 'accurate', 'positioning', 'qtl', 'characterized', 'phenotypic', 'effect', 'however', 'result', 'showed', 'even', 'greater', 'marker_density', 'required', 'take', 'full', 'advantage', 'linkage_disequilibrium', 'information', 'identify', 'haplotype', 'associated', 'favorable', 'qtl', 'allele'] ['previous_study qtl carcass_composition meat_quality identified commercial finisher cross the main_objective current_study confirm fine_map qtl genotyping increased number individual marker analyze_data using combined_linkage linkage_disequilibrium analysis method modified version method excludes linkage_disequilibrium information analysis enabling comparison result based linkage information result based combined_linkage linkage_disequilibrium information nine additional paternal_family genotyped marker resulting total animal genotyped marker respectively the qtl affecting meat_color confirmed whereas qtl affecting weight could_confirmed the combined_linkage linkage_disequilibrium analysis resulted identification new significant effect trait chromosome heritabilities qtl effect ranged the analysis contributed accurate positioning qtl characterized phenotypic effect however result showed even greater marker_density required take full advantage linkage_disequilibrium information identify haplotype associated favorable qtl allele', 'quantitative_trait locus qtl scan phenotype related growth_carcass composition meat_quality conducted using progeny commercial cross animal genotyped_microsatellite marker spanned entire porcine genome qtl analysis conducted extract information paternal_maternal meiosis separately using nonparametric approach design nine qtl exceeded_significance one qtl affecting growth average_daily gain two qtl influencing carcass_composition fatness muscle_mass six qtl influencing meat_quality tenderness colour sscx conductivity all one coincided_previously reported qtl addition present evidence suggestive qtl combined false_discovery rate', 'partial genome_scan using microsatellite_marker conducted detect_quantitative trait locus qtls fatty_acid content backfat chromosome porcine resource_population two qtls discovered sus_scrofa chromosome the qtl located marker locus qtl detected linoleic_acid it position proximity mapped linoleic_acid content previous_study the qtl mapped marker significant oleic_acid novelty qtl oleic_acid suggested qtl located far qtls previously_mapped fatness trait the qtl explained_phenotypic variation oleic_acid content further study fine_mapping positional comparative candidate_gene analysis would next step_toward better_understanding genetic_architecture fatty_acid content', 'background the rate pubertal development weaning estrus interval correlated affect reproductive_efficiency swine quantitative_trait locus qtl age_puberty nipple_number ovulation_rate identified meishan cross pig chromosome near telomere homologous human chromosome contains reductase akr gene cluster least six family_member akrs hydroxysteroid dehydrogenases interconvert weak steroid hormone potent counterpart regulate process_involved development homeostasis reproduction because location swine genome implication reproductive_physiology gene cluster characterized evaluated effect reproductive trait swine result screening porcine_bac library cdna identified positive clone sample sequencing bac_clone revealed distinct gene mapped using radiation_hybrid panel gene mapped microsatellite_marker comparison sequence_data porcine_bac fingerprint map show cluster gene resides region twelve snp genotyped gilt observed age_first estrus ovulation_rate generation meishan descendant usmarc resource_population age_puberty nipple_number ovulation_rate data_analyzed association genotype mtdfreml using animal model one snp phenylalanine isoleucine substitution associated age_puberty possibly ovulation_rate two snp significantly_associated nipple_number another possibly associated age_puberty conclusion genotype associated nipple_number well possible effect age_puberty ovulation_rate the estimated effect genotype trait suggest snp incomplete linkage_disequilibrium causal_mutation affect reproductive trait swine further_investigation necessary identify mutation understand gene affect important reproductive trait the nucleotide sequence_data reported submitted genbank assigned accession_number genbank genbank genbank', 'previously quantitative_trait locus qtl backfat tenthrib loin_eye area lea identified pig chromosome_ssc near microsatellite berkshire_yorkshire cross this work attempted refine qtl position identify gene associated qtl genotype determined pcr test polymorphism identified individual candidate_gene bac end sequence genomic clone using regression_interval mapping lea qtl estimated tenthrib qtl position shifted approximately downstream mapped qtl region significantly_associated tenthrib solute_carrier family_member significantly_associated lea these_result suggest gene responsible lea tenthrib qtl effect tightly_linked high informativeness relative surrounding marker influencing qtl position estimate addition janus kinase mapped suggestive lea qtl region showed association lea fatness color trait', 'our understanding_molecular genetic_basis several key performance trait pig significantly advanced quantitative_trait locus qtl mapping approach however contrast growth_fatness trait genetic_basis feed_intake trait rarely investigated qtl mapping since feed_intake important component efficient pig production identification qtl affecting feed_intake may_lead identification genetic marker used selection_program study qtl analysis feed_intake feeding_behavior growth trait performed population derived cross chinese_meishan european large_white pig qtl significant effect daily_feed intake_dfi identified sus_scrofa chromosome number suggestive qtl effect daily_gain feed_conversion feeding_behavior trait also located the significant qtl lie close previously identified mutation growth_factor gene affect carcass_composition trait although mutation segregating population analyzed current_study therefore distinct causal_variant may exist arm effect feed_intake', 'genome_wide search european_wild boar swedish yorkshire_pig earlier identified quantitative_trait locus qtl leucocyte_number function porcine chromosome_ssc verify involvement chromosomal_region regulation haematocrit hem haemoglobin level leucocyte_number vitro leukocyte function mitogen induced proliferation production virus induced production neutrophil phagocytosis animal different genetic background analysed the animal comprised sire_family pig six crossbred landrace sire_family they genotyped genetic marker interval analysis performed qtl close influenced number white blood_cell pig number band neutrophil cell pig identified additional qtl identified close influence number cell pig qtl influencing hem level identified close kit pig for pig second qtl distal kit close influenced number mhcii cell mitogen induced proliferation whilst qtl close kit influenced number igm cell pig the result_confirm involvement earlier identified region porcine immune parameter candidate_gene suggested', 'quantitative_trait locus reproductive trait resource_population cross pig control line pig line_selected generation increased index ovulation_rate embryonic survival reported phenotypic_data collected female birth_weight bwt weaning_weight wwt age_puberty ovulation_rate number fully formed pig number pig born_alive nba number mummified pig mum number_stillborn pig nsb grandparent animal genotyped_microsatellite marker sixteen putative qtl reproductive trait identified previous analysis data single qtl model data reanalyzed multiple qtl model including imprinting_effect data also analyzed model permutation used establish significance_level putative qtl reproductive trait two qtl birth_weight identified one mendelian qtl one nba three nsb three seven five mum one bwt found partial imprinting qtl affecting bwt mum detected there four paternally_expressed qtl one mum maternally_expressed qtl affecting nsb mum detected qtl detected analysis multiple qtl model imprinting_effect appropriate analyzing data single mendelian qtl model', 'resource family created_crossing two berkshire grandsires nine yorkshire granddams identify qtl affecting growth body_composition meat_quality total offspring evaluated trait related growth body_composition trait related meat_quality all animal initially genotyped marker across genome the_objective advanced phase project identify characterize qtl genotyping another marker special region interest develop apply method_detecting qtl effect new marker linkage_map derived used qtl analysis based least_square mapping decision tree identifying qtl effect developed based test mendelian mode_expression empirical significance_threshold derived chromosomewise genomewise level using specialized permutation strategy create data null hypothesis appropriate test significance_threshold derived permutation_test validated based simulation pedigree data structure similar population the addition marker resulted discovery new qtl chromosomewise level using mendelian_model analysis thirteen original qtl longer significant chromosomewise level total qtl effect identified including qtl paternal expression backfat_loin muscle_area chromosome near qtl maternal expression drip_loss reflectance chromosome test imprinting mendelian_expression identified much fewer qtl effect test based significance paternal_maternal allele used study the detected qtl identified mode_expression allow research qtl region utilization improvement meat_quality', 'quantitative_trait locus qtl growth_fatness trait previously identified chromosome several experimental pig population the segregation qtl commercial_pig studied sample animal five different population variance_component analysis vca using identity descent ibd matrix applied the ibd coefficient estimated simple deterministic smd markov_chain monte_carlo mcmc method data two growth trait average_daily gain test whole life daily_gain back_fat thickness analysed with method seven combination population chromosome trait significant additionally qtl genotypic allelic effect estimated qtl effect significant the range qtl genotypic effect population varied phenotypic mean growth trait back_fat trait heritabilities qtl genotypic value ranged growth trait back_fat very similar result obtained smd mcmc however mcmc method required large number iteration hence computation time especially qtl test position close marker', 'commercial livestock population qtl detection method often use existing family structure ignore additional relationship within family reanalyzed data large qtl confirmation experiment pig line chromosome region using ibd_score variance_component analysis the ibd_score obtained using monte_carlo markov_chain method implemented loki software used model putative qtl mixed animal model the analysis_revealed qtl nominal level test qtl mapped area qtl reported eight exceeded_threshold claim confirmed linkage putative qtl detected previously using analysis whereas qtl previously identified analysis could_confirmed using variance_component approach some difference could traced_back underlying assumption two method using deterministic approach estimate ibd_score subset data gave similar result loki demonstrated feasibility applying variance_component qtl analysis large_amount data equivalent genome_scan many situation deterministic ibd approach offer fast alternative loki', 'the hypothesis quantitative_trait locus qtl explain variation divergent population also account genetic_variation within population tested using pig population two region porcine genome previously_reported harbor qtl allelic effect differed modern pig ancestor modern pig distantly related population asian pig studied qtl growth obesity trait mapped using selectively_genotyped family five domesticated modern population strong support found least_one qtl segregating population for five population evidence segregating qtl affecting fatness region chromosome these_finding confirm qtl detected highly selected commercial population consistent_hypothesis chromosome location account variation population also explain genetic_variation within population', 'the_aim study_investigate method_detecting qtl outbred commercial_pig population several qtl back_fat growth_rate previously detected experimental resource_population examined segregation different population two hundred test performed resulting test significant level addition qtl test meat_quality trait declared significant using subset population these_result show considerable amount_phenotypic variance observed population explained major allele segregating several locus described thus despite relatively strong selection_pressure growth back_fat trait population allele yet reached fixation the approach used demonstrate possible verify segregation qtl commercial population limited genotyping selection informative animal such verified qtl may directly exploited_selection ma program commercial population molecular_basis may revealed positional_candidate cloning', 'intercross meishan_large white pig population used map quantitative_trait locus qtl protein_percentage muscle present_study animal parent_grandparent genotyped_microsatellites chromosome the marker genotype used_calculate additive_dominant coefficient fixed position genome animal protein_percentage regressed coefficient interval three significant qtls effect found protein_percentage muscle they located marker chromosome chromosome chromosome explained_residual variance respectively the result_show qtls affect protein_percentage may located different chromosome', 'screen whole porcine chromosome qtl affecting economically_important trait ten genetic marker genotyped two population generated cross genetically_diverse breed european_wild pig commercial_pig breed pietrain chinese_meishan pietrain trait recorded least_square method used screening qtl association analysis genotype locus trait also carried the least_square analysis reveal presence significant qtl affecting trait association study showed_significant association genotype fatness trait pig carrying genotype locus displayed thinnest backfat one carrying genotype thickest', 'lameness important factor culling animal strong leg_foot improve herd_life dairy_cow therefore many_country include leg_foot conformation trait breeding_program often early predictor longevity however country directly measure lameness related trait include breeding_program lameness index different lactation leg_conformation trait rear_leg side view rear_leg rear_view hock quality bone quality foot angle measured granddaughter danish_holstein grandsires_son genome_scan performed detect_quantitative trait locus qtl based autosome using microsatellite_marker data_analyzed across within family qtl affecting lameness leg_conformation trait regression_method variance_component method used qtl detection two qtl lameness first bos_taurus autosome_bta second lactation detected for different leg_conformation trait significant qtl detected across family rear_leg side view rear_leg rear_view hock quality bone quality foot angle for chromosome qtl associated different trait detected model model performed characterize qtl single qtl pleiotropic_effect distinct qtl', 'recent publication indicate genetic_variation milk_production trait proximal explained solely genetic_variation gene elucidate qtl effect animal german_holstein granddaughter_design family son genotyped polymorphism frequency allele maternal descent estimated allele_substitution effect first calculated allele separate model joint model from joint_analysis effect fat_content protein content positive effect milk_yield fat_yield protein_yield negative compared individual analysis effect fat_content protein content milk_yield reduced fat_yield enhanced protein_yield reduced joint_analysis allele_substitution effect together explained variation milk_production trait alone further significant effect found among reproduction trait conformational trait these observation indicate_possible negative influence maternal nonreturn rate thus length productive_life', 'impaired fertility main reason involuntary culling dairy_cow sweden the_objective study map quantitative_trait locus qtl influencing fertility calving trait swedish dairy_cattle population the trait analyzed number_insemination nonreturn rate interval calving_first insemination fertility_treatment heat intensity score stillbirth_calving performance genome_scan covering bovine_chromosome performed_using microsatellite_marker the mapping population_consisted sire son granddaughter_design nine sire swedish_red breed one swedish_holstein least_square regression used map locus affecting analyzed trait permutation_test used set significance_threshold cofactor used analysis individual chromosome adjust qtl found chromosome the use cofactor increased number qtl found significance_level initial analysis found suggestive qtl mapped chromosome when cofactor included qtl detected chromosome addition previously mentioned chromosome some result cofactor analysis may false_positive require_validation conclusion able map several qtl affecting fertility calving trait swedish dairy_cattle', 'selection increased milk_yield associated decreased fertility holstein previously putative quantitative_trait locus qtl chromosome affecting daughter_pregnancy rate_dpr identified one family our_aim determine validity qtl using additional marker extended pedigree twelve marker genotyped descendant original sire qtl identified analysis extended pedigree detected significant suggestive qtl dpr productive_life somatic_cell score further analysis underway refine qtl region positional_candidate gene identified', 'osteopontin_opn highly phosphorylated glycoprotein whose gene cloned_sequenced different specie several whole_genome scan identified quantitative_trait locus qtl affecting milk_production trait bovine_chromosome close osteopontin gene opn location the presence opn milk elevated expression mammary_gland epithelial_cell together previous qtl study prompted investigate effect opn variant milk_production trait holstein_dairy cattle population single_nucleotide polymorphism intron detected primer_designed amplify genomic dna bull obtained cooperative_dairy dna_repository cow university_wisconsin herd for repository population allele associated increase milk_protein percentage milk fat_percentage correlation milk_protein percentage milk fat_percentage for university_wisconsin herd estimate effect allele direction repository population although estimate reach statistical_significance our_result consistent study showed_significant association microsatellite_marker region opn milk_protein percentage correlated trait', 'backfat_thickness one major quantitative_trait affect carcass quality beef_cattle study identified qtl backfat_ebv bovine_chromosome using analysis commercial_line bos_taurus eleven haplotype found significant association backfat_ebv threshold one threshold bovine_chromosome average significant haplotype effect backfat_ebv ranging the significant haplotype spanned nine chromosomal_region one chromosome three three one one among nine chromosomal_region six new qtl region three showed remarkable agreement qtl region previously_reported eight nine qtl region localized le close genetic distance the result_provide useful_reference positional_candidate gene research selection backfat', 'eleven israeli_holstein family including cow analyzed daughter_design eight economic trait milk fat protein production fat protein_percentage somatic_cell score_sc female_fertility the cow genotyped_microsatellites maximum spacing marker there informative genotype preliminary analysis anova trait marker effect nested within sire significance determined controlling false_discovery rate excluding marker significance least single trait trait without significant effect level thus four marker chromosome female_fertility excluded there remained significant combination expected true effect perform interval_mapping family significant contrast additional marker genotyped chromosome the bootstrap confidence_interval gene effect include zero protein percent chromosome fat_yield protein_yield sc chromosome quantitative_trait locus heterozygosity consistent_hypothesis two allele segregating unequal allele_frequency', 'the gene diacylglycerol recently identified one underlying quantitative_trait locus qtl milk_production trait centromeric_region bovine_chromosome until allele lysine variant increasing fat_yield fat protein_percentage alanine variant increasing protein milk_yield postulated this_study investigated_whether diallelic polymorphism responsible genetic_variation centromeric_region chromosome milk fat protein_yield fat protein_percentage statistical_model applied granddaughter_design analyze german_holstein family the model included diallelic effect qtl transition probability estimated chromosomal position multiple marker approach because regression coefficient probability corrected diallelic polymorphism represented putative conditional qtl effect the effect gene always highly_significant the conditional qtl effect significant genomewise fat_percentage proximal_end chromosome protein_percentage distal chromosomal_region additional chromosomewise significance found fat protein_yield our_result suggest additional source genetic_variance chromosome trait either one additional allele segregating previously detected second quantitative_trait locus affecting trait', 'backfat_thickness one major quantitative_trait affect carcass quality beef_cattle study fine mapped qtl backfat_ebv bovine_chromosome using analysis commercial_line bos_taurus also examined association single_nucleotide polymorphism snp marker gene diacylgcerol acyltransferase thyroglobulin backfat_ebv the result_indicate qtl region backfat identified chromosome agreement previous_study however neither two polymorphism candidate_gene tested showed_significant association backfat_ebv cattle population examined however strong association detected microsatellite_marker lying approximately two candidate_gene backfat_ebv these_result suggest snp gene chromosomal_region examined test whether significant effect lipid_metabolism', 'joint_analysis five paternal holstein family part two different granddaughter_design carried five milk_production trait somatic_cell score order conduct qtl confirmation study increase experimental power data exchanged coded standardised form the combined data_set consisted average sire per grandsire genetic map calculated marker distributed nine chromosome qtl analysis performed_separately design trait the result revealed qtl milk_production chromosome milk_yield chromosome fat_content chromosome confirmed within study some qtl could mapped either confirmed within study additional qtl previously_undetected single design mapped fat_yield chromosome protein_yield chromosome protein content chromosome somatic_cell score chromosome genomewide_significance this_study demonstrated potential benefit combined analysis data different granddaughter_design', 'project qtl detection carried french holstein_normande montbéliarde dairy_cattle breed this granddaughter_design included artificial_insemination bull distributed sire_family evaluated trait production milk composition persistency type fertility mastitis_resistance milking ease these bull also genotyped genetic marker mostly microsatellites the qtl analysed linear_regression daughter_yield deviation deregressed_proof probability son receives one paternal qtl allele given marker information qtl detected trait including low_heritability one_hundred twenty qtl significance lower tabulated this threshold corresponded false_discovery rate amongst significant estimate contribution genetic_variance ranged most substitution_effect ranged genetic standard_deviation for given qtl family informative the confidence_interval qtl location large always greater this experiment confirmed several already published qtl original particularly trait', 'novel robust method mapping gene affecting complex trait combine linkage information proposed linkage information refers recombination within generation linkage_disequilibrium historical recombination genotyping started the ibd_probability quantitative_trait locus qtl first generation haplotype obtained similarity marker allele surrounding qtl whereas ibd_probability qtl later generation haplotype obtained using marker trace inheritance qtl the variance_explained qtl estimated residual maximum_likelihood using correlation structure defined ibd_probability unlinked background gene accounted fitting polygenic variance_component the method used fine_map qtl twinning_rate cattle previously_mapped chromosome linkage analysis the data_consisted large family method could also handle complex pedigree the likelihood putative qtl small along chromosome except sharp likelihood peak ninth marker_bracket positioned qtl within region middle part bovine_chromosome the method expected robust multiple gene affecting trait multiple mutation qtl relatively low marker_density', 'the cosegregation genetic marker qtl mapping population basis successful qtl mapping linkage disequilibria however also expected among individual descended breeding line common haplotype carry segregate among individual line these identical descent haplotype make possible identify locate qtl segregating line report identification common haplotype within commercial_line bos_taurus association growth trait one_hundred seventy six male_calf sire male_calf sire beefbooster line_selected maternal trait genotyped using microsatellite_marker chosen bovine_chromosome initial haplotype growth association analysis order verify result line another male_calf sire beefbooster line genotyped using nine microsatellite_marker chosen bovine_chromosome the allele male_calf contributed sire_dam identified haplotype line established along bovine_chromosome the haplotype line established along chosen region bovine_chromosome regression analysis detected haplotype three chromosomal_region showed_significant association birth_weight preweaning average_daily gain average_daily gain_feed line haplotype associated growth trait chromosomal_region line comparisonwise threshold level average haplotype effect growth trait ranging the result_provide useful_reference positional_candidate gene research selection', 'quantitative_trait locus affecting economically_important trait studied eight large holstein_grandsire family using granddaughter_design total microsatellite_marker located_throughout bovine genome selected scan the data_analyzed include genotype marker previously_reported result analysis marker genotype reported previously updated effect marker allele analyzed trait including trait milk_production somatic_cell score_productive life conformation calving_ease canonical trait derived conformation production trait permutation_test used_calculate empirical traitwise error_rate traitwise critical value used determine_significance ten putative quantitative_trait locus associated seven new marker identified within specific family one marker chromosome associated difference fat_yield fat_percentage canonical production trait two family marker chromosome associated difference rump angle family marker associated difference udder_depth fore_udder attachment chromosome respectively one marker chromosome associated difference dairy capacity composite index another marker chromosome associated difference canonical conformation trait these additional marker complete_genome scan identify_quantitative trait locus affecting economically_important trait selected commercial holstein population the quantitative_trait locus identified genome_scan may_useful selection increase rate genetic_improvement trait disease_resistance conformation trait associated fitness accelerating genetic_improvement production', 'nine israeli_holstein sire_family daughter analyzed quantitative_trait locus effect chromosome five milk_production trait daughter_design all animal genotyped marker the three family significant effect genotyped additional marker spanning position two sire segregating locus affecting protein fat_percentage near position estimated substitution_effect protein equivalent one phenotypic_standard deviation this locus localized confidence_interval one sire also heterozygous locus affecting milk fat protein production near centromere the hypothesis two segregating locus verified multiple regression analysis third sire_heterozygous locus affecting milk_protein percentage near telomeric_end chromosome possible candidate major quantitative gene near position determined comparative_mapping ibsp used anchor orthologous region human chromosome twelve gene detected within sequence none gene previously associated lactogenesis', 'the bovine flanking_region screened polymorphism different cattle breed conformation polymorphism sscp sequence analysis_revealed four allele two new allelic form sequence deposited genbank_accession number allele potential transcription_factor binding_site altered mutation using sscp analysis four allele identified german_holstein six intragenic comprising allele exon genotype found linkage mapping using family german qtl project positioned marker distance variance analysis using family promoter genotype fixed_effect breeding_value deregressed_proof milk_production trait milk fat protein_yield also fat protein_percentage revealed significant effect protein_percentage family genotype considered contrast calculation assigned highly_significant effect genotype associated highest protein_percentage breeding_value one main casein milk could effect mutation regulatory_element promoter_region effect milk_yield breeding_value indicated genotype probably caused linked locus', 'five chromosomal_region previously associated milk_production trait tested family black white cattle the trait also linearly transformed genetically_phenotypically independent variable normalized phenotypic_variance trait significant association untransformed canonical trait found bovine_chromosome there also evidence chromosome influenced trait the linear transformation clarified effect chromosomal_region region effect three untransformed trait milk fat protein_yield generally condensed effect single canonical trait comparison result reported previously american_holstein cattle suggested qtl may', 'quantitative_trait locus affecting milk_yield health conformation trait studied eight large holstein_grandsire family using granddaughter_design total microsatellite_marker located_throughout bovine genome selected scan the data_analyzed include genotype marker eight family previously_reported genotype marker reported previously seven family analysis marker previously_reported updated effect marker allele analyzed trait including trait milk_production somatic_cell score_productive life conformation calving_ease canonical trait derived conformation production trait permutation_test used_calculate empirical error_rate critical value used determine_significance eight putative quantitative_trait locus associated new marker identified within specific family two marker associated difference strength rump angle chromosome respectively different marker associated protein_percentage milk_yield somatic_cell score chromosome different family difference canonically transformed trait associated marker chromosome additional combination identified test including effect chromosome protein_percentage body depth canonical conformation trait respectively additional marker_added allow interval analysis putative quantitative_trait locus identified increase marker_density', 'understanding_genetic control female_reproductive performance pig would offer opportunity utilize natural variation improve selective_breeding program selection the chinese_meishan one prolific pig breed known farrowing viable piglet_per litter western breed this difference_prolificacy attributed meishan superior prenatal survival our study utilized resource_population founder grandparental animal purebred meishan duroc_pig genome_scan qtl grandparent animal genotyped_microsatellite marker reproductive trait including number_corpus lutea_number animal number fetus per animal number_teat total number_born recorded female significance_level threshold calculated using permutation approach identified qtl trait significance_level parametric interval_mapping analysis_indicated evidence significant qtl corpus_lutea ssc nonparametric interval_mapping number_teat found significant qtl chromosome partial imprinting qtl affecting teat_number detected using test categorical trait qtl pin nipple detected fine_mapping qtl region required application introgression program gene cloning', 'crossed population iberian_landrace pig consisting backcross individual analyzed refine number position quantitative_trait locus qtl affecting shape growth_fatness meat_quality trait multitrait approach used our_result suggest carcass length_shoulder weight affected two locus the first one close afabp gene strong pleiotropic_effect fatness whereas second one interval also affect live_weight although lesser extent this latter qtl would correspond locus described initially pig seems locus play_important role redistributing total weight landrace allele increase shoulder_weight carcass length much ham total weight furthermore also strong_evidence additional locus influencing color distant telomeric position', 'taint strong unpleasant odour given upon heating cooking meat intact uncastrated male pig data generation large_white meishan crossbred population analysed detect_quantitative trait locus qtl trait associated boar_taint fat sample intact male pig slaughtered analysed major contributor boar_taint androstenone indole skatole fat lean sample cooked_meat scored boar abnormal pork flavour odour trained sensory panel scan marker_covering whole_genome performed individual together parent purebred grandparent chromosomal significance_threshold approximately equal suggestive_significance threshold qtl detected laboratory_estimate androstenone chromosome however chromosome qtl boar flavour trait adjacent marker interval qtl laboratory_estimate androstenone chromosome qtl detected laboratory_estimate indole skatole score skatole score lean_fat five case allele generally increased estimate score compared allele appeared desirable undesirable allele present breed this locus chromosome considerable potential use reduce_incidence boar_taint especially research identify_causative polymorphism strongly_associated marker', 'suggestive qtl affecting raw firmness score average instron force_tenderness juiciness chewiness cooked_meat mapped pig chromosome using intercross berkshire_yorkshire pig based function location calpastatin_cast gene considered good_candidate observed effect several missense silent mutation identified cast haplotype covering coding_region constructed used association analysis meat_quality trait result demonstrated one cast haplotype significantly_associated lower instron force cooking_loss higher juiciness therefore haplotype associated higher eating quality some sequence variation identified may associated difference phosphorylation cast adenosine cyclic protein_kinase may turn explain meat_quality phenotypic difference the beneficial haplotype present commercial breed tested may provide significant improvement pig_industry consumer used selection produce naturally tender juicy pork without additional processing step', 'effect genetic_variation porcine adipocyte heart fatty protein gene respectively intramuscular_fat imf_content backfat_thickness bft examined crossbreds meishan western_pig the involvement fabp gene imf accretion studied confirm_previous result duroc_pig the crossbred pig genotyped various marker including microsatellite sequence situated within fabp gene linkage analysis assigned gene marker interval respectively refining previous chromosomal assignment next role chromosome genetic_variation imf_content bft studied screening qtl affecting trait performing analysis estimation effect individual allele trait first analysis suggestive significant evidence qtl affecting imf detected the gene candidate_gene effect resides within large region containing putative qtl the second analysis showed considerable nonsignificant effect microsatellite allele imf_content suggestive_evidence qtl affecting bft found excluded candidate_gene conclusion present previous result_support involvement gene polymorphism imf accretion independently bft pig therefore implementation polymorphism selection control imf_content independently bft may_considered contrast previous_finding duroc_pig evidence found effect gene imf bft population', 'soay_sheep ovis_aries island hirta kilda scotland naturally parasitized gastrointestinal_nematode predominantly teladorsagia_circumcincta paper show reduced faecal_egg count_fec associated allele microsatellite locus located first intron interferon gamma gene ifn soay_sheep lamb yearling measured approximately month_age respectively the allele also associated increased antibody iga lamb associated significantly yearling flanking control marker failed show significant association either fec iga these_result suggest polymorphic gene conferring increased resistance_gastrointestinal nematode_parasite located_near interferon gamma gene support_previous report mapped quantitative_trait locus qtl resistance region domestic_sheep our data consistent idea functional polymorphism leading reduced expression efficacy ifn could enhance immune_response gastrointestinal_nematode favouring activity cell subset antibody associated immune mechanism', 'genome linkage scan_carried using resource flock sheep six family the family offspring sire derived crossing divergent_line sheep selected response challenge intestinal parasitic_nematode trichostrongylus_colubriformis all animal resource flock phenotypically assessed worm resistance soon weaning using regime after correcting fixed_effect using least_square linear_model faecal_egg count data obtained following first challenge faecal_egg count data obtained second challenge designated trait trait respectively total lamb drawn phenotypic extreme trait faecal_egg count distribution genotyped panel_microsatellite marker_covering sheep autosome detection quantitative_trait locus qtl faecal_egg count trait determined using interval analysis animap program recombination rate marker derived existing marker map chromosomal_region attained_significance qtl influencing either trait however one region attained_significance five region attained_significance presence qtl affecting parasite_resistance', 'granddaughter_design used locate_quantitative trait locus determining conformation functional trait dairy_cattle granddaughter_design consisting holstein_friesian grandsires_son genotype determined microsatellite_marker covering_whole genome breeding_value trait regarding conformation fertility birth workability udder_health evaluated analysis using multimarker_regression significance_threshold determined using permutation_test the analysis suggested presence quantitative_trait locus one trait expected chance the test_statistic exceeded genomewise significance_threshold following trait chromosome chest_width chromosome gestation_length chromosome stature body capacity size chromosome dairy character chromosome angularity chromosome fore_udder attachment chromosome fore_udder attachment front teat placement chromosome the quantitative_trait locus size trait chromosome may also effect calving_ease the quantitative_trait locus udder trait chromosome may also affect somatic_cell score mastitis_resistance negative effect economically_important trait marker_assisted selection using marker associated quantitative_trait locus applied', 'quantitative_trait locus affecting milk_yield composition health type trait studied seven large grandsire_family holstein using granddaughter_design the family genotyped_microsatellite marker chromosome effect marker allele analyzed trait type trait milk_yield composition trait somatic_cell score_productive herd_life marker chromosome chromosome associated effect protein_percentage single grandsire_family the latter marker lower probability associated change milk_yield fat_percentage family increase productive herd_life associated allele marker chromosome one grandsire_family', 'background leg_weakness issue great concern pig breeding industry especially regard animal_welfare trait associated leg_weakness partly influenced genetic background animal genetic_basis trait yet fully understood the_aim study identify_quantitative trait locus qtl affecting_leg weakness_pig method three hundred ten pig duroc_pietrain resource_population genotyped using genetic marker front rear_leg foot_score based standard scoring system osteochondrosis lesion examined histologically head condylus medialis left femur humerus bone_mineral density bone_mineral content bone_mineral area measured whole ulna radius bone using dual energy absorptiometry model_applied determine qtl region associated leg_weakness using qtl_express software result eleven qtl affecting_leg weakness identified eight autosome all qtl reached_significance level three qtl associated osteochondrosis humerus end two fore foot_score two rear_leg score qtl influencing bone_mineral content bone_mineral density respectively reached_significance level conclusion_our result_confirm previous_study provide information new qtl associated leg_weakness pig these_result contribute towards better_understanding genetic background leg_weakness pig', 'bone_density important factor osteoporotic fracture risk human however complex trait confounded environmental influence polygenic_inheritance sheep provide potentially_useful model studying difference provide mean circumventing complex environmental_factor similar weight human the_aim study establish whether genetic_variation sheep localise quantitative_trait locus qtls associated variation also aimed evaluate relationship fat muscle body component sheep result showed_significant genetic_variation among coopworth sheep sire this genetic difference correlated body_weight muscle_mass number qtls exceeding suggestive threshold identified nine total two chromosome chromosome significant using permutation significance_threshold iteration the position qtl chromosome coincided number body_composition qtls indicating possible_pleiotropic effect presence multiple gene affecting body_composition site this_study show sheep potentially_useful model studying genetics', 'quantitative_trait locus analysis applied data suffolk_texel commercial sheep_flock united_kingdom the population comprised suffolk animal three family texel animal nine family phenotypic_data comprised measurement live_weight age ultrasonically measured fat muscle_depth lamb sire genotyped across candidate region chromosome data_analyzed breed level family level across extended_family family genetically related the analysis_revealed suggestive qtl chromosome suffolk breed marker affecting muscle_depth although effect significant one three suffolk family analysis suggested effect may due two adjacent qtl acting coupling total suggestive qtl identified individual family analysis the significant qtl affected fat_depth segregating texel family chromosome effect the qtl located around marker distal myostatin two suffolk two texel sire related analysis applied across two extended_family seven suggestive qtl identified analysis including one detected individual family analysis the significant qtl affected muscle_depth located chromosome near callipyge carwell locus based phenotypic effect location qtl data suggest locus similar carwell locus may segregating united_kingdom texel population', 'profit commercial pork_producer vary part sow productivity sow productive_life spl replacement cost during last_decade culling rate sow increased united_state both spl culling rate influenced genetic nongenetic factor association study conducted pig lifetime_reproductive trait including lifetime total number_born ltnb lifetime number_born alive lnba removal parity ratio lifetime nonproductive day herd_life the proportion_phenotypic variance_explained marker ltnb lnba removal parity ratio lifetime nonproductive day herd_life several informative qtl region qtl region ltnb gene within region ltnb associated lifetime_reproductive trait study gene associated ltnb lnba similar reflecting high genetic_correlation trait functional_annotation revealed many gene associated region expressed reproductive tissue for instance gene associated ltnb shown expressed placenta mouse many qtl region showing association coincided_previously identified qtl fat_deposition this reinforces role fat regulation lifetime_reproductive trait overall association study_provides list genomic location marker associated pig lifetime_reproductive trait could considered spl future study', 'qtl muscle hypertrophy identified belgian_texel breed population backcross lamb created cross belgian_texel ram romanov ewe studied effect carcass trait muscle_development belgian_texel breed polygene belgian_texel single qtl compared case carcass conformation muscularity improved the texel polygenic environment improved conformation mainly change skeletal_frame shape segment shorter bone weight lower muscle compact shorter thicker the single qtl affected muscle_development thickness weight muscle increased composition myosin changed toward increase fast contractile type the relative_contribution hind limb joint carcass_weight increased difference skeletal_frame morphology among three genotype single qtl small conformation scoring mainly influenced leg muscularity back shoulder muscle_development largely contributed variability muscularity le involved conformation scoring lastly qtl explains small part difference belgian_texel romanov breed conformation muscle_development large part genetic_variability remains explored', 'the identification predictive dna marker pork_quality would_allow pork_producer breeder select genetically superior animal quickly efficiently production consistent meat genome_scan identified qtl tenderness ssc calpastatin locus the_objective study identify sequence variation calpastatin likely affect tenderness pig population develop definitive dna marker predictive pork_tenderness use_selection program resequenced calpastatin regulatory transcribed region pig divergently extreme shear_force value identify possible mutation could affect tenderness total snp identified sequence snp found predicted transcription_factor binding_site tested polymorphism research population subset sample industry pig association objective measure tenderness identified snp consistently associated pork_tenderness population studied representing pig distinct population gel shift assay designed snp polymorphic_site six site demonstrated gel shift probe incubated nuclear extract muscle heart testis four site specificity protein site around nucleotide potential thyrotroph embryonic factor tef site nucleotide unknown site nucleotide myocyte enhancer site snp position allele specific binding nuclear protein the allele_frequency tender allele similar different commercial population these snp complete_linkage disequilibrium may independently affect calpastatin expression tenderness these marker predictive pork_tenderness industry population', 'the marchigiana famous large body_size favorable dressing_percentage myostatin_mstn gene mutation transversion identified breed the homozygote yield normal phenotype homozygote yield double muscled body shape sometimes cause survival problem heterozygote genotype produce extremely muscled body without defect practice marchigiana homozygote culled reproduction heterozygote chosen sire the_objective study ass gene involved marchigiana muscle_development improve selection procedure the effect mstn myogenic factor gene growth muscle trait marchigiana breed assessed the effect mstn together genotype causative_mutation effect two snp promoter studied the snp effect evaluated comparison mean several genotype average gene substitution dominance_effect two hundred bullock evaluated using performance test beginning end trial animal weighed body measured every age addition observation morphological score blup index estimated end performance test the obtained result suggested mstn snp could considered selection_program marchigiana breed mstn genotyping service breeder could help avoid genotype select genotype the snp genotype could also selected even good muscle_development yield certain size reduction', 'investigation molecular_marker effect production trait essential define marker_assisted selection_strategy beef_cattle looked possible association molecular_marker backfat_thickness bft rib_eye area_rea canchim charolais zebu offspring charolais bull canchim zebu cow animal raised exclusively pasture trait measured individual seven herd two brazilian state são paulo goiás march april animal average month_age five microsatellite_marker lying qtl region bft rea chromosome chromosome chromosome genotyped association analysis performed animal model using restricted_maximum likelihood method after correction_multiple test significant effect microsatellite rea observed suggesting least_one qtl affecting carcass trait region significant effect bft observed marker', 'six gene known exhibit expression_level correlated drip_loss bves egfr candidate_gene analysis based silico_analysis snp detected confirmed sequencing used genotyping the snp genotyped animal six pig population including commercial_herd pietrain_german landrace different commercial_herd german large landrace one experimental dupi comparative genetic mapping established location bves egfr respectively coinciding qtl region carcass meat_quality trait bves revealed association least drip_loss several measure water_holding capacity whc moreover egfr associated several meat_quality trait meat_color thawing loss this_study reveals statistic evidence addition functional relationship gene whc previously evidenced expression analysis this_study reveals positional genetic statistical evidence link genetic_variation locus close promotes six candidate_gene functional_positional candidate_gene meat_quality trait', 'background there often pronounced disagreement result obtained different association study cattle there multiple reason disagreement particularly presence false_positive lead need validate detected qtl optimally incorporated weighted selection decision studied causal gene dairy_cattle progeny testing scheme new data routinely accumulated used validate previously discovered association however data independent sample sample_size may sufficient enough power validate previous discovery here compared two strategy validate previously detected qtl new data added study population compare analyzing combined dataset comb including data presently available analyzing validation_dataset val new dataset previously analyzed independent replication secondly confirm snp detected reference_population ref previously analyzed dataset consists older bull val_dataset result clearly result combined comb_dataset nearly twice sample_size two subset allowed_detection far significant association two smaller subset the number significant snp ref older bull four time higher compare val younger bull though similar sample_size respectively total combination chromosome showed_significant association involving unique snp comb_dataset ref data_set association unique snp val association unique snp found significant percent snp ref dataset could_confirmed val_dataset out unique snp showing significant association calving trait ref dataset could_confirmed val_dataset conclusion the study_gwas cattle depend aim_study aim discover novel qtl analysis comb_dataset recommended case identification_causal mutation_underlying qtl confirmation discovered snp necessary avoid following false_positive', 'directed search qtl affecting carcass trait carried region growth_differentiation factor also known myostatin ovine_chromosome seven family totaling progeny weight recorded birth_weaning ultrasound scanning slaughter ultrasonic measure dimension fat made measurement made slaughter following slaughter linear measurement carcass length_width made carcass leg loin lamb dissected genotyping carried_using eight microsatellite_marker oar analyzed using regression there_evidence qtl growth_rate linear carcass trait there_evidence qtl affecting dimension segregating sire_family although consistent ultrasound carcass measure trait there strong consistent evidence qtl affecting muscle fat trait leg mapped marker four sire_heterozygous region three sire homozygous the size effect varied across four sire ranging adjusted leg_muscle trait ranging adjusted leg fat trait the clearest effect shown multivariate analysis combining leg_muscle fat trait analyzed across sire probability animal_carrying favorable haplotype muscle le fat leg relative animal_carrying haplotype there_evidence second peak region marker one sire group seems qtl affecting muscle fat trait exists within new_zealand texel population map region', 'this_study aimed_identify quantitative_trait locus associated endoparasitic infection scottish_blackface sheep data_collected animal period all animal continually exposed mixed nematode_infection grazing faecal_sample collected august september october year week_age nematodirus spp egg counted separately specie nematode blood_sample collected october immunoglobulin iga activity measured dna_extracted genotyping total microsatellite_marker genotyped across eight chromosomal_region chromosome sire progeny genotyped marker polymorphic sire evidence found quantitative_trait locus qtl chromosome qtl associated specific iga activity identified chromosome region close ifng chromosome mhc chromosome qtl associated nematodirus fec identified chromosome lastly qtl associated strongyle fec identified chromosome this_study shown aspect host_resistance gastrointestinal_parasite strong genetic control therefore qtl could utilised selection_scheme increase host_resistance gastrointestinal_parasite', 'quantitative_trait locus fat_deposition carcass trait identified vicinity gene_encoding phosphodiesterase bovine_chromosome therefore gene considered positional_functional candidate_gene carcass trait beef_cattle this_study aimed_identify single_nucleotide polymorphism snp gene evaluate association carcass trait korean cattle eight snp identified region ranged exon_intron five used association analysis availability restriction_fragment length polymorphism result intron significantly_associated backfat_thickness bft exon associated longissimus_dorsi muscle_area lma animal genotype thicker bft genotype animal genotype larger lma genotype suggested gene candidate_gene carcass trait beef_cattle fine_mapping would required application selection', 'qtl affecting_leg muscle fat trait identified within new_zealand texel population the qtl map region oar haplotype test established marker these marker encompass likely_position growth_differentiation factor the pleiotropic_effect qtl meat_quality trait tested objective measure meat_quality including color tenderness assessed shear_force measurement assessed longissimus_muscle progeny six texel sire four sire subsequently identified segregating leg_muscle fat trait for segregating sire comparison progeny inherited favorable haplotype sire received alternate haplotype revealed significant difference meat_quality trait assessed this finding suggests muscling qtl pleiotropic_effect meat_quality general scan meat_quality qtl carried_using genotype data eight marker flanking oar using regression this analysis_revealed two qtl single sire qtl detected region marker color mapped site close muscling qtl evidence suggest distinct locus the qtl region marker might map distal marker peak observed this qtl seems affect color_color shear measurement requires characterization', 'scan_carried new_zealand australia detect_quantitative trait locus qtl live_animal carcass_composition trait meat_quality attribute cattle backcross calf heifer steer generated jersey limousin background the new_zealand cattle_reared finished pasture whilst australian cattle_reared grass finished grain least day this_paper report meat_quality trait tenderness measured shear_force age two muscle well associated trait meat_colour cooking_loss number metabolic trait for meat_quality trait significant qtl located nine linkage_group detected basis seven qtl analysis qtl for metabolic trait significant qtl located eight linkage_group detected basis five qtl analysis six qtl qtl metabolic trait meat_quality trait six significant qtl meat_quality metabolic trait found proximal_end chromosome common chromosome harbouring qtl meat_quality trait qtl improved tenderness associated allele two chromosome respectively', 'the adipogenic nature iberian pig defines many quality_attribute fresh meat product the distinct variety iberian pig exhibit great variability genetic_parameter fat_deposition composition muscle the_aim work identify common distinct genomic_region related fatty_acid composition retinto torbiscal entrepelado iberian variety reciprocal_cross diallelic experiment study performed gwas using high_density snp_array pig multimarker_regression bayes method implemented gensel number genomic_region showed strong association percentage saturated unsaturated_fatty acid intramuscular_fat particular five region bayes_factor explained important fraction genetic_variance miristic palmitoleic monounsaturated oleic polyunsaturated_fatty acid six gene rxrb chga acaca located region investigated relation intramuscular composition variability iberian pig two snp rxrb gene giving consistent result oleic monounsaturated_fatty acid_content', 'texel_sheep renowned exceptional meatiness identify gene underlying economically_important feature performed scan romanov texel population mapped quantitative_trait locus major effect muscle_mass chromosome subsequently chromosome interval encompassing myostatin gene herein demonstrate allele texel_sheep characterized transition utr creates target_site micrornas_mirnas highly_expressed skeletal_muscle this cause translational inhibition myostatin gene hence contributes muscular hypertrophy texel_sheep analysis snp database human_mouse demonstrates mutation creating destroying putative mirna target_site abundant might important effector phenotypic_variation', 'incorporated microsatellite locus existing data_set marker test quantitative_trait locus qtls affecting spawning_date body_weight backcross two outbred strain rainbow_trout oncorhynchus_mykiss linkage_group identified synteny duplicated microsatellite_marker used confirm homeologous chromosome pair data used localize centromere linkage_group whose orientation previously unknown applied combination interval_mapping single marker analysis segregating maternal paternal allele microsatellite locus four spawning_date qtls suggestive_evidence additional two qtls detected female trout spawning year age similarly detected three qtls body_weight female year age plus four suggestive qtls trait found marginal evidence three pair ancestral homeologues contained detectable qtls trait one three pair homeologues duplicated qtl region mapped relative chromosomal location exact localization qtl position one pair difficult infer since based data map the existing data unable refute hypothesis duplicated functional gene maintained within telomeric_region salmonid due preferential crossing region two four spawning_date qtls detected linkage_group unknown homeologous relationship qtls possible_pleiotropic effect spawning_date body_size localized two linkage_group', 'qualitative trait locus qtl growth meat_quality trait cattle bos_taurus previously_mapped three chromosome region chromosome evaluated allele_frequency single_nucleotide polymorphism snp bovine myogenic factor qtl region association live_weight meat characteristic indigenous_chinese cattle breed methodology showed mutation least_square analysis_revealed significant association snp backfat_thickness meat_tenderness significant association found live_weight loin_eye height loin_eye area rib area water_holding capacity allele_frequency five breed jiaxian_red luxi nanyang_qinchuan xianan crossbreed respectively the genotype distribution allele two chinese cattle breed_luxi qinchuan equilibrium three breed jiaxian_red nanyang xianan agreement equilibrium the genotypic_frequency among five cattle breed showed_moderate diversity polymorphism information content based finding_suggest gene influence back_fat thickness meat_tenderness chinese bos_taurus this snp could_useful selection meat_quality trait cattle', 'background currently pastoral farmer rely anthelmintic drenches control gastrointestinal parasitic_nematode sheep resistance anthelmintic rapidly increasing nematode population farm none drench family completely effective well established host_resistance nematode_infection moderately_heritable trait this_study undertaken identify region genome quantitative_trait locus qtl contain gene affecting resistance parasitic_nematode result ram obtained_crossing nematode_parasite resistant_susceptible selection line used derive five large family comprising_offspring per sire total offspring comprised lamb extensive measurement range parasite_burden immune_function trait offspring allowed lamb pedigree ranked relative resistance_nematode parasite initially resistant_susceptible progeny pedigree used genome_scan used microsatellite_marker spread across sheep autosome this_study identified chromosome region showing sufficient linkage warrant genotyping offspring after genotyping offspring marker_covering chromosome telomeric_end chromosome identified significant qtl parasite_resistance measured number trichostrongylus spp adult abomasum small_intestine end_second parasite_challenge two qtl associated immune_function trait total serum_ige colubiformis specific serum igg end_second parasite_challenge identified chromosome conclusion despite parasite_resistance moderately_heritable trait large study able_identify single significant qtl associated the qtl concerned adult parasite_burden end_second parasite_challenge lamb approximately month old our failure discover qtl suggests gene controlling trait relatively_small effect the large number suggestive qtl discovered one per family per trait would expected chance also support conclusion', 'the_objective study identify polymorphism using bovine_chromosome snp panel accounting effect linkage_disequilibrium information sire heterozygosity used_select marker linkage analysis bovine_chromosome milk_production trait holstein animal result_show putative milk peak fat_yield peak protein_yield peak fat per_cent peak protein per_cent peak once quantitative_trait locus position established allele_substitution effect marker evaluated using statistical_model overlaying information quantitative_trait locus qtl allele effect analysis enabled identification snp milk_yield qtl fat_yield peak protein_yield peak fat per_cent peak protein per_cent peak one snp particular showed association trait milk fat protein_yield overall combining_information linkage_disequilibrium sire heterozygosity genetic knowledge trait enabled characterization additional marker significant association milk_production trait', 'chinese_erhualian prolific pig breed world the breed exhibit exceptionally large floppy ear identify gene underlying typical feature previously performed genome_scan large_scale white_duroc erhualian_cross mapped major qtl ear_size region chromosome herein_performed analysis defined qtl within region historically feature selected ancient sacrificial culture erhualian_pig using selective_sweep analysis refined critical region interval containing annotated gene four gene expressed ear_tissue piglet gene ppard stood strongest candidate_gene established role skin homeostasis cartilage development fat metabolism differential_expression ppard found ear_tissue different growth stage erhualian duroc_pig screened coding_sequence variant ppard gene identified one missense_mutation conserved functionally important domain the mutation showed perfect concordance qtl genotype founder animal segregating white_duroc erhualian_cross occurred high frequency exclusively chinese breed moreover mutation functional significance mediates target gene expression crucial fat_deposition skin furthermore mutation significantly_associated ear_size across experimental_cross diverse outbred_population worldwide survey haplotype diversity revealed mutation event chinese origin likely domestication taken_together provide_evidence ppard variation underlying major qtl', 'scan_performed detect_quantitative trait locus qtl resistance_gastrointestinal parasite ectoparasitic keds segregating soay_sheep population kilda the mapping panel consisted single pedigree individual genotyped the soay linkage_map used scan comprised marker_covering whole_genome average_spacing the trait investigated strongyle faecal_egg count_fec coccidia faecal oocyst count foc count keds melophagus ovinus qtl mapping performed mean variance_component analysis genetic_parameter study trait also estimated compared_previous study soay domestic_sheep strongyle fec coccidia foc showed_moderate heritability respectively lamb low_heritability adult ked count appeared low lamb adult genome_scan performed trait moderate_heritability two genomic_region reached level suggestive linkage coccidia foc lamb logarithm chromosome respectively believe first study report qtl search parasite_resistance animal population therefore may represent useful_reference similar study_aimed understanding_genetics wild', 'genetic_parameter fatty_acid composition estimated scottish_blackface sheep previously divergently_selected carcass lean content lean_fat line furthermore qtl identified fatty_acid fatty_acid phenotypic measurement made male lamb approximately age lamb genotyped across candidate region chromosome fatty_acid composition measurement included total fatty_acid category saturated monounsaturated polyunsaturated total fat_content estimated sum fatty_acid the fat line greater fat_content oleic_acid le linoleic_acid docosapentaenoic_acid lean line saturated_fatty acid moderately_heritable ranging total sfa highly_heritable monounsaturated_fatty acid moderately highly_heritable acid heritable total mufa highly_heritable polyunsaturated_fatty acid also moderately highly_heritable arachidonic acid_cla heritable value respectively the total pufa moderately_heritable the qtl analysis performed_using regression_interval mapping technique total qtl detected chromosomal_region the significant qtl affected sfa mufa pufa the significant result qtl affecting linolenic acid chromosome this qtl segregated family explained_phenotypic variance also significant qtl identified chromosome qtl segregating family detected position the result study demonstrate altering carcass fatness simultaneously change fat_content oleic linoleic docosapentaenoic_acid content the heritabilities fatty_acid indicate opportunity genetically altering fatty_acid moreover first_report detection qtl directly affecting fatty_acid composition sheep', 'whirling_disease caused pathogen myxobolus cerebralis lead skeletal deformation neurological impairment certain condition mortality juvenile salmonid fish the disease impacted propagation survival many salmonid specie six continent particularly negative consequence rainbow_trout ass genetic_basis whirling_disease resistance rainbow_trout mapping initiated using large outbred_rainbow trout family result confirmed three additional outbred family per family single quantitative_trait locus qtl region chromosome identified large mapping family confirmed additional family this region explains_phenotypic variance across family therefore data establish single qtl region capable explaining large percentage phenotypic_variance contributing whirling_disease resistance this_first genetic region discovered contributes directly whirling_disease phenotype finding move field closer mechanistic understanding resistance important disease salmonid fish', 'facial eczema hepatogenous mycotoxicosis sheep caused fungal toxin sporidesmin resistance multigenic trait identify qtl associated trait scan ovine_chromosome implemented addition investigated possible positional_candidate gene sequence homology yeast protein functional role xenobiotic transporter the sequence ovine cdna obtained liver mrna race the predicted protein sequence_share identity mammalian protein snp identified within exon exon_intron the intron snp used map ovine_chromosome distal microsatellite_marker interestingly chromosomal_region contains weak evidence qtl detected previous_experiment investigate association allele_frequency three snp plus three neighbouring microsatellite_marker tested difference sheep selected significant difference detected allele_frequency intronic snp marker among resistant_susceptible control line difference level expression resistant_susceptible animal detected northern hybridisation liver rna sample however significantly_higher expression observed sheep compared naïve animal our inference gene may_play minor role sensitivity sheep least within selection line', 'obesity represents major global public health problem increase risk cardiovascular metabolic disease the pig represent exceptional biomedical model related energy_metabolism obesity_human pinpoint causal genetic factor common_form obesity conducted local genomic novo sequencing porcine qtl region affecting fatness trait carried snp association study backfat_thickness intramuscular_fat content pig order relate association study pig human obesity performed targeted genome_wide association study subcutaneous_fat thickness cohort population korean individual these combined association study human pig revealed significant snp located gene family sequence_similarity member associated subscapular thickness human backfat_thickness pig our combined association study also suggest eight neuronal gene responsible subcutaneous_fat thickness these_result provide strong support major involvement cns genetic_predisposition common_form obesity', 'vertnin_vrtn involved variation vertebral_number pig located sus_scrofa chromosome vertebral_number related body_size pig many report suggested presence association body_length meat production trait therefore analyzed relationship vrtn genotype production body_composition trait purebred_duroc pig intramuscular_fat content_imf longissimus_muscle significantly_associated vrtn genotype the mean imf individual genotype greater individual genotype addition best_linear unbiased predictor multiple trait animal model showed allele positive effect imf breeding_value association observed vrtn genotype production trait the vrtn genotype related the genotype individual longer individual genotype these_result suggest addition maintenance appropriate backfat_thickness value vrtn potential act genetic marker imf', 'study potential association prp_genotype health productive trait investigated data recorded animal inra breed sapinière inra experimental_farm the population_consisted ram ewe produced lamb the animal categorized three prp_genotype class arr homozygous arr heterozygous animal without arr allele two analysis differing approach considered carried firstly potential association prp_genotype disease salmonella_resistance production wool carcass trait studied the data used included genotyped animal salmonella_resistance wool carcass trait respectively the different trait analyzed using animal model prp_genotype effect included_fixed effect association analysis indicate evidence effect prp_genotype trait studied breed secondly quantitative_trait locus qtl detection approach using prnp gene marker applied ovine_chromosome interval_mapping used evidence one qtl affecting mean fiber_diameter found prnp gene however linkage prnp qtl imply unfavorable linkage_disequilibrium prnp selection purpose', 'searched quantitative_trait locus qtl underlying trait pedigree soay_sheep genetic map using marker average_spacing established previously trait examined included birth_date weight considered maternal offspring trait foreleg length hindleg length body_weight measured animal august jaw length metacarpal length measured cleaned skeletal material case data split consider different age_class separately yielding total trait studied genetic environmental component phenotypic_variance estimated trait trait showing nonzero heritability qtl search conducted comparing polygenic model model including putative qtl support qtl significance found chromosome jaw length suggestive qtl found chromosome birth_date trait lamb birth_weight trait lamb adult hindleg length discus prospect refining estimate qtl position effect size study population qtl search pedigree general', 'scrapie transmissible spongiform_encephalopathy sheep goat susceptibility neurodegenerative disease mainly controlled point_mutation prnp locus other gene apart prnp reported modulate scrapie basis several study alzheimer different transmissible spongiform_encephalopathy model chosen putative positional_functional candidate_gene might_involved polygenic variance mentioned present_work ovine gene including promoter regulatory region isolated characterized several sequence polymorphism also identified localized gene ovine_chromosome confirmed linkage analysis this chromosome region shown include quantitative_trait locus qtl scrapie_incubation period sheep expression analysis carried spleen cerebellum sample difference expression gene found tissue control infected animal sample nevertheless association analysis_revealed several polymorphism region gene differentially distributed among animal different response scrapie infection thus result presented support_hypothesis could positional_functional candidate_gene modulating response scrapie sheep', 'qinchuan red yellow draft beef breed_china order_identify predictor carcass trait basis association carcass trait gene polymorphism variation bovine chemerin gene investigated using conformational_polymorphism dna_sequencing snp located exon bos_taurus chemerin gene detected sample six breed jiaxian_red luxi nan yang qinchuan simmental luxi crossbred steer china three genotype found based test genotype frequency six breed found equilibrium possible association carcass trait investigated qinchuan_cattle animal genotype found significantly lower_mean loin_eye area meat_tenderness compared genotype however significant association individual haplotype backfat_thickness water_holding capacity marbling_score suggest could_used molecular_marker selection carcass trait', 'ass whether mutation responsible similar phenotype attributed ovine_chromosome quantitative_trait locus qtl different sheep breed suffolk_texel charollais ram british commercial flock genotyped two single_nucleotide polymorphism snp located myostatin region previously detected progeny belgian_texel ram exhibiting muscular hypertrophy the first snp located_upstream transcription_start site second snp utr the allele absent suffolk sire sampled almost fixed texel segregating charollais sire mixed_model association analysis using snp data charollais lamb paternal_family phenotype pedigree data lamb revealed snp significant association muscle_depth the snp segregating intermediate frequency exhibited strong_linkage disequilibrium animal genotype significantly greater muscle_depth either genotype allele likely causative_mutation additive_effect dominance_effect based estimated allelic effect sample allele_frequency snp explained_additive genetic_variance muscle_depth the maximum genetic_variance trait attributed snp would attained allele_frequency our_finding indicate selection using two snp would_beneficial charollais breed', 'although susceptibility_scrapie largely_controlled prnp gene searched additional genomic_region affect scrapie_incubation time sheep using two family susceptible prnp genotype naturally infected scrapie quantitative_trait locus detected', 'genome_scan conducted basis daughter_design detect_quantitative trait locus qtl influencing udder_morphology trait spanish_churra dairy sheep total ewe belonging family genotyped_microsatellite marker_covering kosambi ovine autosomal genome phenotypic trait included score linear udder trait udder_depth udder_attachment teat placement teat size udder shape quantitative measurement qtl analysis calculated trait evaluation score using yield_deviation corrected fixed environmental effect joint_analysis family using regression identified region exceeded_significance threshold chromosome based result analysis carried identify family segregated according qtl estimate qtl effect the allelic_substitution effect individual family ranged phenotypic_standard deviation_unit udder shape chromosome udder_depth chromosome respectively these qtl region provide starting_point research aimed characterization genetic_variability involved udder trait churra_sheep this_paper present first_report sheep genome_scan trait dairy sheep outbred_population', 'the_aim research gain better_understanding genomic regulation meat_quality investigating individual epistatic qtl population pietrain crossbred dam_line total animal genotyped marker analysed trait included reflectance value conductivity meat_colour thirteen significant individual qtl identified the significant qtl detected meat_colour conductivity accounting_phenotypic variance nine significant epistatic qtl pair detected accounting_phenotypic variance epistatic qtl pair showing largest_effect reflectance value two location explaining_phenotypic variance respectively this_study indicates meat_quality trait influenced numerous qtl well complex network interaction', 'the leptin_receptor lepr gene considered candidate_gene fatness trait located ssc region quantitative_trait locus qtls backfat_thickness fat area_ratio serum_leptin concentration lepc previously detected duroc_purebred population the_objective present_study identify porcine lepr polymorphism examine effect lepr polymorphism fatness trait population the duroc_pig pig evaluated fat area_ratio using image_analysis lepc total seven single_nucleotide polymorphism snp lepr coding_region identified pig base population four snp lepr gene microsatellite_marker ssc genotyped pig during candidate_gene analysis detected significant effect snp exon trait fine_mapping analysis significant qtls fat area_ratio lepc detected near lepr gene region these_result indicated snp lepr strong effect fat area_ratio lepc', 'dissect quantitative_trait locus qtl associated growth examine change qtl effect time gompertz_growth model_fitted longitudinal live_weight data scottish_blackface lamb nine family qtl mapped model parameter weekly live_weight growth_rate using microsatellite_marker chromosome qtl significance using alpha significance_threshold unless otherwise stated varied age growth_rate occurred earlier equivalent qtl live_weight chromosome qtl growth_rate significant week_maximum significance week_maximum growth_rate for live_weight qtl significant week_maximum significance week nominally significant chromosome qtl detected growth_rate birth week family location weight qtl addition position chromosome qtl significant growth_rate week_maximum significance week chromosome qtl significant weight early age birth week growth_rate qtl chromosome significant week fitting growth_curve allowed combination information multiple measurement biologically meaningful variable detection growth qtl observed analysis raw weight data these qtl describe distinct part animal growth_curve trajectory possibly enabling manipulation trajectory', 'the_aim present_study detect_quantitative trait locus qtl serum level cytokine receptor trait related innate immunity pig for_purpose serum_concentration interleukin interleukin ifng receptor receptor measured blood_sample obtained piglet duroc piétrain resource_population dupi mycoplasma hypopneumoniae tetanus toxoid porcine reproductive_respiratory syndrome_virus prrsv vaccination week_age animal genotyped genetic marker_covering autosome qtl analysis performed line cross model using qtl_express single qtl detected almost porcine_autosome among single qtl eight twelve thirteen qtl identified innate_immune trait response_prrsv vaccine respectively besides single qtl six qtl identified model two coupling phase one repulsion phase all qtl significant level including one seven level significance all innate_immune trait influenced multiple_chromosomal region implying multiple gene action some identified qtl coincided_previously reported qtl immune_response disease_resistance newly_identified qtl potentially_involved immune_function the immune trait also influenced environmental_factor like year_birth age parity litter_size the result work shed_new light genetic background innate_immune response finding_helpful identify candidate_gene qtl region related immune competence disease_resistance pig', 'this_paper present result mapping experiment detect_quantitative trait locus qtl resistance haemonchus_contortus infestation merino_sheep the primary trait analysed faecal_worm egg_count response artificial challenge month_age first stage experiment whole_genome linkage analysis used mapping the animal resource used designed flock comprising individual four family the average marker spacing for primary trait qtl combination significant level allelic_substitution effect phenotypic_standard deviation_unit general qtl significant effect faecal_worm egg_count recorded month_age second stage experiment three promising region located chromosome this involved typing closely spaced marker individual designed flock well additional individual selected related population deeper pedigree analysis performed_using linkage approach additive_dominant multiple qtl model multiple qtl model resulted refined qtl position resolution achieved two region because moderate size effect qtl apparent age immune status specificity qtl suggested panel qtl required significant genetic gain achieved within industry via selection', 'improvement milk_production trait dairy sheep required increase competitiveness industry maintain production high quality cheese region mediterranean country le favourable condition additional improvement classical selection could reached gene significant effect relevant trait specifically targeted selection however far study undertaken detect_quantitative trait locus qtl dairy sheep study present complete_genome scan_performed commercial population_spanish churra_sheep identify chromosomal_region associated phenotypic_variation observed milk_production trait eleven family including total ewe analysed following_daughter design regression analysis_revealed significant qtl milk_protein percentage chromosome eight region localized chromosome showed suggestive significant linkage association analysed trait knowledge study represents first complete_genome scan milk_production trait reported dairy sheep the experiment described show analysis commercial dairy sheep population potential increase understanding_genetic determinant complex trait', 'male sheep linkage_map comprising microsatellites generated single family backcross_progeny except ovine_chromosome chromosome yielded lod_score difference greater best map order the map average longer sheep linkage_map map this map employed quantitative_trait locus qtl analysis trait birth week_age custom maximum_likelihood program developed map qtl family strain freely available request the new analysis package offer advantage enabling qtl fixed_effect interaction included model putative qtl identified nine chromosome significant qtl effect qtl sex_interaction range found ovine_chromosome', 'marek_disease lymphoproliferative disease_caused virus_mdv cost_poultry industry nearly billion annually identify_quantitative trait locus qtl affecting susceptibility inbred_line resistant_susceptible mated create chicken the chicken challenged mdv strain moderately virulent age assessed susceptibility the qtl analysis divided three stage stage dna marker selected chicken genetic map typed chicken marker residing near suggestive qtl revealed analysis variance anova stage suggestive marker plus available flanking marker typed chicken three suggestive qtl identified anova stage using interval_mapping program map manager permutation_test two significant two suggestive qtl identified four chromosomal subregions three five locus collected explained_phenotypic variation genetic_variance this_study constitutes first_report domestic_chicken mapping histocompatibility_complex qtl affecting susceptibility', 'marek_disease lymphoproliferative disease chicken induced herpesvirus virus_mdv because significant economic problem poultry_industry great_interest enhancing genetic resistance controlled_multiple gene the influence mhc clearly demonstrated several relevant quantitative_trait locus mapped however single gene influencing resistance identified transcription perturbed mdv recombinant clone due solo insertion reticuloendotheliosis virus long terminal repeat may explain loss oncogenicity strain hypothesizing host protein involved resistance screened chicken splenic cdna library yeast assay using bait the chicken growth_hormone structural peptide identified specific interaction verified coimmunoprecipitation immunohistochemical staining indirect immunofluorescence assay indicated coexpressed cell vitro vivo furthermore polymorphism gene associated number tissue tumor commercial white_leghorn chicken mhc genotype conclude may well resistance gene', 'typical problem mapping quantitative_trait locus qtls come missing qtl genotype routine method parameter estimation involving missing data mixture_model maximum_likelihood method_developed alternative qtl mapping method describes mixture several distribution single model heterogeneous_residual variance the two method produce similar result heterogeneous_residual variance method computationally much faster mixture_model approach addition new method automatically generate sampling variance estimated parameter derive new method context qtl mapping binary trait population using heterogeneous_residual variance model identified qtl chromosome control marek_disease susceptibility chicken the qtl alone explains total disease variation', 'three generation swine family produced_crossing japanese_wild boar three large_white female pig used map qtl various production trait here_report result qtl analysis skeletal_muscle fiber composition meat_quality trait based phenotypic_data animal genotypic_data marker_covering almost entire pig genome animal well parent_grandparent the result genome_scan using least_square regression_interval mapping provided_evidence qtl error_rate affected proportion number type_iia muscle_fiber number type_iib relative area type sscx type_iia type_iib minolta_value loin minolta_value loin hematin content quantitative_trait locus error_rate found number type sscx number type_iia number type_iib type_iia minolta_value loin loin fat_content qtl detected trait level some trait associated qtl located genomic_region five qtl located wild_boar allele effect increasing type_iia muscle_fiber decreasing type_iib muscle_fiber these effect expected improve meat_quality', 'map qtl associated disease_resistance avian coccidiosis growth two commercial_broiler line different degree resistance disease crossed generate generation intercrossed produce generation offspring the offspring inoculated sporulated oocysts eimeria maximum five phenotype measured infection intertrait comparison revealed oocyst_shedding good parameter evaluating disease_resistance susceptibility one_hundred nineteen microsatellite_marker covering chicken genome average marker interval used genotyping parent offspring statistical_analysis based data four family revealed locus chromosome associated oocyst_shedding logarithm_odds the genetic_mechanism locus appeared additive the genomic scan also identified three potential growth qtl chromosome these_result provide foundation investigation validate qtl', 'identified quantitative_trait locus qtl explaining large_proportion variation body_weight different age growth chronological age intercross red_junglefowl white_leghorn chicken qtl mapped using forward selection locus significant marginal genetic effect simultaneous search epistatic qtl pair found significant locus contributing trait nine found simultaneous search demonstrates power approach detecting locus affecting complex trait also estimated relative_contribution additive_dominance epistasis effect growth contribution epistasis pronounced prior day_age whereas additive_genetic effect explained major portion genetic_variance later life several detected locus affected either early_late growth very locus affected entire growth process point early_late growth least_extent different genetic regulation', 'qtl explained large_proportion phenotypic difference broiler_layer chicken experimental_cross evaluated commercial_broiler line design_consisting grandsires hen offspring implemented within existing_breeding scheme broiler breeding_company four marker candidate region chicken chromosome selected informativeness grandsires used genotype first two generation using analysis linkage studied marker growth_carcass trait the qtl analysis confirmed presence significant qtl body_weight residual_feed intake chicken chromosome furthermore evidence found qtl affecting relative weight bone muscle thigh four marker_added increase resolution qtl position this increased significance qtl body_weight residual_feed intake showed evidence additional qtl affecting carcass_weight conformation_score this_study showed first_time qtl explains difference broiler_layer segregating line_selected body_weight generation possible explanation could pleiotropic_closely linked effect trait part present_study the result_demonstrate feasibility qtl detection potential selection within commercial_broiler line without altering existing_breeding scheme', 'salmonella enteritidis contamination poultry product major cause foodborne disease worldwide inhibitor apoptosis selected candidate_gene chicken response protein play_critical role apoptotic pathway intracellular bacteria interact host cell prosaposin psap selected positional_candidate gene based previous quantitative_trait locus qtl linkage study using population the offspring outbred sire crossed three diverse highly_inbred dam_line two major_histocompatibility leghorn line named one fayoumi line used define phenotype the bird involved either pathogenic challenge spleen cecum_content bacterial_load quantified vaccination plasma antibody_level vaccine evaluated polymerase_chain fragment_length polymorphism assay developed identify polymorphism snp three gene the offspring heterozygous sire gene genotyped the sire gene significantly_associated cecum_content bacterial_load three combined dam_line cross spleen_bacterial load cross the sire gene also significantly_associated antibody_level vaccine male three combined dam_line cross the sire gene significantly_associated spleen_bacterial load three combined cross interacted genetics cecum_content bacterial_load the sire psap gene significantly interacted sex spleen_bacterial load this_study first demonstrate association snp psap gene vaccine pathogen challenge response chicken', 'used simultaneous mapping interacting quantitative_trait locus qtl pair study various growth trait chicken intercross the method shown increase number detected qtls compared traditional method_detecting qtls marginal genetic effect epistasis shown important contributor genetic_variance growth largest impact early growth week_age there also evidence discrete set interacting_locus involved early growth supporting previous_finding different genetic regulation early_late growth chicken the relationship evaluated interacting qtl pair evaluated qtl pair could assigned one four cluster pair cluster similar genetic effect growth the genetic effect pair indicate commonly occurring heterosis multiplicative interaction the result study clearly illustrate increase_power obtained using novel method simultaneous_detection epistatic qtl also visualization relationship epistatic qtl pair provides_new insight biological_mechanism underlying_complex trait', 'sequence analysis end ornithine_decarboxylase gene chicken noninbred white_leghorn strain revealed total polymorphism transition transversions deletion insertion despite high number polymorphism haplotype present among allele analyzed based genetic distance haplotype segregated early domestication chicken ornithine_decarboxylase pivotal enzyme regulating synthesis polyamines cation important regulator cell division differentiation apoptosis variant ornithine_decarboxylase therefore expected affect many different trait association analysis genotype major egg_production trait female chicken strain revealed significant effect onset_sexual maturity sexual_maturity eggshell_thickness measure calcium deposition residual_feed consumption measure metabolic rate further comparison genotype indicated haplotype differ phenotypic property our_result show variation gene ubiquitously expressed cell organism may nevertheless contribute distinct phenotypic property organism whole', 'this_study investigated_whether quantitative_trait locus qtl identified experimental_cross chicken provide short cut identification qtl commercial population commercial population broiler targeted chromosomal_region qtl trait associated meat production previously detected extreme cross design_consisting grandsires hen offspring implemented within existing_breeding scheme broiler breeding_company the first two generation typed microsatellite_marker spanning region nine chicken chromosome covering total approximately chicken genome using analysis multiple qtl model linkage studied region growth_carcass trait out trait region comparison qtl exceeded_threshold significance additional qtl significant nominal level many qtl affect carcass proportion feed_intake published study given intensive_selection efficient growth broiler generation surprising many qtl affecting trait still_segregating future effort could elucidate whether ancestral mutation still_segregating result pleiotropic_effect fitness trait whether variation due new mutation', 'very low_density major constituent low_density lipoprotein involved_lipid transportation chicken the current_study designed_investigate association gene polymorphism chicken growth body_composition trait the iowa growth composition resource_population established_crossing broiler sire_dam unrelated highly_inbred line leghorn fayoumi the bird intercrossed within dam_line produce related population body_weight body_composition trait measured population primer region designed database chicken genomic sequence single_nucleotide polymorphism snp parental_line detected dna_sequencing method_developed genotype snp population there polymorphism sequenced broiler leghorn the polymorphism broiler fayoumi associated multiple trait growth body_composition male individual including breast_muscle weight drumstick weight tibia_length this research suggests tightly_linked gene broad effect growth development chicken', 'basis qtl study yield trait annexin protein fatty_acid transport protein type diacylglycerol selected candidate_gene three different single_nucleotide polymorphism snp bovine gene tested selective_genotyping design yield significant allele_frequency difference found animal high_low breeding_value yield regression analysis also showed_significant effect estimated_breeding value_ebv fat milk content polymorphism gene fall significant quantitative_trait locus interval yield previously_reported bovine_chromosome dairy population our_result suggest gene polymorphism linked segregating qtl contributes variation yield', 'work analysed genetic marker localized commercial population_spanish churra_sheep detect qtl underlie milk_fatty acid_composition trait following_daughter design analysed ewe distributed family eight microsatellite_marker three novel snp identified two gene related fatty_acid metabolism carboxylase_alpha acaca fatty_acid synthase_fasn genotyped whole population study the phenotypic trait considered study included measurement related composition milk three milk_production trait milk_protein percentage milk fat_percentage milk_yield regression analysis_revealed four significant qtl level influencing content capric acid lauric acid linoleic conjugated acid_cla polyunsaturated_fatty acid_pufa respectively the peak qtl affecting pufa_content milk map close fasn gene evaluated putative positional_candidate qtl the qtl influencing content reach maximum_significance close gene coding insulinotropic polypeptide able find candidate_gene related fat metabolism qtl influencing cla content located proximal_end chromosome further_research effort needed_confirm refine qtl location reported', 'the_objective study detect_quantitative trait locus qtl affecting direct_maternal calving trait first calving danish_holstein population distinguish pleiotropic linked qtl chromosome region affecting one trait detect qtl affecting stillbirth_calving difficulty calf_size could_used selection improve calving_performance son genotyped_microsatellites grandsire_family autosome total significant qtl chromosome detected using linear_regression model for direct_calving trait qtl significantly affected calving_difficulty qtl affected stillbirth qtl affected_calf size subjectively assessed farmer categorical trait when maternal component trait tested significant effect qtl calving_difficulty qtl stillbirth qtl calf_size the variance_component mapping approach used_estimate relative posterior_probability linkage pleiotropic model the probable model indicated pleiotropic qtl chromosome linked qtl chromosome chromosome seemed harbor qtl pleiotropic_effect direct_calving trait linked maternal_stillbirth marker chromosome used_select new breeding candidate produce daughter efficient calving_performance', 'describe result genetic dissection qtl region chicken chromosome shown affect egg_weight quality earlier genome_scan intercross two divergent egg_layer line confidence_interval detected qtl covered ten centimorgans new analysis needed the datasets denser marker interval characterise qtl region analysis candidate_gene original qtl region vimentin support role controlling egg white thinning even reanalysis additional seven marker qtl area confidence_interval remained large even increased suggesting_presence multiple linked qtl trait grid search fitting two qtl chromosome trait suggested two distinct qtl area affecting egg white thinning production period egg_weight late production period the result_indicate possible_pleiotropic effect qtl egg quality egg_weight however possible make distinction close linkage versus pleiotropic_effect', 'feather_pecking detrimental behaviour chicken performed individual flock studied red_junglefowl ancestor domestic_chicken white_leghorn laying_hen bird two line from growth feed_consumption measured age sexual_maturity egg_production female corticosterone_level male also measured from sex parental bird body_composition respect bone_mineral content muscle fat obtained examination using dual absorptiometry dxa femur bird bone_density structure analysed using dxa peripheral quantitative computerized tomography pqct biomechanical analysis bone_strength performed furthermore plumage condition determined_bird measure exposed feather_pecking using scan quantitative_trait locus qtl associated behaviour performed least frequent red_junglefowl white_leghorn strain studied significantly common among female parental strain phenotypically linked early sexual_maturation fast growth weak bone male also high fat accumulation indicating feather pecker different resource allocation pattern behaviourally feather pecker active open field test novel object test restraint test indicating feather_pecking might genetically linked proactive coping strategy only_one suggestive qtl low explanatory value found chromosome showing many gene small effect probably involved causation feather_pecking there significant effect sire_dam risk victim feather_pecking victim grew faster lower corticosterone_level le active restraint test hence wide array behavioural developmental trait genetically linked', 'scan_carried detect_quantitative trait locus qtl affecting sensory organoleptic physical_chemical property meat the study used phenotypic_data bull calf charolais_holstein experimental_population loin_muscle sample evaluated yield force intramuscular_fat nitrogen content myofibrillar fragmentation_index haem pigment concentration moisture_content postmortem sensory assessment performed grilled loin roasted silverside joint trained panellist linear_regression analysis based marker revealed qtl significance_level sensory trait physical_chemical trait five highly_significant the significant qtl located chromosome best likely_position affected haem pigment concentration the holstein allele qtl associated increase haem score qtl identified chromosome qtl moisture_content identified chromosome two highly_significant qtl identified sensory trait beef odour intensity grilled sample chromosome juiciness roast sample chromosome the proportion_phenotypic variance_explained significant qtl ranged nitrogen content chromosome juiciness roast sample chromosome', 'total israeli_holstein cow daughter_sire genotyped_microsatellites spanning chromosome analyzed daughter_design economic trait milk fat protein_yield fat protein_percentage somatic_cell score female_fertility herd_life milk persistency quantitative_trait locus significance obtained fat protein_yield fat_percentage somatic_cell score female_fertility peak obtained fat protein_yield fat_percentage somatic_cell score herd_life female_fertility the confidence_interval quantitative_trait locus location kilogram fat fertility somatic_cell score two locus affecting fertility opposite end chromosome apparently segregating population quantitative_trait locus fertility near centromere confirmed application modified granddaughter_design single family estimated frequency economically favorable_allele israeli_holstein cattle le significant genetic gain fertility seems possible selection', 'quantitative_trait locus qtl mapping project implemented mainly holstein_dairy cattle breed several trait the_aim study map qtl milk_yield milk_protein percent brown_swiss cattle population austria germany italy considered study single population selective_dna pooling approach using milk sample applied map qtl paternal daughter family offspring spanning individual per family three family sampled germany italy austria jointly austria italy the pool comprised highest lowest performing daughter ranked estimated_breeding value combination for tail independent pool randomly chosen daughter constructed sire marker allele_frequency obtained densitometry shadow correction analysis allocated autosomal marker particular emphasis placed bos_taurus chromosome marker association false_discovery rate resulted nominal respectively sire marker association tested false_discovery rate within significant marker yielded nominal respectively there total significant marker trait marker significant trait qtl region found present_study affected affected affected remarkably qtl region affected brown_swiss also affected research reported qtl map used comparison finding study http http http similarly qtl region brown_swiss affected affected database thus many qtl appear common brown_swiss breed database mainly holstein appreciable fraction qtl appears affect primarily exclusively little effect trait although qtl information available today brown_swiss population utilized within family selection approach knowledge qtl segregating whole population boost gene identification ultimately implementation efficiency individual genomic program', 'apolipoprotein apob synthesized mammalian small_intestine liver serf essential_role assembly secretion lipoprotein constituent low_density lipoprotein intermediate density_lipoprotein low_density lipoprotein ldl ligand ldl receptor the present_study designed_investigate effect apob_gene chicken growth deposition adipose_tissue the northeast_agricultural university_broiler line_divergently selected abdominal_fat used two novel polymorphism synonymous_mutation exon deletion stop code tga apob_gene found association polymorphism trait detected using single marker haplotype analysis result showed haplotype polymorphism apob_gene linked potential major locus gene affecting body growth_fatness trait the result present_study suggest primary function apob_gene chicken also suggest use molecular genetic marker associated apob_gene used selection_program low abdominal_fat', 'locate_quantitative trait locus qtl intramuscular_fat deposition marbling local population japanese_black cattle performed genome_scan using paternal_family bull marbling qtl mapped region flanked bovine_chromosome bta affecting total family variance haplotype analysis qtl region revealed allele transmitted dam hand bull maternal bull receive allele dam based following finding marbling qtl detected bull paternal_family recombination qtl region observed maternal chromosome bull iii steer_bull exhibited significantly_higher marbling steer_bull remaining steer_bull precisely compare maternal chromosome bull constructed bacterial_artificial chromosome contig covering region developed dna marker the recombination occurred indicating marbling qtl region flanked', 'meat_tenderness difficult improve using standard genetic selection marker_assisted selection hold great promise marker meat_tenderness identified here_report quantitative_trait locus qtl beef tenderness identified animal three belmont red pedigree screening whole_genome using dna marker addition usual peak_force measurement tenderness also measured using compression adhesion peak_force three qtl meat_tenderness longissimus_lumborum muscle found two reported one located interval bovine_chromosome lod effect phenotypic_standard deviation tensile strength cooked muscle measured adhesion second qtl located_near bovine_chromosome lod effect phenotypic_standard deviation compression the third qtl region bovine_chromosome previously_reported qtl affecting peak_force this region also show effect compression combined tenderness index these qtl myofibrillar component meat_tenderness qtl found peak_force estimate connective_tissue component muscle meat_tenderness', 'five chromosome selected joint quantitative_trait locus qtl analysis clinical_mastitis somatic_cell score_sc breed finnish_ayrshire swedish_red white_srb danish_red total grandsires_son grandsires_son srb grandsires_son used study these individual genotyped_microsatellite marker used previous qtl scan selected chromosome qtl analysis based linear_regression model carried sc identify segregating sire region segregating family joint_analysis performed_using variance_component model the analysis confirmed qtl affecting_sc segregate bos_taurus autosome_bta whereas qtl could_confirmed our_result indicate may least linked qtl one primarily_affect second primarily_affect sc chromosome joint_analysis significant sc', 'scan_conducted progeny wagyu_limousin cross identify_quantitative trait locus qtl affecting palatability fatty_acid composition beef endpoint identified seven qtl five chromosome involved_lipid metabolism tenderness none gene_encoding major enzyme involved fatty_acid metabolism fatty_acid synthase_fasn carboxylase_alpha acaca solute_carrier family facilitated glucose transporter member desaturase_scd gene_encoding subunit fatty_acid elongase located qtl region the present_study may_lead healthier product consumer improved selection palatability lipid content beef', 'the_aim study_investigate quantitative_trait locus qtl previously identified region chicken chromosome relating body_weight conformation_score variance_component analysis implemented compared using qtl_express software data design consisted dam family nested sire_family trait value offspring chicken chromosome showed nominal_significance qtl affecting body_weight conformation linkage confirmed trait chromosome result varied according method analysis common_parent method', 'previously_mapped quantitative_trait locus qtl affecting trait rate day heifer bovine_chromosome the_purpose study confirm_refine position qtl using denser marker map fine_mapping method five family previously showed segregation qtl included study the mapping population_consisted bull granddaughter_design all bull genotyped_microsatellite marker surrounding qtl chromosome also analysed correlated trait number_insemination per service period heifer both trait describe heifer ability become pregnant insemination linkage analysis linkage_disequilibrium combined_linkage linkage_disequilibrium analysis used_analyse data analysis family jointly linkage analysis resulted significant broad qtl peak rate result combined analysis gave sharp qtl peak maximum marker position highest peak linkage_disequilibrium analysis found one sire_family segregated clearly position difference effect two sire haplotype percentage unit rate significant result found number_insemination combined analysis', 'feed_intake feed_efficiency beef_cattle economically_relevant trait the study conducted_identify qtl feed_intake feed_efficiency beef_cattle using genotype information microsatellite_marker snp genotyped across progeny angus_charolais alberta_hybrid bull trait analyzed_include feedlot adg daily_dmi ratio reciprocal efficiency gain_residual feed_intake rfi mixed_model sire random qtl effect fixed used generate profile across within family trait along chromosome followed empirical permutation_test determine_significance threshold qtl detection putative qtl adg detected across family chromosome for dmi putative qtl exceeded_threshold detected chromosome analysis putative qtl influencing exceeded_threshold detected chromosome putative qtl influencing rfi exceeded_threshold detected chromosome analysis addition total chromosome showed suggestive_evidence putative adg dmi_rfi qtl respectively most qtl detected across family also detected within family although location across family necessarily location within family likely difference among family marker informativeness different linkage_group the location direction qtl effect reported study suggest potentially favorable pleiotropic_effect underlying gene further study required_confirm qtl population potential_application selection management beef_cattle', 'genome_scan detect_quantitative trait locus qtl affecting body_weight chicken conducted chicken reciprocal_cross silky fowl white_plymouth rock using microsatellite_marker covering_autosome chromosome two type qtl considered static qtl developmental qtl static qtl affected body_weight hatch time affected body_weight time time six nine detected qtl four reached_significance better significant qtl static chromosome explained_phenotypic variation body_weight week_age week significance_threshold developmental located chromosome explained_phenotypic variation body_weight week significance_level the result_suggest body_weight hatch time developmental growth time time may involve two different set gene gene action', 'association microsatellite_marker trait related growth_fatness investigated using resource broiler population male backcrossed female produce sire_dam backcross generation these parent_genotyped microsatellite_marker following mating among parent progeny phenotyped five growth trait body_weight day hatch wog weight front half weight breast weight tender weight_abdominal fat weight maximum_likelihood analysis used_estimate marker effect evaluate statistical_significance individual analysis_revealed significant association combination correction_multiple comparison controlling false_discovery rate_fdr resulted significant association fdr marker chromosome percent significant association displayed dependence either hatch gender half remaining association displayed dependence quantitative_trait locus qtl effect hatch gender interaction thus analysed trait study may dependent external factor', 'the_objective study identify qtl affecting susceptibility mycobacterium paratuberculosis infection holstein twelve paternal_family selected study based large number daughter production limited relationship_among sire serum faecal_sample daughter_sire obtained disease testing case definition infected cow elisa ratio positive faecal_culture three family selected genotyping based high apparent prevalence infected cow high faecal_culture prevalence positive faecal_culture large number daughter tested disease dna_pooling used genotype cow average microsatellites within sire_family infected cow positive pool matched two herdmates lactation negative pool control herd age effect eight chromosomal_region putatively linked susceptibility paratuberculosis infection identified using significant result rigorously tested individually genotyping cow three five informative_microsatellites within significant marker identified dna_pool probability infection based diagnostic_test estimated individual used dependent variable interval_mapping based analysis evidence presence qtl segregating within family found', 'two commercial pure broiler_line different susceptibility coccidiosis used qtl associated previously identified marker located chromosome shown significantly_associated disease_resistance eight additional microsatellite_marker linked used genotyping parent offspring association oocyst_shedding marker disease_resistance determined_bird experimentally_infected eimeria maximum analysis family showed logarithm_odds lod_score marker locus exception marker located lod_score multipoint analysis showed maximum lod_score lod_score although marker mapped near linkage analysis physical location identified further study determine physical location marker allow additional application association mapping technique using single_nucleotide polymorphism marker', 'scan carcass trait average_daily gain growth finishing period_birth weight hot_carcass weight longissimus_muscle area_lma performed progeny_produced wagyu parent derived eight founder wagyu bull nine significant four suggestive qtl affecting seven growth_carcass trait identified significant qtl located bovine_chromosome qtl previously_reported chromosome lma also detected study these_result provide_insight genetic difference wagyu_limousin breed', 'egg_production trait considerable_economic importance chicken using white_leghorn red_junglefowl intercross standard production measure liver weight colour egg size eggshell_thickness egg taste meat_quality taken total marker_covering autosome chromosome genotyped individual depending trait consideration total nine significant quantitative_trait locus qtl three suggestive qtl found chicken chromosome', 'genotype environment_interaction milk_production trait production level often_observed increase_power quantitative_trait locus qtl detection qtl environment_interaction included qtl analysis milk_protein fat_yield the_aim study detect qtl interaction effect production environment the qtl effect modeled random_regression model production level all autosome except bos_taurus autosome included analysis detailed study chromosome planned for milk_yield qtl observed interaction effect production level suggestive linkage for protein_yield qtl observed interaction effect suggestive linkage for fat_yield qtl observed none interaction effect environment suggestive linkage thus qtl interaction effect seemingly exist milk_yield protein_yield for qtl estimated correlation slope intercept effect close indicated allele segregating the study indicates qtl environment_interaction exist random_regression model describe environment herd production level detect interaction', 'with chicken used model specie used qtl analysis examine genetic contribution bone trait report identification four qtls femoral trait one bone_strength one endosteal_circumference two affecting mineral_density noncortical_bmd highly_heritable phenotype governed element numerous locus study examining genetic contribution bone trait many locus identified human specie the goal study identify_quantitative trait locus qtls_controlling bmd bone_strength intercross wildtype domestic_chicken material and method set marker_covering chromosome chr used genotype intercross domesticated_white leghorn wildtype red_junglefowl chicken dxa pqct used measure bmd bone structure bending test torsional strength test performed determine biomechanical_strength bone qtls mapped using forward selection locus significant marginal effect result four qtls femoral bone trait identified qtl analysis body_weight included covariate qtl chr affected female noncortical_bmd lod syntenic human also located chr locus synteny human affected endosteal_circumference lod chr qtl corresponding human affected bmd female noncortical lod metaphyseal lod bmd pqct bmd dxa lod qtl located chr lod affected bone biomechanical_strength effect addition significant qtls locus suggestive linkage bone trait identified conclusion four qtls identified two noncortical_bmd one endosteal_circumference one affecting bone biomechanical_strength the future identification gene responsible qtls increase understanding vertebrate skeletal biology', 'the goal study detect_quantitative trait locus qtl carcass trait applicable breeding system japanese_black cattle population purebred paternal_family commercial_line composed steer initially analyzed using informative_microsatellites giving average interval covering_autosome significant qtl marbling detected centromeric portion bovine_chromosome bta after additional marker genotyping across larger_sample size composed individual locus refined confidence_interval microsatellites threshold the allele_substitution effect beef_marbling standard score range total phenotypic_variance qtl contribution family this result provides primary platform selection system beef_marbling trait within japanese_black wagyu cattle population', 'osteoporosis resulting progressive loss structural bone period hen associated increased susceptibility bone breakage study genetic_basis bone_strength cross produced line hen divergently_selected bone index commercial pedigreed white_leghorn population quantitative_trait locus qtl affecting bone index component trait index tibiotarsal humeral strength keel radiographic density mapped using phenotypic_data individual family genotype microsatellite_marker linkage_group covering approximately genome analysed association phenotype using regression analysis there one significant qtl chromosome bone index component trait tibiotarsal humeral breaking_strength additive_effect tibiotarsal breaking_strength represented trait standard_deviation phenotypic_variance trait these qtl bone quality poultry directly relevant commercial population', 'the current_study comprehensive genome analysis detect qtl affecting metabolic trait chicken two unique cross generated commercial_broiler male line genetically distinct inbred_line leghorn fayoumi used present_study the plasma glucagon insulin lactate glucose thyroxine growth_factor growth_factor concentration measured cross bird genotyped_microsatellite marker across_entire genome the program qtl_express used qtl detection significance_level obtained using permutation_test for trait total significant qtl detected significance_level significant level cross cross respectively most qtl metabolic trait present_study detected gga cross gga cross phenotypic_variation trait explained qtl across genome ranged cross cross several positional_candidate gene within qtl region metabolic trait significance_level biologically associated regulation metabolic_pathway insulin triiodothyronine thyroxine', 'map quantitative_trait locus qtl growth_carcass trait purebred japanese_black cattle population conducted multiple qtl analysis using paternal_family comprising_offspring identified qtl significant linkage false_discovery rate le included intramuscular_fat deposition called marbling cold carcass_weight body_weight the qtl explained_phenotypic variance these qtl included many replication shared hypothetical ibd allele the qtl replicated five family significant linkage two family significance_level the seven sire shared superior haplotype hypothetical ibd allele corresponds critical region previously refined linkage_disequilibrium mapping the qtl marbling replicated two family significant linkage the qtl marbling qtl body_weight replicated significance_level there shared ibd haplotype marbling qtl the allele_substitution effect haplotype ranged additive_effect marbling qtl observed family examined the abundant replicated qtl information enhance opportunity positional_cloning causative gene quantitative_trait efficient breeding using selection', 'body_weight abdominal_fat trait complex important economic trait may benefit implementation ma the_objective current_study identify qtl associated abdominal_fat trait the northeast_agricultural university_resource population used current_study body_weight abdominal_fat weight measured population total individual produced family parent bird genotyped fluorescent microsatellite_marker chromosome linkage_map constructed interval_mapping conducted_identify putative qtl for qtl identified chromosome wide_level qtl grouped_different region qtl identified chromosome wide_level qtl grouped_different region qtl identified suggestive level qtl grouped_different region for abdominal_fat trait qtl identified chromosome wide_level qtl identified chromosome wide_level qtl identified suggestive level the qtl age explained_phenotypic variance qtl abdominal_fat weight explained_phenotypic variance respectively the present_study identified chromosome region_harboring significant qtl affecting abdominal_fat trait the result_provide useful_reference candidate_gene research ma abdominal_fat trait', 'background meat technological trait meat water retention color important consideration improving processing chicken meat these quality trait originally characterized experimental line_selected high_low growth presently quantitative_trait locus qtl trait analyzed population issued cross total animal family genotyped_microsatellite marker_covering linkage_group result the bird exhibit large difference body_weight abdominal_fat content several meat_quality trait min ultimate phu breast breast lower chicken contrast meat higher chicken whereas meat drip_loss similar line bird active shackle line association analysis performed_using interval_mapping qtlmap five significant qtls revealed two one one one addition four suggestive qtls identified qtlmap phu respectively the qtl effect averaged heterozygous family ranged phenotypic_variance further analysis qtlexpress confirmed two qtls meat_color failed_identify qtl revealed suggestive qtls however qtlexpress qualified qtl phu conclusion the present_study identified significant qtls meat technological trait presently assessed chicken except meat lightness this_study highlight effect divergent selection growth_rate behavioral trait muscle biochemistry ultimately meat_quality trait several qtl region identified worthy characterization some qtls may fact suggesting pleiotropic_effect chromosomal_region', 'cross phenotyped skeletal trait week_age genotyped_microsatellite marker interval_mapping identified suggestive significant qtl linkage_group trait additional qtl identified assumption qtl fixed grandparent line relaxed qtl large effect length tarsometatarsus tibia femur weight tibia femur identified six qtl skeletal trait identified genome_wide significant qtl body_weight two body_weight qtl coincide skeletal trait qtl significant evidence imprinting found ten qtl qtl sex_interaction identified trait six allele broiler_line skeletal qtl positive_negative allele bone quality trait tibial dyschondroplasia leg bowing tibia twisting generally originated layer_line suggesting allele inherited broiler protective allele originating layer', 'performed quantitative_trait locus qtl analysis map qtls_controlling shank_length body_weight carcass_weight resource family bird developed cross native japanese cockfighting breed japanese large game white_leghorn breed chicken interval_mapping revealed three significant qtls shank_length chromosome level suggestive shank_length qtl chromosome level for body_weight two qtls one significant suggestive identified chromosome respectively expected qtls carcass_weight highly_correlated body_weight detected chromosomal location detected body_weight qtls interestingly chromosomal location containing body_weight carcass_weight qtls coincided two four shank_length qtls detected qtl epistatic_interaction effect discovered trait the total contribution detected qtls genetic_variance shank_length body_weight carcass_weight respectively indicating shank_length qtls identified many body_weight carcass_weight qtls overlooked present analysis low coverage rate microsatellite_marker used approximately whole_genome', 'three single cross population generated order analyze factor affecting ability detect true linkage minimum false_positive false negative association detect association marker quantitative_trait the three population broiler broiler cross single sire_dam resulting_progeny broiler broiler cross single sire_dam resulting_progeny broiler_layer cross single sire_dam resulting_progeny based three resource_population show gradient selective_genotyping effective random selective_genotyping selective_genotyping significant selected proportion le cumulative truncation point selected individual two tail sufficient show significant association marker phenotype gradient slice approach powerful using replicates extreme group resource_population resulting cross line different background microsatellite_marker used polymorphic also used simulation test factor affecting power_detect true association marker trait hard detect experimental resource_population using defined population simulation concluded following guideline provide reliable detection linked qtls resource_population size larger qtl effect larger detectable reasonable number marker resource_population size subject dna_pool tail trait distribution contain least resource family two dna_pool include individual some guideline deduced simulation analysis confirmed experimental part study', 'mammal thyroid_hormone responsive thrsp small acidic protein responds thyroid_hormone stimulation therefore thought play_role growth the current_study designed_investigate association gene polymorphism chicken growth body_composition trait the northeast_agricultural university_resource population_neaurp used present_study the neaurp established_crossing broiler sire derived northeast_agricultural university_broiler line_divergently selected abdominal_fat content baier layer dam local chinese breed the bird intercrossed produce population body_weight body_composition trait measured population polymorphism gene detected parental_line dna_sequencing primer_designed according chicken gene the polymorphism method_developed genotype polymorphism neaurp the gene population found associated implied gene tightly_linked gene important effect growth chicken', 'chicken population established crossbreeding xinghua line white recessive rock line total chicken family six hatch obtained phenotypic_data individual available analysis total snp initially selected based average physical distance using dbsnp database ncbi after polymorphism level individual individual part individual individual verified informative snp potentially available genotype individual the linkage_map constructed using interval_mapping qtl analysis carried qtl body_weight identified respectively qtl abdominal_fat weight_abdominal fat rate two novel qtl fat_thickness skin fat width detected respectively', 'fourteen brazilian gir sire_family daughter analyzed quantitative_trait locus qtl chromosome affecting lactose total_solid cow sire genotyped_microsatellites mean spacing marker used threshold qtl qualification qtl lactose_yield found close marker three family qtl total_solid yield identified close marker three family qtl lactose percentage close marker identified two family qtl total_solid percentage close marker identified four family these qtls could_used selection animal dairy production_system', 'association study become_possible chicken recent_availability complete_genome sequence polymorphism map single_nucleotide polymorphism snp genotyping_platform used tool study genetic_basis high level heterosis previously observed fatness two population established_crossing one outbred broiler sire_dam two unrelated highly_inbred line fayoumi leghorn population selective_genotyping carried_using phenotypically_extreme male abdominal_fat percentage snp association analysis informative snp per cross showed_significant association marker broiler fayoumi broiler leghorn cross respectively these snp chromosome interestingly snp significantly_associated twice many homozygous genotype associated higher traced_back inbred_line allele although broiler_line average higher these snp considered associated qtl cryptic_allele this_study reveals cryptic_allele important factor heterosis fatness observed two chicken population suggests epistasis common underlying mechanism heterosis cryptic_allele expression the result study also demonstrate power high snp association study discovering qtl detected previous genotyping study', 'marek_disease caused oncogenic avian herpes virus_mdv major_source economic_loss poultry_industry reciprocal backcross population total individual generated crossing two partially_inbred commercial leghorn_layer line known differ mdv_resistance measured survival time challenge mdv qtl affecting resistance identified selective_dna pooling using panel_microsatellite marker_covering chicken genome data_analyzed separately combined data_set marker showing significant association resistance generally appeared block two three separated block nonsignificant marker defined way chromosomal_region qtlr affecting mdv_resistance distributed among chromosome gga identified the identified qtlr include one gene three qtl associated resistance previous_study line three additional qtl associated resistance previous_study present line these qtl could_used selection_ma program mdv_resistance platform mapping positional_cloning resistance gene', 'understanding evolution sexual_ornament particularly female_sexual ornament enduring challenge evolutionary biology key challenge establishing relationship ornament expression female_reproductive investment determining genetic_basis underpinning relationship advance genomics provide unprecedented opportunity study genetic_architecture sexual_ornament model specie here present quantitative_trait locus qtl analysis female_sexual ornament comb fowl gallus_gallus using intercross red_junglefowl domestic line_selected egg_production first demonstrate female somatic investment comb reflects female_reproductive investment despite reproductive skeletal_investment mediated mobilization skeletal mineral egg_production female proportionally large comb also relatively high skeletal_investment second identify major qtl bisexual expression comb_mass several qtl specific female comb_mass importantly qtl comb_mass nonrandomly clustered qtl female_reproductive skeletal_investment chromosome one three together result shed_light onto physiological genetic_architecture female ornament', 'the genetic structure resource_population affect power test detect association dna marker complex trait following chicken interline cross white_plymouth rock background produced multigenerational resource_population based pedigreed generation large sibship parent_genotyped progeny phenotyped breast meat weight fat pad weight egg_production developed approach increase test power imposing several way validation including minimization association some detected association agreement qtls previously_reported literature large fraction screened marker found associated quantitative_trait examined association significant supported literature these association identified marker linked this finding support result obtained resource_population may also give indication general property', 'contribution study genetic_mechanism leading difference_observed growth pattern domesticated_white leghorn_chicken wild ancestor red jungle fowl epistatic qtl analysis several measure hatch adulthood confirms earlier finding polymorphism locus contribute determination intercross population many locus involved complex genetic interaction here use new genetic model decompose genetic effect multilocus epistatic genetic network the result_show functional modeling genetic effect provides_new insight_genetic interaction large set locus jointly contribute phenotypic expression exploring functional effect qtl allele show allele display temporal shift expression genetic effect due dependency genetic background our_result demonstrate effect many gene dependent genetic interaction locus involvement domestication process relies interaction', 'fourteen brazilian dairy gyr sire_family daughter analyzed quantitative_trait locus qtl chromosome using daughter_design economic trait milk fat protein production fat protein_percentage the cow sire genotyped_microsatellites average_spacing marker analysis across family largest significant family within family qtl located milk_yield fat_yield close marker significance_level across family within family for fat_percentage qtl near identified significance_level family analyzed together significance_level within largest significant family the different analysis yielded result generally consistent milk_yield fat_yield fat_percentage the order marker derived map consistent consensus map some qtl candidate_gene dairy_cattle milk_production trait probably preserved bos_taurus bos_indicus', 'background the traditional strategy map qtl use linkage analysis employing limited number marker these analysis report wide qtl confidence_interval making difficult identify gene polymorphism underlying qtl effect the arrival panel snp make available thousand marker increasing information content therefore likelihood detecting fine_mapping qtl region the_aim current_study confirm_previous qtl region growth body_composition trait different generation iberian_landrace intercross ibmap especially identify new one narrow_confidence interval employing beadchip linkage analysis result three generation backcross backcross ibmap related animal genotyped beadchip total snp equidistantly distributed_across autosome selected filtering quality position frequency perform qtl scan the joint separate analysis different ibmap generation allowed confirming qtl region previously identified chromosome well new one mainly backfat_thickness chromosome shoulder_weight chromosome many signification level addition detected qtls displayed narrow_confidence interval_making easier selection positional_candidate gene conclusion the use higher density marker allowed confirm result obtained previous qtl scan_carried microsatellites moreover several new qtl region identified region probably covered marker previous scan qtls displayed narrow_confidence interval finally prominent putative biological positional_candidate gene underlying qtl effect listed based recent porcine genome annotation', 'highly_significant qtl abdominal_fat trait chicken chromosome reported previously unique population the_objective study confirm_refine qtl location compared_previous experiment study added new family including animal pedigree genotyped_microsatellite marker including novel one linkage analysis performed the result linkage analysis showed confidence_interval abdominal_fat percentage narrowed sharply small interval spanning respectively the result present_study showed using marker individual could_decrease confidence_interval qtl effectively current qtl region combining biological knowledge gene result microarray analysis performed divergently_selected lean_fat line several gene stood potential candidate_gene', 'resource_population derived broiler_layer cross used map quantitative_trait locus qtl body_weight day weight_gain feed_intake feed_efficiency day intestinal length chicken genotyped genetic marker_covering linkage_group preliminary qtl mapping report using population focused exclusively regression_method applied model qtl interval_mapping under_model eight qtl detected body_weight day body_weight day intestine length under_model using sire common_parent five qtl detected body_weight day body_weight day body_weight day when dam used common_parent seven qtl mapped body_weight day body_weight day body_weight day growth difference chicken line appear controlled chronological change limited number chromosomal_region', 'background avian coccidiosis major parasitic disease poultry causing severe economical loss poultry production affecting growth feed_efficiency infected bird current control_strategy using mainly drug recently vaccination showing drawback alternative strategy needed using genetic resistance would limit negative costly effect disease would highly relevant the_purpose work detect first_time qtl disease_resistance trait eimeria tenella chicken performing genome_scan cross issued resistant fayoumi line susceptible leghorn line result the qtl analysis detected significant qtl different trait related disease_resistance body_weight growth plasma_coloration hematocrit rectal_temperature lesion chromosome out significant qtl body_weight growth found five significant qtl body_weight growth plasma_coloration hematocrit one plasma_coloration found respectively two suggestive qtl plasma_coloration rectal_temperature found respectively other significant qtl identified effect found qtl body_weight growth plasma_coloration several qtl different resistance phenotype identified location conclusion using cross resistant_susceptible chicken line proved successful strategy identify qtl different resistance trait eimeria tenella opening way gene identification underlying mechanism hopefully possibility new breeding_strategy resistance coccidiosis chicken from qtl region identified several candidate_gene relevant pathway linked innate_immune inflammatory_response suggested these_result combined functional genomics_approach line provide positional_candidate gene resistance locus coccidiosis result suggested also analysis model tackling complexity genetic_architecture correlated disease_resistance trait including potential epistatic effect', 'constructed chicken resource_population facilitate genetic_improvement economically_important trait particularly growth_carcass trait population comprising chicken obtained_crossing shamo lean lightweight japanese native breed male white_plymouth rock breed fat heavyweight broiler female measured carcass_weight abdominal_fat weight afw breast_muscle weight bmw thigh muscle weight tmw used linkage qtl analysis using total microsatellite_marker total qtl detected level qtl significant level trait evaluated population for growth trait significant suggestive qtl affecting measured average_daily gain identified similar region chromosome for carcass trait qtl effect detected chromosome greatest obtained chromosome quantitative_trait locus position affecting bmw tmw detected locus detected bmw percentage tmw percentage for afw qtl position detected locus detected afw percentage the present_study identified significant qtl affecting afw', 'quantitative_trait locus qtl influencing weight_abdominal fat breast_muscle detected chicken chromosome using two successive cross two divergently_selected inra broiler_line based result aim_present study identify number location effect putative qtl performing multitrait analysis whole available data_set data concerned offspring produced sire_dam trait measured animal slaughter first cross second cross week_age the bird genotyped_microsatellite marker evenly spaced along before qtl detection phenotype adjusted fixed_effect sex design hatching group within design body_weight covariable univariate analysis confirmed qtl segregation male offspring female offspring analysis male offspring data using multitrait model led conclude presence two qtl distal_part controlling one trait linked qtl model_applied correction phenotypic value effect distal qtl several qtl discovered central region splitting one large qtl region several distinct qtl neither line appeared fixed qtl genotype these_result important implication prospective fine_mapping study identification underlying gene causal_mutation', 'the identification utilization potential candidate_gene qtl significant effect economically_important trait becoming increasingly important poultry breeding_program chicken growth_factor binding_protein signal_transducer activator_transcription gene essential node signaling_pathway gene network growth reproduction the pooled_dna sequencing approach used identification snp upstream region gene total individual beijing you chicken genotyped snp using modified method association chicken growth reproductive trait studied using glm_procedure the snp growth_factor binding_protein gene associated age snp growth_factor binding_protein gene associated age respectively the snp gene associated age_first egg respectively moreover lewontin snp snp snp gene respectively the snp lay within haplotype_block our_result suggest snp significantly_associated early growth sexual_maturation chicken may potential molecular_marker ma', 'introduction variance_component qtl methodology used_analyse three candidate region chicken chromosome dominant qtl effect data available bodyweight_conformation score measured day commercial_broiler dam_line one_hundred dam nested sire phenotype genotype offspring linear_model constructed simultaneously_estimate fixed polygenic qtl effect different genetic model compared using likelihood_ratio test_statistic derived comparison full reduced null model empirical threshold derived permutation analysis result dominant qtl found bodyweight chicken chromosome bodyweight_conformation score chicken chromosome suggestive_evidence maternally_expressed qtl bodyweight_conformation score found chromosome region corresponding orthologous imprinted region human_mouse conclusion initial result_suggest variance_component analysis applied within commercial population direct detection segregating dominant parent origin effect', 'the ability chicken carry salmonella without displaying disease symptom responsible salmonella propagation poultry stock subsequent human contamination consumption contaminated egg meat the selection animal resistant carrier state might way decrease propagation salmonella poultry stock transmission human five qtl controlling variation resistance carrier state chicken progeny derived white_leghorn inbred_line previously identified using selective_genotyping approach here second analysis whole progeny performed led confirmation two qtl chromosome ass utility genomic_region selection commercial_line tested together qtl identified backcross_progeny candidate_gene used commercial_line divergently_selected either low high resistance young chick adult hen divergent chick line one qtl chromosome one region significantly_associated resistance variation divergent adult line one qtl located major_histocompatibility complex chromosome one region involved variation genetic study conducted experimental line therefore potential interest selection commercial_line', 'anal_atresia relatively common congenital malformation occurs infant caused abnormal hindgut development embryo often associated developmental anomaly currarino syndrome vater association genetic analysis human family exceedingly difficult due multifactorial nature trait pig anal_atresia occurs higher incidence human complete_genome scan microsatellite_marker performed_using backcross_pedigree previously obtained_crossing affected animal partially_inbred line_selected high incidence anal_atresia unaffected male different breed meishan the data_set analyzed classical linkage twopoint nonparametric genetic method npl linkage tdt transmission_disequilibrium test both method support association trait two locus chromosome family_member identified positional_candidate gene based comparative_mapping radiation_hybrid mapping confirmed locus located_within qtl region', 'the_purpose study develop implement least_square model joint_analysis breed cross qtl mapping population evaluate effect joint_analysis qtl detected economic trait data two breed cross pig data growth_carcass composition meat_quality trait cross commercially relevant pig breed used berkshire_yorkshire cross iowa state university isu berkshire_duroc cross university illinois uoi all animal genotyped total isu_uoi marker chromosome marker linkage_map derived individual joint_data similar regard order relative position difference absolute distance existed map joint_data used analysis the individual joint_data set analyzed using several least_square model model mendelian effect halfsib model combined model included effect test model used characterize qtl mode_expression identify segregation qtl within parental breed total qtl detected chromosome genome level isu_uoi joint_data analyzed trait qtl detected joint_data six detected population many allele effect differed two cross despite lack overlap two population joint_analysis resulted increase significance many qtl including detection ten qtl reach significance either population confidence_interval position also smaller several qtl contrast qtl detected level isu_uoi population detected joint_data presence paternally_expressed qtl near region confirmed major effect backfat_loin muscle_area particularly uoi population well one qtl carcass_composition distal arm chromosome result study suggest joint_analysis using range qtl model increase_power qtl mapping qtl characterization help identify gene subsequent selection', 'the glycogen synthase gene_encodes enzyme glycogen synthesis skeletal_muscle promising_candidate gene trait related skeletal_muscle pig study single_nucleotide polymorphism intron detected foki fragment_length polymorphism showed allele_frequency difference among five chinese_indigenous pig breed three western_commercial pig breed linkage analysis assigned gene marker interval meishan_large white reference family the result association analysis interval_mapping suggested foki polymorphism might linked quantitative_trait locus affecting carcass trait detected intercross pedigree the reverse chain_reaction revealed porcine gene expressed spleen lung liver_kidney small_intestine skeletal_muscle heart stomach highest expression skeletal_muscle', 'the_objective research identify qtl affecting number_vertebra swine one major determining factor growth body_composition previously_reported qtl number_vertebra located terminal band arm ssc family produced_crossing göttingen miniature male two meishan female eight swine family subsequently produced cross different breed european asian miniature pig family qtl number_vertebra detected unlike asian allele european allele study effect increasing number_vertebra acted additively without dominance the göttingen miniature sire previously_reported smaller additive_effect seemed heterozygous qtl present_study another qtl found number_vertebra this qtl fixed european pig used parent experimental family european allele increased number_vertebra analysis confirmed qtl segregating commercial large_white population analysis family parental pig fixed alternative allele revealed effect qtl additive similar size the two qtl acted independently without epistatic effect explained increase two vertebra', 'total litter record hungarian large_white sow analysed investigate possible use oestrogen receptor gene esr marker improve litter_size first_second later_parity evaluated separately frequency calculated two esr allele expected number three genotype follows type first_later parity sow superior sow number_born alive_nba total number_born tnb corrected number weaned_piglet cnw respectively', 'gene regulate metabolism energy partitioning potential influence economically_important trait farm_animal polymorphism within gene current_study snp bovine neuropeptide_npy growth_hormone receptor_ghr ghrelin ghrl uncoupling_protein hormone crh cocaine amphetamine regulated transcript cart receptor proopiomelanocortin pomc gene evaluated association growth feed_efficiency carcass_merit beef steer total snp evaluated association trait haplotype_constructed within gene snp showed_significant association snp located_intron ghr gene largest_effect animal dominance_effect feed_efficiency allele_substitution effect another snp located promoter_region ghr similar effect haplotype snp reduced effect snp located_intron three snp npy gene showed association marbling well adg feed_conversion ratio_fcr the combination snp haplotype generally improved association similar scale association single snp only snp snp intron associated adg partial_efficiency growth fcr three snp gene almost complete_linkage disequilibrium showed association lean_meat yield yield_grade dmi snp generally reduced association seen individually snp snp ghrl gene tended show effect residual_feed intake fcr partial_efficiency growth the snp strongly affected area back_fat adg fcr the snp cart pomc crh gene show association trait although snp showed association cause_amino acid_change snp could linked yet detected causative_mutation nearby qtl important verify result cattle population', 'the complete_coding sequence porcine gene isolated using sequence analysis showed porcine gene_encodes protein amino_acid share high homology growth_factor binding_protein eight specie cattle goat chimpanzee human giant panda sheep sumatran orangutan rabbit this gene structured four exon three intron revealed assisted analysis phylogenetic_analysis revealed porcine gene close genetic relationship gene cattle polymorphism analysis_indicated substitution position exon mutation alter encoded amino_acid porcine gene revealed eight pig breed displayed obvious genotype allele_frequency difference polymorphic locus association snp litter_size trait assessed large_white landrace population result demonstrated polymorphic locus significantly_associated litter_size first_parity large_white sow landrace sow these data serve foundation insight novel porcine gene', 'result univariate outbred interval_mapping analysis growth_carcass trait identify qtl ssc compared phenotypic genetic data recorded resource_population including pig cross three berkshire sire duroc dam thirty marker average_spacing approximately genotyped across four chromosome the outbred mixed_model included effect sex birth_month year additive_dominance imprinting coefficient calculated every using interval_mapping random family effect the general model used_describe phenotypic difference included systematic random effect additive coefficient calculated every the outbred analysis found significant evidence qtl ssc associated weight backfat_thickness area fat percent shear_force juiciness marbling tenderness addition qtl identified ssc relating weight area ssc fat_moisture percent instance outbred approach offered greater power_detect qtl however analysis offered greater power several instance the superiority could due relative advantage model within trait data_set the two approach provided complementary evidence qtl segregating berkshire_duroc breed used study may used aid introgression selection candidate_gene study improve swine growth meat_quality characteristic', 'this_study aim identify hepatic gene affecting trait related muscularity obesity combining expression analysis association study gene mapping functional_candidate gene expression obtained hybridising custom made cdna microarrays target discordant_sib pair porcine experimental_population out gene addressed nine gene regulated factor sib_pair differential gene expression independently confirmed selected gene real time transcript_level four gene apoh pedf tbg significantly different phenotype group screening trait associated marker within tbg apoh comparative_sequencing discordant_sib pair revealed snp position tbg polymorphism apoh detected association analysis confirmed effect tbg carcass trait statistically allocating tbg qtl region chromosome revealed genetic evidence effect moreover result_indicate probably two polymorphism altering binding capability tbg another still detected altering transcription rate tbg', 'the leptin_receptor gene lepr candidate trait related growth body_composition located region fatness meat composition quantitative_trait locus qtl previously detected several experimental_design the_aim work fine_map qtl larger_sample animal generation backcross iberian_landrace intercross examine effect lepr allele body_composition trait eleven single_nucleotide polymorphism snp detected sequencing lepr coding_region iberian_landrace pig sample three missense polymorphism genotyped pyrosequencing individual coming backcross four male landrace female thirteen microsatellites one snp also genotyped trait analysed backfat_thickness different location intramuscular_fat percentage imf eye_muscle area loin_depth weight shoulder_weight rib rib weight belly bacon different statistical_model applied order evaluate number effect qtl chromosome possible_causality lepr gene variant respect qtl the result_support presence two qtl one position affect rib the significant map narrow region affect imf rib result also support association lepr allele trait the possible functional implication analysed polymorphism considered', 'pig chromosome_ssc shown rich qtl affecting performance quality trait most study mapped qtl close swine leukocyte antigen sla large effect adaptability natural selection previous comparative_mapping study suggested region limited marker mapped mapped contains hundred gene decrease number candidate_gene improved mapping_resolution genetic chromosome dissection backcross recombinant progeny test program meishan_european large_white landrace breed three backcross two backcross sire carrying recombination qtl mapping interval measured total growth_fatness carcass meat_quality trait progeny family size varied pig animal genotyped marker_covering region interest result allowed qtl interval decreased even le assumed pig used study share one qtl allele except putative qtl affecting carcass_composition trait sla excluded candidate region suggesting_might possible apply selection_strategy qtl controlling sla allele diversity the strong qtl effect remaining animal issued backcross boar issued boar_meishan genetic background show epistatic_interaction likely limited finally qtl strong effect meat_quality trait', 'study data commercial norwegian slaughter pig cross analysed confirm_previous reported quantitative_trait locus qtl affecting intramuscular_fat imf porcine chromosome the data_consisted old experiment qtl previously detected new experimental data norwegian slaughter pig cross the old new experimental data analysed_separately together previously_described method combining linkage linkage_disequilibrium analysis_ldla used analysis method assumes animal descendant common base population realistic cross different breed adjusted version method able distinguish different breed cross presented using ldla method able confirm qtl old experimental data genetic_variance could explained polygenic_effect analysis new experimental data however detect qtl analysing data experiment together gave highly_significant result qtl marker the main conclusion therefore previously_reported qtl imf porcine chromosome confirmed within confidence_interval', 'qtl analysis multibreed experiment crossed population involving two founder_breed offer clear advantage classical cross among increased power comprehensive coverage total genetic_variability specie alternative designed multibreed cross reanalyze jointly several experiment involving different breed report multibreed multitrait qtl analysis sscx involves five different cross six breed almost genotyped individual using truly multibreed strategy allow number founder_breed origin trait analyzed growth fat_thickness carcass length_shoulder ham_weight generally joint_analysis resulted significant qtl analysis show qtl fatness highly_significant nominal asiatic origin meishan the next significant qtl nominal affected ham_weight seems segregating large_white rest breed multitrait analysis suggests two distinct locus additionally locus segregating iberian_landrace affect live_weight the advantage joint multibreed analysis clearly outweigh potential risk', 'the substitution recently described causal factor imprinted qtl fat_deposition muscle growth detected within porcine region the_objective study_investigate substitution_effect large_white outbred_population iberian_landrace cross the result showed substitution significant effect fatness growth shape trait estimated effect expected direction these_result agree obtained cross substitution segregating small family addition qtl scan_performed population trait used substitution_effect validation result study demonstrated qtl segregating swine chromosome substitution carcass_weight area measured slaughter the result_confirm relevance substitution also show still valuable mutation revealed chromosome', 'the merit complementary multivariate technique identify qtl associated multiple trait evaluated record pig pertaining berkshire_duroc population available six multitrait_group ssc information marker studied multivariate technique studied included multivariate_model principal_component analysis multitrait_group all model included addition systematic effect additive_dominance imprinting coefficient corresponding model random family effect multivariate analysis identified qtl associated genomewise significant variation four multitrait_group the majority multivariate analysis provided greater precision parameter_estimate higher statistical_significance case univariate approach greater parameterization multivariate_model moderate information content data principal_component analysis result consistent univariate multivariate analysis recovered level statistical_significance observed univariate analysis original data addition principal_component analysis able provide location associated area detected analysis the relative advantage multivariate univariate approach varied level genetic covariance trait modeled qtl effect information contained data however multivariate_approach unique capability identify pleiotropic_effect multiple linked qtl', 'background major qtl fatness growth denoted previously detected pig chromosome using large_white wild_boar intercross progeny carried wild_boar allele locus higher fat_deposition shorter length carcass reduced growth the position estimated effect qtl growth_fatness confirmed_previous study order narrow qtl interval traced inheritance wild_boar allele associated high fat_deposition six additional backcross generation result used determine qtl genotype backcross sire_heterozygous different part broad region the statistical_analysis revealed five sire segregating qtl two negative data three sire inconclusive could confirm qtl effect content trait growth trait implying growth_fatness controlled distinct qtls chromosome two segregating sire showed highly_significant qtl effect large previously observed generation the estimate remaining three sire_heterozygous smaller fragment actual region markedly smaller with sample_size used present_study great confidence determine_whether smaller effect sire due chance deviation epistatic_interaction whether composed two qtls one smaller phenotypic effect under assumption single locus critical region reduced interval rxrg sdhc locus conclusion characterized qtl pig chromosome refined map position considerably qtl interval maximum region probable region small the flanking marker small region rxrg sdhc orthologous region human genome located harbor approximately gene our strategy refine map position major qtl type new marker pig recombinant qtl interval perform ibd mapping across breed strongly selected lean growth', 'previously_reported globulin gene cbg may causal gene quantitative_trait locus associated cortisol_level fat_deposition muscle content pig intercross sequence analysis parental animal allowed_identify four substitution here_examined single amino_acid substitution could responsible difference cbg binding affinity_cortisol parental breed using vitro assay cbg variant transfection mammalian cell additionally cbg coding_region analyzed sample synthetic pig line study association polymorphism cbg biochemical property carcass_composition meat_quality both vitro transfection assay association study suggest role mutation increasing cbg capacity decreasing cbg affinity_cortisol the substitution may also effect decreasing cbg affinity_cortisol the mutation seem effect cbg parameter the substitution mutation associated parameter meat_quality mutation linked carcass_composition', 'causative_mutation paternally_expressed quantitative_trait locus arm_porcine chromosome substantial effect muscle growth backfat_thickness the linkage_disequilibrium four breed association polymorphism growth meat performance pig large_white breed analysed significant effect polymorphism backfat_thickness lean_meat content found addition identified two new single_nucleotide polymorphism snp intron gene the existence complete_linkage disequilibrium locus population study locus segregated snp intron gene detectable simple reliable polymerase_chain fragment_length polymorphism technique offer possibility use snp genotyping quantitative_trait nucleotide large_white landrace breed', 'identified polymorphism adipocyte binding_protein gene strong_positional candidate_gene locus porcine chromosome the informative polymorphism intron together single_nucleotide polymorphism intron genotyped cross iberian_landrace pig after performing qtl single marker haplotype analysis showed least quantitative_trait gene region polymorphism tightly associated fatness comparison allelic_frequency panel pig breed suggested polymorphism indirect selection also showed tightly associated fatness growth furthermore haplotype analysis suggests genetic heterogeneity locus within landrace breed', 'human cutaneous_melanoma complex trait inherited case although gene low risk gene identified susceptibility gene remain discovered here attempted determine new genomic_region linked melanoma using pig melim strain develops hereditary cutaneous_melanoma applied quantitative_trait locus qtl mapping method significant scan_performed backcross pig derived strain qtls detected level melanoma synthetic trait corresponding development melanoma the peak_position sus_scrofa chromosome_ssc family derived male except analysis precise specific trait revealed highly_significant qtls ulceration presence melanoma birth lesion type number aggressive melanoma respective position respectively level also showed melim allele determines black coat_colour pig predisposes significantly melanoma interaction observed marker located taken_together result_indicate melim swine model human multigenic disease comparative_mapping revealed human region interest search new melanoma susceptibility candidate', 'polymorphism myog gene tested using different pig breed including landrace_large white_duroc shanxi black mashen pig effect myog gene birth_weight weaning_weight body_weight backfat_thickness also analyzed basis published sequence porcine myog gene ten pair primer_designed one polymorphism found pcr product amplified primer the result showed landrace_large white_duroc breed differ significantly genotype distribution shanxi black mashen breed basis fixed_effect model significant difference found birth_weight backfat_thickness among different myog genotype whereas significant difference existed weaning_weight body_weight using least_square analysis seen individual genotype significantly le birth_weight genotype order pig genotype significantly lower backfat_thickness genotype order these_result suggest genotype significant effect individual birth_weight backfat_thickness selection allele favored regard birth_weight backfat_thickness', 'characterized mapped porcine fatty_acid binding_protein epidermal gene according linkage mapping gene located_close fatty_acid binding_protein adipocyte gene swine chromosome resequenced gene parental population iberian_landrace cross ibmap identifying seven snp arranged two distinct haplotype qtl association analysis ibmap population showed gene strongly_associated fat_deposition qtl haplotype analysis_revealed clustered mammal major candidate_gene qtl likely_position qtl two gene finally result_suggest presence one qtl affecting fatness trait porcine chromosome', 'multiple genomic scan identified qtl backfat deposition across porcine genome the_objective study detect snp genomic_region associated ultrasonic backfat total snp across chromosome_ssc selected based proximity backfat qtl qtl trait interest experimental_population gilt also genotyped snp thought influence backfat globulin gene tbg ssc genotypic_data collected gilt divided generation meat animal research_center meishan_resource population composition meishan backfat_depth recorded ultrasound location along back approximately age generation respectively ultrasound_measure averaged association analysis regressors additive_dominant effect snp calculated using genotypic probability computed allelic peeling algorithm genoprob the association model included_fixed effect scan date tbg genotype covariates weight snp regressors random additive polygenic_effect account genetic similarity animal explained known genotype variance_component polygenic_effect error estimated using mtdfreml initially snp fitted without effect separately due potential regression closely_linked marker form final_model significant snp across chromosome included common model individually removed successive iteration based significance across analysis tbg significant additive_effect approximately backfat three snp remained final_model even_though study identified qtl backfat chromosome two snp exhibited irregular effect may detected genome_scan one significant snp remained final_model estimated effect marker similar magnitude direction previously identified qtl this snp potentially used introgress leaner meishan allele commercial swine population', 'the outcome infectious_disease vertebrate genetic control least_extent swine marked difference sarcocystis_miescheriana shown chinese_meishan european pietrain pig difference associated high_heritabilities first_step toward_identification gene polymorphism causal difference may mapping quantitative_trait locus qtls considering clinical immunological parasitological trait model system survey represents first qtl study parasite_resistance pig qtl mapping performed pig family infected miescheriana fourteen significant qtls mapped several chromosomal area among_others major qtls identified bradyzoite number skeletal_muscle plasma igg level determined day the qtls mapped different region chromosome region major_histocompatibility complex bradyzoites immunoglobulin heavy chain cluster respectively these_result provide_evidence direct causal role gene variant within gene cluster difference resistance miescheriana', 'the number_vertebra pig varies associated meat productivity wild_boar ancestor domestic pig vertebra comparison european_commercial breed vertebra probably owing selective_breeding enlargement body_size previously identified two quantitative_trait locus qtl number_vertebra sus_scrofa chromosome_ssc these qtl explained increase two vertebra here_performed study define qtl region using three experimental family performed interval_mapping recombination analysis defined qtl within interval then analyzed linkage_disequilibrium microsatellite_marker interval found adjacent marker region almost fixed european_commercial breed genetic_variation marker observed asian local_breed wild_boar this region encoded orphan nuclear_receptor germ cell nuclear factor formerly known gcnf contained amino_acid substitution coincident qtl this substitution altered binding activity corepressors nuclear protein nuclear_receptor corepressor addition somite mouse embryo demonstrated expression protein together result_suggest strong candidate one qtl influence number_vertebra pig', 'performed qtl scan production trait line cross duroc_pietrain breed pig included progeny_produced family genotyped informative_microsatellites linkage_map covering_autosome spanning kosambi constructed phenotypic trait including body_weight growth_carcass composition meat_quality trait analysed using least_square regression_interval mapping qtl exceeded_significance threshold qtl reached suggestive threshold these qtl located genomic_region autosomal_chromosome qtl region significant level qtl affecting value loin detected strong statistical support qtl also associated meat_colour conductivity qtl carcass_composition average_daily gain also found suggesting multiple qtl seventeen genomic segment single qtl reached least suggestive_significance forty qtl exhibited additive inheritance whereas qtl showed dominance_effect two qtl trait backfat_thickness detected significant paternal effect found qtl region another qtl middle showed mendelian_expression', 'quantitative_trait locus qtl detected internal_organ trait carcass length trait teat_number trait pig resource_population included individual total microsatellite_marker examined the genetic trait included heart weight lung weight liver gallbladder weight lgw spleen weight spw stomach weight stw small_intestine weight siw large intestine weight liw kidney weight carcass length first cervical vertebra carcass length first thoracic_vertebra rib number rn teat_number tn result_indicated highly_significant qtl level rn tn significant qtl level lgw spw siw liw ssc tn detected the phenotypic_variance qtl accounted ranged most qtl previously_reported', 'ear_size erectness important conformation measurement pig population established_crossing european large_white small erect ear chinese_meishan large flop ear used study genetic influence two ear trait first_time linkage_map incorporating marker autosomal_chromosome utilised genome_scan qtl significant qtl found two trait the qtl major effect significant level the qtl ear erectness also major effect significant the confidence_interval ear_size qtl spanned the qtl two ear trait position overlapped major qtl affecting subcutaneous_fat depth chromosome this_study provides_insight complex genetic influence underlying pig ear trait facilitate positional_candidate gene analysis identify_causative dna variant', 'childbirth period substantial rapid biological psychological change wide_range psychotic disorder occur ranging mild blue severe episode psychotic illness puerperal_psychosis extreme_form postnatal psychosis occurring birth study used pig animal model human postnatal psychiatric illness our_aim identify_quantitative trait locus qtl associated maternal_infanticide sow aggression this defined sow attacking killing newborn offspring within birth affected sib_pair whole_genome linkage analysis carried microsatellite_marker covering_porcine autosome chromosome aim_identifying chromosomal_region responsible abnormal behavior analysis carried_using linkage test whittemore halpern implemented merlin software the result identified qtl mapping sus_scrofa chromosome sscx the peak region qtl syntenic hsa respectively several potential candidate_gene lie region addition relevant abnormal behavioral qtl found human rodent', 'cutaneous malignant melanoma sinclair swine hereditary disease develops utero first week_life many case tumor regress piglet survive disease two different set gene might_involved disease tumor_initiator suppressor locus locus locus affecting aggressiveness disease number stage tumor develop method interval_mapping type locus the experimental_design consisted boar mated sow recording tumor status number tumor week_life offspring the model search tumor_initiator locus allele tested computer simulation estimate penetrances psi psi genotype respectively accurate even small family size statistical_power family size psi psi the model test number tumor incorporated genotype information tumor_initiator locus all model tested data single boar family piglet swine chromosome tumor evidence initiator_locus found associated chromosome however association qtl affecting number tumor birth near microsatellite chromosomewise significant', 'multivariate qtl detection carried fatness carcass_composition trait porcine chromosome qtls already detected sla region multivariate_approach used exploit correlation trait obtain information pattern almost measurement recorded backfat_thickness backfat weight bfw leaf_fat weight lfw half number intramuscular_fat content_imf affecting detection first group trait selected using backward selection procedure trait selected based contribution linear combination trait discriminating putative qtl haplotype three group trait could distinguished based successive discriminant analysis external fat internal fat lfw imf bfw least four region distinguished preferentially affecting one group sla region always influencing trait meishan allele decreased trait value except imf confirming opportunity selection improve meat_quality maintenance carcass_composition based meishan allele', 'haematological trait essential_diagnostic parameter_veterinary practice knowledge genetic_architecture controlling variability erythroid_trait sparse especially_swine identify qtl erythroid_trait pig haematocrit hct haemoglobin erythrocyte count rbc mean_corpuscular haemoglobin content mchc measured pig family challenge protozoan pathogen sarcocystis_miescheriana the pig_passed three stage_representing acute_disease reconvalescence chronic_disease single qtl controlling erythroid_trait identified chromosome twelve qtl significant level significant level because erythroid_trait varied health disease_status qtl influencing erythroid phenotype showed specific_pattern region contained qtl baseline_erythroid trait qtl region affected distinct stage disease model single qtl explained_phenotypic variance animal related trait partly common genetic influence our analysis confirms erythroid_trait variation differs meishan_pietrain breed variation associated multiple_chromosomal region', 'quantitative_trait locus qtl fat_deposition growth muscling trait previously_mapped basis linkage_map wild_boar meishan chromosome region flanked improved qtl resolution possible using data animal marker_density distance region including candidate_gene the resolution qtl scan increased substantially evidenced higher value qtl maximum value fat_deposition muscling growth trait respectively qtl position accounted_phenotypic variance respectively qtl fatness growth muscling trait mapped near exception qtl ham trait mapped proximally vicinity analysis performed_separately male animal showed predominant qtl affecting fat_deposition trait near two qtl muscling trait mapped close female animal qtl affecting muscling mapped qtl fat_deposition growth mapped', 'background_improving pork_quality done increasing intramuscular_fat imf_content this trait influenced quantitative_trait locus qtl sought different pig population considering high imf_content observed duroc_pig appealing determine_whether favourable_allele major gene qtl could found the detection performed experimental duroc large_white population first segregation analysis qtl mapping using additional molecular information result segregation analysis provided_evidence major gene recessive duroc allele increasing imf duroc homozygous pig however result depended whether data normalised after transformation likelihood_ratio indeed time lower longer significant the qtl detection result partly consistent segregation analysis three qtl significant chromosome wide_level evidenced two qtl located chromosome showed high imf duroc recessive allele overall effect slightly lower expected segregation analysis muscle the third qtl located chromosome dominant large_white allele inducing high imf_content muscle additional qtl detected muscular fatty_acid composition conclusion the study presented result two complementary approach segregation analysis qtl detection seek gene involved higher imf_content observed duroc population discrepancy method might partially explained existence least two qtl similar characteristic located two different chromosome different boar heterozygous the favourable dominant allele detected large_white population unexpected obviously population favourable_allele inducing high imf_content fixed improving imf fixing favourable_allele using marker applied duroc population with qtl affecting fatty_acid composition combining increase imf_content enhancing monounsaturated_fatty acid percentage would great_interest', 'background previous_study quantitative_trait locus qtl exhibiting large effect instron shear_force taste panel tenderness detected within illinois meat_quality pedigree imqp this qtl mapped arm_porcine chromosome comparative analysis indicates orthologous segment human chromosome containing strong_positional candidate_gene calpastatin_cast cast polymorphism recently shown associated meat_quality characteristic however possible involvement gene molecular variation region excluded thus requiring qtl result recent_advance porcine genome resource including radiation_hybrid bacterial_artificial chromosome bac physical_map utilized development novel informative marker marker_density region surrounding likely qtl position increased addition eighteen new microsatellite_marker including nine nine novel marker two marker derived porcine_bac clone containing cast gene refinement qtl position achieved linkage haplotype analysis linkage analysis_revealed least two family segregating qtl strong_positional agreement cast marker combined analysis two family yielded qtl interval instron shear_force taste panel tenderness respectively haplotype analysis suggested refinement interval containing cast marker the presence additional tenderness qtl also suggested conclusion these_result reinforce cast strong_positional candidate further analysis cast molecular variation within imqp boar enhance_understanding molecular_basis pork_tenderness thus allow genetic_improvement pork product furthermore additional resource generated targeted investigation putative qtl may_lead advancement pork_quality', 'this_study report association five blood type three enzyme two protein escherichia_coli receptor gene ryanodin receptor gene six production trait four meat_quality trait two osteochondral disease swiss pig population data trait daily weight_gain percent premium_cut backfat trait daily weight_gain feed_conversion ratio meat_quality osteochondral_lesion available animal respectively mixed_linear model allele_substitution effect used trait marker analysis analysis significant association allele_substitution effect presented general heritability_estimate production meat_quality trait higher osteochondral_lesion blood type lack significant association many trait except type enzyme mainly glucose phosphate isomerase protein polymorphism show significant association daily weight_gain premium_cut backfat well osteochondral_lesion the ryr gene significantly affected growth production lean_meat content trait osteochondral_lesion ryr also affected value this_study report many novel association particularly incidence osteochondral_lesion polymorphism glucose phosphate isomerase dehydrogenase postalbumin ryr locus these_result useful_selection functional genomics proteomics investigation', 'for carcass trait identified qtls based data pig resource_population including hybrid yorkshire_boar meishan_sow mapped use microsatellite_marker locus chromosome five qtls highly_significant chromosome level skin weight chromosome chromosome skin percentage chromosome chromosome ratio leg butt carcass chromosome the remaining qtls significant chromosome level backfat_thickness shoulder loin_eye width loin_eye height fat meat weight lean_meat weight skin weight bone weight skin percentage fat meat percentage ratio lean_meat fat meat the proportion_phenotypic variance_explained qtls ranged qtl loin_eye width chromosome qtl ratio lean_meat fat meat chromosome seven qtls reported novel', 'this_study conducted detect polymorphism intron porcine pou domain class transcription_factor renamed comparative_sequencing within intron site variation identified including substitution indels short one long indels several important regulatory motif found within indel silico_analysis the indel next genotyped chinese_native pig breed western_pig breed the appearance genotype varied breed among chinese_native breed genotype found tibetan lingao min rongchang songliao black pig genotype found fenjing leping spotted pig whereas pietrain landrace genotype duroc_pig homozygote the western_pig high allele_frequency chinese pig allele except jianquhai pig positive association genotype birth_weight observed commercial_pig line this_paper demonstrated genetic_variation intron pig gene high polymorphism may provide_useful maker qtl analysis', 'refinement previous qtl porcine chromosome composition candidate_gene association analysis conducted using iberian_landrace cross the concentration ten fatty_acid assayed backfat tissue four metabolic ratio calculated animal linkage analysis identified two significant qtl the first qtl associated average chain length ratio percentage myristic palmitic gadoleic acid the second qtl associated percentage palmitoleic stearic vaccenic_acid based_upon position fatty_acid synthase tested candidate_gene first qtl significant effect found similarly gastric inhibitory polypeptide gip carboxylase_alpha acaca tested candidate_gene second qtl using three snp gip synonymous snp acaca cdna_sequence two_missense snp gip showed_significant effect palmitoleic stearic concentration highly_significant association found two snp acaca stearic palmitoleic vaccenic concentration these association could due linkage_disequilibrium causal_mutation', 'scan_performed large_white french landrace pig population order_identify qtl affecting reproduction production trait the experiment based granddaughter_design including five large_white three french landrace family identified french porcine national database total animal son daughter eight male founder distributed eight family genotyped_microsatellite marker the design included animal recorded production trait litter_size record considered three production three reproduction trait analysed average_backfat thickness live_weight lwgt end test age candidate adjusted live_weight total number_piglet born per_litter number_stillborn stillp born_alive livp piglet_per litter ten qtl medium large effect detected significance_level affecting trait lwgt stillp livp the number heterozygous male founder varied_depending qtl', 'the mothering_ability sow largely depends shape function mammary_gland the_aim study identify qtl heritable inverted_teat defect condition characterized disturbed development functional_teat qtl analysis conducted porcine experimental_population based duroc berlin miniature pig dumi the significant qtl confirmed linkage analysis commercial_pig according affected sib_pair design refined association test fbat nonparametric linkage npl analysis_revealed five significant seven suggestive qtl inverted_teat defect porcine experimental_population commercial dam_line five significant npl value detected qtl region overlapping marker interval close_proximity population found revealed qtl population different position indicating segregation least two qtl the result_confirm previously proposed polygenic_inheritance inverted_teat defect first_time point genomic_region harboring relevant gene the investigation revealed variation importance qtl various population due either difference allele_frequency statistical_power difference genetic background modulates impact liability locus expression disease the qtl study enabled name number plausible positional_candidate gene the correspondence qtl region inverted_teat defect previously_mapped qtl teat_number line etiologic relationship trait', 'background meat_quality trait important pig breeding_program difficult include traditional selection_program marker_assisted selection_ma meat_quality trait therefore interest breeding_program quantitative_trait locus qtl analysis key identifying marker used ma study landrace hampshire intercross backcross family used investigate meat_quality trait hampshire pig commonly used sire line commercial_pig breeding this_first time pedigree including hampshire pig used qtl analysis meat_quality trait result total analyzed meat_quality trait identified eight significant qtl peak four region one chromosome two chromosome one chromosome least two qtls appear detected previous_study chromosome identified qtls water_content longissimus_dorsi drip_loss post_mortem decline chromosome identified previously_undetected qtls protein content freezing cooking_loss respectively conclusion identified least two new meat_quality trait qtls significance_level detected two qtls chromosome possibly coincide qtls detected study also able exclude mutation ryanodine receptor causative_mutation one chromosome qtls cross', 'imprinted gene play_important role embryo survival postnatal_growth regulation the previously gene linked reciprocally imprinted several mammal imprinting_status still_unknown pig study report polymorphism imprinting_status qtl analysis porcine gene muscle adipose dna rna sample animal generated reciprocal_cross korean_native pig knp yorkshire breed used_analyse variation expression the sample exhibited paternal expression maternal expression pig these_result indicated imprinting_status gene conserved across mammalian_specie linkage analysis assigned gene telomeric_region qtl analysis confirmed significant polar_overdominance pod effect previously detected several growth trait pig however significant pod effect found locus', 'differential white blood_cell count essential_diagnostic parameter_veterinary practice knowledge genetic_architecture controlling variability leucocyte_number relationship sparse especially_swine total leucocyte_number leu differential_leucocyte count fraction lymphocyte lym polymorphonuclear leucocyte neutrophil neu eosinophil eos basophil ba monocyte mon measured pig family challenge protozoan pathogen sarcocystis_miescheriana quantitative_trait locus qtl analysis after infection pig_passed three stage_representing acute_disease reconvalescence chronic_disease nine significant putative single qtl controlling leucocyte trait identified chromosome because leucocyte trait varied health disease_status qtl influencing leucocyte phenotype showed specific_pattern region contained qtl baseline leucocyte trait other qtl region reached control leucocyte trait distinct stage disease model qtl described single qtl explained_phenotypic variance animal related trait partly common genetic influence our analysis confirms leucocyte trait variation associated multiple_chromosomal region', 'study quantitative_trait locus qtl chemical physical body_composition growth feed_intake pig identified population developed crossing pietrain_sire commercial dam_line phenotypic_data animal available protein lipid_deposition measured_live animal deuterium dilution technique body_weight body_weight carcass characteristic measured autofom grading system dissection three hundred animal family genotyped molecular_marker covering chromosome novel qtl protein lipid content body_weight protein lipid_accretion detected near several previously detected qtl lean_fat tissue neck shoulder ham cut another qtl lipid_accretion found closely associated qtl intramuscular_fat content qtl daily_feed intake detected the favourable_allele qtl food conversion_ratio fcr associated allele increased lean tissue decreased fat tissue because qtl growth_rate found region qtl fcr likely due change body_composition these qtl provide_insight genomic regulation chemical physical body_composition association feed_intake feed_efficiency growth', 'tea domain transcription_factor play vital role myogenesis binding motif promoter gene present_study cloned two porcine tea domain family gene identified two different variant respectively revealed variant highly_expressed development porcine_skeletal muscle indicating_potential regulatory_function muscle_development promoter analysis_revealed porcine regulated manner specific intact initiator element numerous binding motif multiple transcription_factor including substitution identified sequence used linkage mapping association analysis berkshirexyorkshire population revealed substitution significant effect average_daily gain_birth weaning_weight suggestive effect loin_eye area average back_fat lumbar back_fat the association analysis result agreement gene localization demonstrated linkage analysis schp mapping qtl region growth_carcass trait chromosome', 'three isoforms pig cloned classified two form contain contains the amino_acid sequence isoform showed good conservation human rat expressed wide_range tissue using informative snp iberian_landrace intercross detected intron linkage_map constructed the location estimated outside imf however imf reconfirmed high significance position_narrowed interval region defined marker using radiation_hybrid mapping lepr leprot selected positional_functional candidate related qtl', 'many qtl analysis related meat production meat_quality trait carried_using resource_population produced_crossing genetically different breed this experiment intended investigate_whether qtl segregating purebred_duroc population selected meat production meat_quality trait generation sus_scrofa chromosome significant qtl intramuscular_fat many trait already_reported studied the polymorphism microsatellite_marker arranged interval investigated pig selected population progeny_produced mating sire_dam the qtl analysis family population examined multigeneration pedigree structure population variance_component analysis used detect qtl population examined multigeneration pedigree population study multigenerational pedigree estimated identical descent coefficient among sib produced using markov_chain monte_carlo method the maximum_likelihood odds score found position area position pork_color standard position number_thoracic vertebra significant qtl intramuscular_fat detected ssc these_result indicate qtl analysis via variance_component method within purebred_population effective determine qtl segregating population purebred durocs', 'chinese_erhualian boar dramatically smaller testis greater concentration circulating androgen fewer sertoli cell western_commercial breed identify qtl boar reproductive trait testicular_weight epididymal_weight seminiferous_tubular diameter serum testosterone_concentration measured boar white_duroc chinese_erhualian cross whole_genome scan_performed microsatellites_covering porcine chromosome total qtl identified chromosome including significant qtl testicular_weight seminiferous_tubular diameter sscx epididymal_weight testosterone_concentration two significant qtl detected testicular_weight seminiferous_tubular diameter nine suggestive qtl found chinese_erhualian allele_systematically favorable greater reproductive_performance this_study confirmed_previous significant qtl testicular_weight sscx epididymal_weight reported qtl seminiferous_tubular diameter testosterone_concentration first_time the observed different qtl trait different age reflect involvement distinct gene development male reproductive trait', 'muscle histochemical characteristic decisive determinant meat_quality the relative percentage diameter different muscular fiber_type influence crucial aspect meat_color tenderness ultimate despite relevance however information muscle_fiber genetic_architecture scant histochemical muscle characterization laborious task here_report complete qtl scan muscle_fiber trait animal cross iberian_landrace pig using marker identified genome region distributed_along porcine chromosome direct epistatic effect epistasis frequent interaction highly_significant chromosome seemed behave hub harbored individual qtl also epistatic region numerous individual qtl effect cryptic_allele opposite effect phenotypic pure breed difference many qtl identified coincided previous_report trait literature overlapping potential candidate_gene previously_reported meat_quality qtl', 'combined analysis data two resource_population improve power accuracy qtl mapping allow result study performed scan using combined data two population derived cross large_white chinese_meishan pig total pig included analysis total marker genotyped two population including marker genotyped population marker covered pig genome average marker seven trait teat_number birth_weight weaning_weight weight fat_depth shoulder fat_depth mid back_fat depth loin analysed individual population combined population there qtl achieved suggestive_significance level respectively population population combined population additive_effect qtl detected two population significance_level largely consistent suggesting qtl represent real genetic effect case dominance_imprinting effect there also number significant interaction detected qtl effect population', 'background leakage water ion soluble protein muscle cell occurs prolonged exercise due ischemia causing muscle damage also post_mortem anoxia conversion muscle meat marked loss water soluble component muscle cell there_considerable variation water_holding capacity meat affecting economy meat production water_holding capacity depends numerous genetic environmental_factor relevant structural biochemical muscle_fibre property well ante post slaughter metabolic_process result expression microarray analysis longissimus_dorsi rna animal resource_population showed transcript trait correlated expression water_holding capacity negatively_correlated transcript enriched functional category pathway like extracellular matrix receptor interaction calcium signalling transcript positive_correlation dominantly represented biochemical process including oxidative phosphorylation mitochondrial pathway well transporter activity linkage analysis abundance trait correlated transcript revealed expression qtl eqtl eqtl coinciding qtl region water_holding capacity transcript trans acting ci acting regulation conclusion the complex relationship biological_process taking place live skeletal_muscle meat_quality driven one hand energy reserve utilisation muscle hand muscle structure calcium signalling holistic expression profiling integrated qtl analysis trait interest gene expression_level creation priority list gene orchestra gene biological network relevant liability develop elevated drip_loss', 'ovulation_rate important phenotypic trait critical component litter_size pig despite moderately_heritable pig selection increased ovulation_rate difficult difficult_measure trait qtl ovulation_rate residing end pig chromosome detected resource_population comparative analysis region yielded positional_candidate gene mannosidase qtl the entire_coding region resequenced meishan white composite founder animal resource_population identify snp eleven polymorphism alter protein product discovered tested statistical association ovulation_rate three generation resource_population the polymorphism located position mrna significant polymorphism tested additive_effect allele estimated ovum this polymorphism determined significantly_associated ovulation_rate analysis conducted qtl discovery the marker associated ovulation_rate occidental population therefore either unique epistatic_interaction within population snp linkage_disequilibrium actual causative genetic_variation population', 'puberty fundamental development process experienced reproductively competent adult yet specific factor regulating age_puberty remain elusive pig study performed genome_scan identify_quantitative trait locus qtl affecting age_puberty gilt using white_duroc erhualian_intercross total microsatellites_covering porcine chromosome genotyped gilt parent_grandparent white_duroc erhualian_intercross linear_regression method used map qtl age_puberty via qtlexpress one significant qtl one significant qtl detected centimorgan respectively moreover two suggestive qtl found respectively this_study confirmed qtl age_puberty previously identified report first_time qtl age_puberty gilt interestingly chinese_erhualian allele_systematically favourable younger age_puberty', 'resource_population built detect_quantitative trait locus qtl affect growth_carcass composition pork_quality the data_analyzed applying three mendelian_model model model combined model enabled detection qtl fixed equal different allele_frequency alternate breed allele respectively permutation_test performed determine threshold value total qtl detected level trait analyzed qtl detected classified type_type type the result_indicate implementation series framework beneficial detect qtl also provides_new robust interpretation methodology could developed', 'identify_quantitative trait locus qtl trait related semen ejaculation phenotype data including semen_volume sperm_concentration total sperm per ejaculate sperm_motility sperm abnormality rate semen value ejaculation time ejaculation duration measured boar day white_duroc erhualian_intercross scan_performed entire white_duroc erhualian_intercross genotyped_microsatellite marker_covering whole pig genome qtl analysis performed_using composite regression_interval mapping method via qtlexpress total qtl detected including significant qtl semen pig chromosome_ssc semen_volume ejaculation time fourteen suggestive qtl found knowledge_first report qtl semen ejaculation trait pig providing start point decipher genetic_basis complex trait', 'the value temperature min postmortem semimembranosus_muscle glycolytic_potential measured animal white_duroc erhualian_resource population whole_genome scan_performed microsatellites_covering porcine chromosome detect qtl trait measured total qtl identified including significant qtl ssc glycolytic_potential total_glycogen residual glycogen six significant qtl detected decline glycolytic_potential total_glycogen this_study confirmed qtl previously identified except found new significant qtl trait this_first time report qtl development glycolytic_potential significance_level addition observed different qtl decline different time show causal gene postmortem play distinct role specific stage specific muscle these_result provide starting_point fine_mapping qtl trait measured improve_understanding genetic_basis metabolism slaughter', 'the fine_mapping polymorphism influencing cholesterol_triglyceride lipoprotein serum level human_mouse provided wealth knowledge complex genetic_architecture trait the extension genetic analysis pig would utmost importance since constitute valuable biological clinical model study coronary artery disease myocardial infarction present_work performed whole_genome scan serum_lipid trait duroc_pig population individual phenotypic register included total low ldl high hdl lipoprotein serum_concentration day_age this approach allowed_identify two genomewide significant quantitative_trait locus qtl ratio day_day well number chromosomewide significant qtl the comparison qtl location day revealed notable lack concordance two time_point suggesting effect qtl age specific moreover observed considerable level correspondence among location significant porcine lipid qtl identified human this finding might suggest mammal diverse polymorphism located common set gene involved genetic_variation serum_lipid level', 'background limb_bone length bone_mineral density_bmd used ass bone growth risk bone_fracture pig respectively suggested limb_bone length bmd genetic control however knowledge genetic_basis limb_bone length mineralisatinon limited pig the_aim study identify_quantitative trait locus qtl affecting limb_bone length bmd distal femur white_duroc erhualian_resource population result limb_bone length femoral bone_mineral density fbmd measured total animal respectively there strong positive_correlation among length limb_bone medium positive_correlation length limb_bone fbmd scan involving microsatellite_marker across pig genome revealed qtl limb_bone length femoral bmd the significant qtl length five_limb bone mapped two chromosome affecting limb_bone trait one detected around pig chromosome_ssc largest confidence_interval le providing crucial start point identify_causal gene trait the erhualian allele associated longer limb_bone the located sscx peak whereas allele white_duroc breed increased bone_length many qtl identified homologous human genomic_region containing qtl trait list interesting_candidate gene conclusion_this study detected qtl length scapula ulna humerus tibia fbmd pig first_time moreover several new qtl pig femoral length found correlated trait qtl length five_limb bone mainly located genomic_region the promising qtl length five_limb bone merit investigation', 'the primary goal study detect confirm qtl growth_fatness trait experimental intercrosses iberian_landrace iberian_meishan used study first_time qtl analysis related productive trait for_purpose analysis single bivariate trait model population performed the presence qtl backfat_thickness previously identified cross detected population additional molecular information also confirmed cross addition qtl affecting detected cross similar_position qtl detected backfat_thickness this_first study qtl affecting detected cross well resource_population furthermore analyzed previously_described nonsynonymous leptin_receptor lepr snp located exon causality respect qtl within population our_result supported previously_reported association lepr allele backfat_thickness cross association also confirmed within cross association reported lepr allele identified population', 'baseline_erythroid index increasingly involved risk_factor common complex disease human however_little known genetic_architecture baseline_erythroid trait pig study hematocrit hct hemoglobin hgb mean_corpuscular hemoglobin mch mean_corpuscular hemoglobin_concentration mchc mean_corpuscular volume_mcv red_blood cell rbc red cell distribution_width rdw measured day_day day pig white_duroc erhualian_intercross resource_population the entire_resource population genotyped_microsatellite locus across pig genome quantitative_trait locus qtl analysis performed trait measured qtl_express based method total qtl including significant qtl significant qtl regulating erythroid_trait found pig chromosome_ssc except the significant qtl mainly localized these_result confirmed qtl previously identified swine more importantly study detected qtl baseline_erythroid trait pig first_time notably qtl mcv mch day small interval respectively provided good starting_point identifying_causal gene underlying mcv mch future', 'trait diagnostic_parameter essential characterization health disease veterinary_practice the trait show significant variability genetic control little_known fundamental genetic_architecture variability especially_swine identified qtl alkaline phosphatase alp lactate lac bilirubin bil creatinine cre ionized sodium potassium calcium serum pig family challenge sarcocystis_miescheriana protozoan parasite muscle after infection pig_passed three stage_representing acute_disease subclinical disease chronic_disease qtl influencing trait different stage identified chromosome eleven qtl significant level qtl significant qtl showed specific_pattern respect baseline value trait well value obtained different stage disease qtl influencing different trait different time found primarily chromosome the prominent qtl investigated trait mapped baseline trait alp lac bil influenced qtl region single qtl explained_phenotypic variance our analysis confirms variation trait associated multiple_chromosomal region', 'maintaining blood_gas narrow range essential sustain normal biochemical reaction decreased oxygenation poor tissue perfusion disturbance expiration shortage hco lead metabolic acidosis this common situation swine originates broad_range medical condition blood_gas appear genetic control population physiological trait closer pathological threshold may susceptible developing pathological condition however_little known genetic_basis trait therefore estimated phenotypic genetic_variability identified quantitative_trait locus qtl blood_gas blood_sample pig family sample taken challenge sarcocystis_miescheriana protozoan parasite muscle qtl influencing blood_gas identified nine chromosome five qtl significant level qtl significant level qtl trait mapped qtl associated detected qtl associated qtl showed specific_pattern related physiological state pig day acute_disease day convalescence day chronic_disease day the result_demonstrate blood_gas influenced multiple_chromosomal area relatively_small effect', 'maternal_behavior around parturition important piglet_survival extreme_form failure maternal_behavior also called maternal_infanticide often occurs sow this defined active attack piglet using jaw resulting serious fatal bite wound within birth lead considerable_economic loss pig_industry severe problem pig welfare study maternal_behavior parturition recorded detail white_duroc erhualian_intercross sow three continuous farrowing population gilt showed maternal_infanticide first litter incidence maternal_infanticide second_third farrowing reduced respectively all sow genotyped_microsatellite marker spanning_whole pig genome whole_genome linkage analysis performed_using linkage test software the result identified seven chromosome region sscx significantly linked maternal_infanticide the quantitative_trait locus qtl sscx achieved significance_level the promising qtls however detected chromosome three peak negative logarithm located marker qtls sscx experiment consistent published result western_commercial line', 'scan_performed animal including barrow gilt white_duroc erhualian_intercross population detect_quantitative trait locus qtl fatty_acid composition longissimus_dorsi muscle abdominal_fat total qtl including significant qtl suggestive effect identified trait measured significant effect mainly evident pig chromosome_ssc association detected general qtl detected study showed distinct effect fatty_acid composition longissimus_muscle abdominal_fat the qtl fatty_acid composition abdominal_fat correspond identified previously backfat majority qtl muscle fatty_acid composition mapped chromosomal_region different previous_study two region showed_significant pleiotropic_effect monounsaturated mufa polyunsaturated_fatty acid_pufa longissimus_muscle abdominal_fat another two qtl significant effect mufa pufa longissimus_muscle found sscx chinese_erhualian allele associated increased ratio mufa saturated_fatty acid qtl detected showing beneficial effect term human_health', 'investigate difference gene expression obese lean pig breed differential display mrna employed previous_research one differentially_expressed est identified porcine cardiomyopathy associated gene homology human gene the dna porcine gene encompasses including complete open_reading frame encoding amino_acid residue region region the porcine gene assigned chromosome radiation_hybrid panel imprh the porcine gene expressed striated muscle single_nucleotide polymorphism snp scanning coding_region identified one_synonymous mutation three missense_mutation the allele_frequency tested among unrelated pig several pig breed linkage mapping conducted snp berkshire_yorkshire resource family confirmed porcine closely_linked distance lod_score interesting region_harbouring qtl back_fat thickness association analysis experimental pig population showed different genotype gene associated different back_fat thickness our_result suggest porcine gene effect porcine back_fat deposition investigation_necessary illustrate underlying mechanism', 'porcine chromosome_harbour many quantitative_trait locus qtl affecting meat_quality fatness carcass_composition trait detected resource pig population previously however prior selection commercial breed qtl identified intercross divergent breed require confirmation segregated consequently objective_study validate several qtl porcine chromosome responsible meat carcass quality trait the experimental_population consisted crossbred paternal_family the region investigation arm flanked_marker regression analysis resulted validation three qtl within interval minolta loin back_fat thickness weight trimmed ham the result additionally confirmed factor analysis candidate_gene proposed meat_colour evident qtl validated study', 'the transcript cart_gene candidate_gene may affect performance body_composition trait pig the_purpose study establish chromosomal localization genomic sequence porcine cart_gene search polymorphism analyse phenotypic effect pig representing two breed polish_large white plw polish_landrace synthetic_line the cart_gene fluorescence situ hybridization fish chromosome the dna fragment covering three exon two intron flanking_region sequenced analysed new single_nucleotide polymorphism snp position found the coding_sequence conserved porcine human cart_gene previously unknown short tandem_repeat polymorphism identified intron three allele found the allele predominant analysed population pig whereas allele occurred lowest frequency the statistical_analysis revealed significant allelic additive_effect meat content carcass abdominal_fat weight plw meat content carcass backfat_thickness our study confirmed chromosome region_harbouring cart_gene promising quantitative_trait locus pig production trait', 'white blood_cell count platelet implicated risk_factor common complex disease genetic factor substantially affect trait human_mouse however_little known genetic_architecture trait pig identify_quantitative trait locus qtl trait pig total leucocyte_number differential_leucocyte count including fraction basophil eosinophil lymphocyte monocyte neutrophil series platelet parameter including platelet count mean platelet volume platelet distribution_width plateletcrit measured animal day white_duroc erhualian_intercross resource_population total informative_microsatellites distributed_across pig chromosome_ssc genotyped across_entire resource_population qtl identified examined trait including eight significant qtl white blood_cell differential_leucocyte count six significant qtl trait erhualian white_duroc allele_systematically associated increased phenotypic value these_result confirmed many qtl identified previously mouse swine also revealed number novel qtl trait recorded moreover first_time qtl trait pig reported', 'background teat_number important fertility trait pig production reflecting mothering_ability sow also discrete often canalized trait presenting bilateral symmetry minor difference two side providing potential power evaluate fluctuating asymmetry developmental instability the knowledge genetic control still limited study scan_performed microsatellites_covering pig genome identify_quantitative trait locus qtl three trait related teat_number including total teat_number ttn teat_number left ltn right rtn side large_scale white_duroc erhualian_resource population result linkage_map total length average marker interval constructed eleven significant qtl ttn detected autosome including pig chromosome_ssc six suggestive qtl trait detected eight chromosomal_region showed_significant association ltn these region also evidenced significant qtl rtn except the significant qtl trait located erhualian allele identified qtl positive additive_effect except three qtl white_duroc allele increased teat_number significant dominance_effect observed ttn predominant imprinting_effect ttn detected conclusion the result confirmed qtl region previous_experiment also identified five new qtl total teat_number swine minor difference qtl region responsible ltn_rtn validated further fine_mapping focused consistently identified region small_confidence interval', 'qtl analysis pig chromosome sscx carried_using approach accurately take account specific feature sex chromosome heterogeneity presence pseudoautosomal region dosage compensation phenomenon population animal created_crossing pietrain_sire crossbred dam_line phenotypic_data trait recorded least animal including chemical_body composition measured_live animal five target weight ranging daily_gain feed_intake measured throughout growth_carcass characteristic obtained slaughter weight several significant suggestive qtl detected pig chromosome pseudoautosomal region sscx qtl entire loin weight showed paternal imprinting closely_linked marker suggestive qtl feed_intake pietrain allele found associated higher feed_intake unexpected breed known low feed_intake capacity telomeric_end arm sscx qtl jowl weight lipid_accretion suggestive qtl chemical_body composition these_result indicate sscx important physical_chemical body_composition accretion well feed_intake regulation', 'quantitative_trait locus qtl affecting carcass meat_quality located identified using variance_component method large number trait involved meat carcass quality detected commercial_crossbred population pig sired boar synthetic_line homozygous using combined_linkage linkage_disequilibrium mapping ldla several qtl significantly affecting loin_muscle mass ham_weight ham muscle outer ham knuckle ham meat_quality trait ultimate japanese colour score detected these_result agreed well previous involving since study carried crossbreds different qtl may segregating parental_line address question compared model single component model allowing separate sire_dam component the qtl identified using single qtl variance_component model compared model allowing separate variance minor difference respect qtl location however variance_component method made_possible detect qtl segregating paternal line hamb maternal line ham phu combining association linkage information among haplotype improved slightly significance qtl compared analysis using linkage information', 'behavioural_index vertebrate genetic control least_extent spite significant behavioural problem farm_animal information genetic background behaviour sparse the_aim study map qtl behavioural_index swine healthy condition_infection sarcocystis_miescheriana behaviour significantly influenced disease this parasite model subsequently lead acute day subclinical day chronic_disease day allowing study comparison behaviour pig four different state health disease the study based family recently allowed_detection qtl disease_resistance mapped six significant significant qtl six behavioural_index swine six qtl total qtl showed effect behavioural trait healthy pig day some qtl lost influence behavioural activity disease effect others qtl partly remained whole experiment although different effect distinct behavioural_index the disease model high relevance detect effect gene locus behavioural_index considering importance segregating allele environmental_condition allow identification phenotype conclude indeed qtl interesting effect behavioural_index swine', 'genetic marker snp well suited development genetic test production trait livestock they stable many generation provide direct assessment individual animal genetic_merit linkage_disequilibrium phase functional genetic_variation bovine_chromosome shown harbor genetic_variation affecting production trait multiple cattle population thus chromosome targeted marker development subsequent association analysis carcass growth phenotype discovery snp performed panel sire representing two sire seven beef breed two holstein sire pcr amplification sequencing using primer_designed genomic sequence obtained sequencing bacterial_artificial chromosome bac_clone from snp tentatively identified minor_allele frequency snp derived_bac chosen based minor_allele frequency genotyped steer sire production carcass data_collected steer part germplasm evaluation gpe cycle vii project meat animal research_center clay center involves evaluation sire seven popular breed haplotype based seven snp derived_bac containing bovine gene associated trait related carcass fat steer homozygous major haplotype le subcutaneous_fat le rib fat lower yield_grade le predicted fat_yield greater predicted retail product yield heterozygote the frequency major haplotype steer ranged limousin simmental gelbvieh panel consisting average purebred sire seven breed second set haplotype based four snp derived_bac containing gene associated shear_force steer homozygous major haplotype greater shear_force heterozygous major haplotype one two minor haplotype the frequency major haplotype steer ranged hereford approximately angus red angus panel purebred sire these_result demonstrate feasibility targeting qtl region marker development low level coverage identify marker associated phenotypic trait', 'association study trait generally limited sample population size accurate phenotypic_data the_objective study utilise data primiparous_cow experimental_farm ireland united_kingdom netherlands sweden identify_genomic region associated traditional measure fertility well fertility phenotype derived milk progesterone profile traditional_fertility measure investigated day first heat day first_service pregnancy_rate first_service number service calving interval interval commencement luteal activity cla derived using routine milk progesterone assay phenotypic genotypic_data single_nucleotide polymorphism snp available primiparous_cow genetic_parameter estimated using linear animal model univariate_bivariate association analysis undertaken using_bayesian stochastic search variable_selection performed_using gibbs sampling heritability_estimate traditional_fertility trait varied heritability cla the posterior quantitative_trait locus qtl probability across genome traditional_fertility measure posterior qtl probability observed cla snp chromosome chromosome respectively univariate analysis probability increased cla included bivariate analysis traditional_fertility trait for_example bivariate analysis posterior qtl probability two aforementioned snp candidate_gene vicinity snp discussed the result study suggest power association study cattle may increased sharing data also possibly using physiological measure trait investigation', 'genotype retinoic acid orphan receptor rorc gene associated fatness cattle ten snp genotyped rorc adjacent gene repeat neuronal map qtl sequence around domain rorc gene inferred_haplotype snp combined frequency top haplotype combined frequency the average value linkage_disequilibrium although average low the rorc snp strongest_association marbling the inferred_haplotype significantly_associated marbling difference divergent haplotype sigma marbling sigma rump_fat explaining previously_reported qtl effect cdna rorc sequenced new alternative transcript found fetal tissue show time greater transcription rorc adult tissue the highest expression fetal tissue found liver_kidney adult longissimus_muscle greatest expression tissue tested', 'functional_candidate gene approach used search gene affecting milk_production trait holstein_dairy cattle signal_transducer activator_transcription chosen involvement development mammary_gland using pooled genomic dna_sequencing approach identified single_nucleotide polymorphism genomic dna_extracted son obtained cooperative_dairy dna_repository blood_sample daughter bull obtained university_wisconsin resource_population daughter_yield deviation data son yield_deviation daughter obtained milk_production trait usda animal improvement program laboratory for repository population allele associated significant increase milk fat protein_percentage for university_wisconsin population genotype associated significant increase milk fat protein_yield result study consistent_previous study role_regulating transcription gene involved milk_protein synthesis fat metabolism', 'quantitative_trait locus qtl identified linkage analysis bovine_chromosome affect fatty_acid myristic acid subcutaneous adipose_tissue beef_cattle level significance the qtl also shown significant effect ten fatty_acid milk fat dairy_cattle positional_candidate gene qtl identified fatty_acid synthase_fasn multifunctional enzyme central role metabolism lipid five single_nucleotide polymorphism snp identified bovine fasn gene animal genotyped fasn snp three different cattle resource_population linkage association mapping result using snp consistent fasn gene underlying qtl snp substitution_effect percentage found effect opposite direction adipose fat milk fat concluded snp bovine fasn gene associated variation fatty_acid composition adipose fat milk fat', 'two quantitative_trait locus qtl affecting female_fertility mapped french_dairy cattle phenotype rate day insemination chromosome qtl significant rate day suggesting affect early fertility event analysis cause complex vertebral malformation excluded gene qtl interval chromosome qtl almost significant rate day this qtl associated abortion stillbirth problem use appropriate phenotype appeared important qtl associated fertility', 'the_aim study identify presence snp chemokine gene chemokine receptor gene ass potential contribution variation estimated_breeding value_ebv somatic_cell score_sc four trait canadian_holstein bull pool dna bull high_low ebv sc used identification snp two unreported snp found gene one snp found gene previously_reported snp three gene five chemokine receptor also identified two snp three one one genotyped canadian_holstein bull using tetra primer investigated association seven polymorphism three production trait milk_yield fat_yield protein_yield one conformation trait related mastitis udder_depth the allele_substitution effect snp significant level milk_yield protein_yield ebv the association snp sc_ebv significant level however allele_substitution effect snp sc significant level might indicate_possible association support published study lastly assigned previously qtl sc identified', 'skin largest organ pig body play_key role protecting body pathogen excessive water_loss deciphering genetic_basis swine skin_thickness would enrich knowledge skin identify locus porcine skin_thickness first performed genome_scan microsatellite_marker white_duroc erhualian_intercross identified three significant qtl pig chromosome_ssc using linkage analysis the significant qtl found small_confidence interval explaining percent phenotypic_variance further conducted association study_gwas using_illumina beadchips pedigree population chinese_sutai pig confirmed significant qtl pedigree replicated qtl chinese_sutai pig gwass population detected genomic_region associated skin_thickness gwas result generally consistent qtl mapping analysis defined qtl region_harboring interesting_candidate gene linkage_disequilibrium analysis showed haplotype_block likely harbor gene responsible skin_thickness our_finding provide novel_insight genetic_basis swine skin_thickness would benefit understanding porcine skin function', 'many study reported quantitative_trait locus chromosome affect milk_production trait dairy_cattle osteopontin_opn peroxisome proliferator activated receptor_gamma coactivator alpha located middle chromosome apart approximately the_objective study_investigate association opn variant milk_production trait independent holstein_cattle population university_wisconsin daughter_design cooperative_dairy dna_repository cddr granddaughter_design resource_population for opn cow resource_population genotyped polymorphism reported previously cddr_population additive_effect significant fat_percentage protein_percentage fat_yield resource_population these_result consistent_previous study shown significant association opn variant milk composition trait the association variant investigated cddr resource_population using single_nucleotide polymorphism for resource_population additive_effect significantly increased protein_percentage decreased milk_yield dominance_effect significant examined trait for cddr_population associated significant increase milk_protein percentage sc thus cddr_population associated significant increase milk_protein percentage contrast association result previously_reported german_holstein population', 'chronic pastern dermatitis cpd also known chronic progressive lymphedema cpl skin disease affect draft_horse this disease cause painful swelling nodule formation skin ulceration interfering movement the_aim scan identify_quantitative trait locus qtl cpd german_draft horse recorded clinical data cpd german_draft horse collected blood_sample horse horse_paternal family comprising horse breed rhenish german schleswig south_german chosen genotyping each family constituted one draft_horse breed genotyping done polymorphic_microsatellites evenly_distributed equine_autosome chromosome mean distance multipoint linkage analysis_revealed significant qtl horse chromosome_eca analysis breed confirmed qtl south_german qtl draft_horse for rhenish german schleswig draft_horse additional qtl south_german draft_horse additional qtl found this_first scan cpd draft_horse important step_toward identification candidate_gene', 'the calpain gene family inhibitor diverse effect many related protein turnover appear affect range phenotype diabetes muscle injury pathological event associated degenerative neural disease human fertility longevity postmortem effect meat_tenderness livestock_specie the calpains inhibited calpastatin bind directly calpain here_report direct measurement epistatic_interaction causative_mutation quantitative_trait locus qtl calpain located chromosome causative_mutation qtl variation calpastatin_cast located chromosome cattle first identified potential causative_mutation cast genotyped along putative_causative mutation cattle seven breed the maximum allele_substitution effect phenotype single_nucleotide polymorphism snp sigma cast snp also sigma measured across breed found significant epistasis snp cast taurine_zebu derived breed there additive_dominance component epistasis additive additive_dominance dominance component combined minority breed comparison show epistasis suggesting genetic_variation gene may_influence degree epistasis found system', 'fine_map previously detected quantitative_trait locus qtls affecting milk_production trait bovine_chromosome microsatellite_marker situated within interval spanning selected daughter_sire genotyped two mapping approach haplotype sharing based mapping single marker regression mapping used_analyze data both approach revealed quantitative_trait locus qtl significant effect milk_yield fat_yield protein_yield located segment flanked_marker span genetic distance physical distance addition single marker regression mapping also revealed qtl affecting fat_percentage protein_percentage marker our fine_mapping work facilitate cloning candidate_gene underlying qtls milk_production trait', 'background cattle gene coding melanocortin receptor known main regulator switch two coat_colour pigment eumelanin black pigment phaeomelanin red pigment some breed charolais simmental exhibit lightening original pigment whole body the dilution mutation charolais responsible white coat_colour breed using charolais_holstein population includes animal pigment background present linkage mapping study charolais dilution locus result charolais_holstein crossbred population investigated genetic effect coat_colour dilution three different trait representing dilution phaeomelanin eumelanin dilution defined highly_significant association detected chromosome three trait analysed marker interval the silv gene examined strongest positional_functional candidate_gene previously_reported mutation exon gene silv associated coat_colour dilution_phenotype resource_population although discrepancy identified mutation dilution_phenotype convincing recombination event found silv mutation locus further analysis identified region chromosome influencing variation pigment intensity given coat_colour category conclusion the present_study identified region bovine_chromosome harbour major locus responsible dilution eumelanin phaeomelanin seen charolais crossbred cattle study convincing evidence found exclude silv causative_mutation charolais dilution_phenotype although genetic effect may_influence coat_colour variation population studied region chromosome influence intensity pigment within coat_colour category therefore may include modifier locus candidate_gene effect lyst identified', 'study highly_significant quantitative_trait locus qtl meat percentage eye_muscle area_ema silverside percentage found cattle chromosome region containing positional_candidate gene growth_differentiation factor common alias myostatin_mstn mutation mstn gene known cause extreme muscling phenotype cattle study highly_significant association mstn cattle carcass trait found using maternally_inherited mstn haplotype outbred limousin jersey_cattle linkage_disequilibrium analysis previously_reported transversion mstn resulting_amino acid substitution phenylalanine leucine position protein sequence polymorphism consistently related increased muscling overall size additive_effect carcass trait moderately large allele found associated increase silverside percentage ema increase total meat percentage relative allele the phenotypic effect allele partially recessive this_study provides strong_evidence mstn genotype produce intermediate muscling phenotype significant value beef_cattle producer', 'difference domestication selection process contributed considerable phenotypic genotypic difference bos_taurus bos_indicus cattle breed particular_interest tropical subtropical production environment genetic difference subspecies underlie phenotypic extreme tolerance susceptibility parasite_infection general taurus cattle susceptible ectoparasite indicus cattle tropical_environment much difference genetic control identify_genomic region involved tick_resistance developed taurus_indicus experimental_population map quantitative_trait locus qtl resistance riphicephalus boophilus microplus tick about individual measured parasite load two season rainy dry genotyped_microsatellite marker_covering chromosome mapped suggestive qtl tick load rainy season chromosome for dry season suggestive qtl mapped chromosome the additive_effect qtl chromosome corresponds total observed phenotypic_variance our study identified different genomic_region controlling tick_resistance qtl dependent upon season tick counted suggesting qtl question may depend environmental_factor', 'the gene corticotropin releasing hormone crh mapped bovine_chromosome quantitative_trait locus qtls reported dairy beef_cattle the gene product regulates secretion adrenocorticotrophin hormone axis multiple hypothalamic function therefore hypothesized crh promising_candidate gene beef_marbling score bm subcutaneous_fat depth sfd wagyu_limousin population two pair primer_designed total single_nucleotide polymorphism snp identified among csnps missense_mutation leading amino_acid change arginine proline serine asparagine aspartic acid histidine respectively these snp genotyped progeny selected tagging snp association analysis historical recombination observed statistical_analysis showed haplotype significant effect sfd significantly_associated bm the snp promoter led cpg site potential regulatory binding_site different haplotype among csnps significantly affected mrna secondary structure associated phenotype overall result_provide evidence crh promising_candidate gene concordant qtl related lipid_metabolism mammal', 'background caspase recruitment domain important pattern recognition receptor play_role initiation inflammatory subsequent immune_response they previously identified susceptibility locus inflammatory bowel disease human therefore suitable candidate_gene inflammatory_disease resistance cattle the_objective study identify single_nucleotide polymorphism snp bovine evaluate association snp health production trait population canadian_holstein bull result selective_dna pool constructed based estimated_breeding value_ebv sc gene segment amplified pool pcr reaction amplicons sequenced reveal polymorphism total four snp including one intron three exon identified none identified canadian_holstein bull genotyped haplotype reconstructed two snp associated ebv health production trait the snp example associated sc_ebv allele_substitution effect score when_compared frequent_haplotype associated increased milk_protein yield ebv significantly_associated increased sc_ebv all significant association retained significance_level permutation_test conclusion_this study indicates snp might_play role host_response mastitis detailed study_needed understand functional mechanism', 'feed_efficiency economically_important trait beef_cattle net feed_efficiency measured residual_feed intake_rfi difference actual feed_intake predicted feed_intake required maintenance gain animal snp show association rfi may_useful quantitative_trait nucleotide selection this_study identified association snp underlying five rfi qtl five bovine_chromosome measure dry_matter intake_dmi rfi feed_conversion ratio_fcr beef_cattle six snp found effect rfi the largest single snp allele_substitution effect rfi located the combined effect snp found significant experiment explained_phenotypic variation rfi not rfi snp showed association dmi fcr even_though trait highly_correlated rfi respectively this show snp may affecting underlying biological_mechanism feed_efficiency beyond feed_intake control weight_gain efficiency these snp used selection first important verify effect independent population cattle', 'whole_genome scan_carried detect_quantitative trait locus qtl fertility trait finnish_ayrshire cattle the mapping population_consisted bull son estimated_breeding value day_open fertility_treatment maternal calf_mortality paternal rate used phenotypic_data granddaughter_design marker typed bovine_autosome association marker trait analysed multiple marker regression analysis carried variance_component based approach chromosome trait combination observed significant regression_method significant qtl detected several detected qtl area overlapping milk_production qtl previously identified population qtl analysis carried test effect due pleiotropic qtl affecting fertility milk_yield trait linked qtl causing effect this distinction could made confidence qtl affecting milk_yield linked pleiotropic qtl affecting day_open fertility_treatment', 'longitudinal approach proposed map qtl affecting trait estimate effect time the method based fitting mixed random_regression model the qtl allelic effect modelled random coefficient parametric curve using gametic relationship_matrix simulation study conducted order ass ability approach fit different pattern qtl time found longitudinal approach able adequately fit simulated variance function considerably improved power_detection qtl effect compared traditional univariate model this confirmed analysis protein_yield data dairy_cattle model able detect qtl high effect either beginning end lactation detected simple day model', 'qtl affecting clinical_mastitis somatic_cell score_sc reported previously chromosome study family swedish_red white_srb finnish_ayrshire danish_red breed order refine qtl location marker genotyped whole chromosome original family additional family this enabled linkage_disequilibrium information used analysis data analysed approach combine information linkage linkage_disequilibrium allowed qtl affecting clinical_mastitis mapped small interval marker this qtl showed pleiotropic_effect sc srb breed haplotype associated variation mastitis_resistance identified the haplotype predictive general population used selection pleiotropic_effect mastitis qtl studied three milk_production trait eight udder_conformation trait this qtl also associated yield trait srb qtl found udder_conformation trait chromosome', 'twinning_rate analyzed israeli_holstein dairy_cattle population animal model daughter_design genome_scan quantitative_trait locus performed each parity considered separate trait heritabilities twinning_rate low increased parity first_parity fifth parity all genetic_correlation among parity environmental correlation genetic_correlation twinning_rate female_fertility measured inverse number_insemination conception first_parity negative combination all environmental correlation small generally negative the overall genetic trend since positive whereas phenotypic trend positive parity negative parity trend quite small total cow daughter_sire genotyped marker spanning autosome there marker significant effect twinning_rate false_discovery rate thus probably represent true effect significant effect found chromosome effect significant false_discovery rate all family analyzed interval_mapping chromosome only family showed nominally significant effect significance obtained either family suggestive_evidence quantitative_trait locus near beginning chromosome near position found family sire also significant effect female_fertility near beginning chromosome there also evidence third quantitative_trait locus end chromosome sire', 'the_aim study_investigate whether quantitative_trait locus qtl affecting risk clinical_mastitis qtl affecting somatic_cell score_sc exhibit effect incidence_mastitis bacteriological data mastitis pathogen used investigate pathogen specificity qtl affecting treatment mastitis first_parity second_parity third parity qtl affecting_sc the common mastitis pathogen danish dairy population analyzed streptococcus dysgalactiae escherichia_coli staphylococci staphylococcus aureus streptococcus uberis data_analyzed using approach independence test generalized_linear mixed_model three different data_set used investigate effect data sampling sample sample followed antibiotic treatment sample daughter the result showed high certainty qtl affecting_sc exhibited pathogen specificity staph_aureus coli respectively the latter result might explained pleiotropic qtl also affect le certain result found qtl affecting qtl affecting found specific strep dysgalactiae staph_aureus qtl affecting found specific coli finally qtl affecting found specific staph_aureus none qtl analyzed found specific staphylococci strep uberis our_result show particular mastitis qtl highly likely exhibit however result interpreted carefully result sensitive sampling method method analysis field data used study these kind data may heavily biased standard procedure collecting milk sample bacteriological analysis denmark furthermore using mean sc parturition may_lead truncated effect sample_collected used additionally repeated sample used could boost difference incidence pathogen daughter_sire inheriting positive_negative qtl allele respectively however magnitude effect study unclear', 'interaction production trait dairy_cattle often_observed qtl analysis focused detecting gene general effect production trait study qtl search gene environmental interaction trait milk_yield protein_yield fat_yield performed bos_taurus autosome also including information previously investigated candidate_gene opn the animal study norwegian red eighteen grandsires sire genotyped marker every marker_bracket regarded putative qtl position the effect candidate_gene putative qtl modeled regression environmental parameter herd year based predicted effect trait two qtl found environmentally dependent effect milk_yield these qtl located_upstream downstream environmentally dependent qtl found significantly affect protein fat_yield', 'the_objective study detect qtl associated incidence multiple pathogenic_disease offspring bovine family four sire used produce offspring brahman_hereford piedmontese angus brahman angus belgian blue marc iii treatment record bovine_respiratory disease infectious keratoconjunctivitis pinkeye infectious pododermatitis footrot available offspring birth slaughter the incidence microbial pathogenic_disease combined single binary trait represent overall pathogenic_disease incidence offspring diagnosed treated previously mentioned pathogenic_disease coded affected cattle treatment record coded healthy putative qtl pathogenic_disease incidence detected family derived sire suggestive level this supported evidence chromosomal_region similar qtl family derived sire the maximum located the support interval qtl spanned further study explore qtl using bovine population confirm qtl refine qtl support interval offspring inheriting hereford allele family sire angus allele family sire le_susceptible incidence pathogenic_disease compared inheriting brahman allele piedmontese allele sire respectively', 'genetic_improvement livestock population achieved detection mapping genetic marker linked quantitative_trait locus qtl with completion bovine genome_sequence assembly single_nucleotide polymorphism snp assay spanning_whole bovine genome research work identification validation analysis genotypic variation cattle become_possible total canadian_holstein bull used test association snp qtl single locus linkage_disequilibrium regression_model implemented_perform whole_genome scan identify map qtl affecting conformation functional trait one_thousand five_hundred snp marker intron_exon potential qtl region economically_important trait across bovine genome selected association analysis total snp found associated conformation functional trait significance_level respectively among significant snp newly detected study whereas reported previous literature located gene worth investigating potentially identify_causative mutation_underlying qtl the single locus linkage_disequilibrium regression_method using snp marker genotype proven successful methodology detecting mapping qtl dairy_cattle population', 'background quantitative_trait locus qtl affecting meat_tenderness reported bovine_chromosome here examine variation calpain gene cattle gene located_within confidence_interval qtl positional_candidate gene based biochemical activity protein result identified single_nucleotide polymorphism snp genomic sequence gene tested three sample cattle three snp genotyped largest significant additive_effect allele_substitution effect brahman alpha polymorphism explained_residual phenotypic_variance sample breed significant haplotype substitution_effect found three breed brahman belmont red santa gertrudis for common haplotype haplotype substitution_effect brahman alpha the effect gene compared calpastatin sample the snp show negligible frequency taurine_breed low_moderate minor_allele frequency zebu_composite animal conclusion these association confirm location qtl meat_tenderness region bovine_chromosome snp near gene may responsible part overall difference taurine_zebu breed meat_tenderness greater variability meat_tenderness found zebu_composite breed the evidence provided far suggests none tested snp causative_mutation', 'scan qtl affecting economically_important trait beef production performed_using resource family japanese_black limousin cross animal measured growth_carcass trait all family_member genotyped informative microsatellite_marker spanned bovine_autosome the centromeric_region contained significant qtl exceeding threshold carcass grading trait area beef_marbling standard bm number luster quality_grade firmness computer image_analysis cia trait lean area_ratio fat area_rfa area area_rfa musculus trapezius area trapezius lean area semispinalis lean area_rfa semispinalis area_rfa semispinalis capitis area meat_quality trait content crude fat_moisture significant qtl withers_height detected detected significant qtl content backfat content intermuscular fat around region content ratio total unsaturated_fatty acid_content total sfa content intramuscular_fat different region trait overall identified significant qtl region controlling trait significance trait exceeded_threshold some qtl affecting meat_quality trait detected study might qtl previously_reported the qtl identified need_validated commercial japanese_black cattle population', 'bilateral convergent strabismus exophthalmus bcse widespread inherited eye defect several cattle population it progressive condition often lead blindness affected cattle decrease usability furthermore german animal_welfare law prevent breeding animal whose progeny expected affected genetic defect identifying gene involved heredity bcse lead insight_molecular pathogenesis eye disease permit establishment genetic test disease scan family containing total genotyped individual identified two bcse_locus one bcse_locus mapped centromeric_region bovine_chromosome bta bcse_locus mapped telomeric_region thus possible two gene involved_development bcse alternatively one locus could cause development bcse_locus could affect progression severity defect', 'thyroid_hormone play_important role_regulating metabolism affect homeostasis fat_deposition the gene_encoding thyroglobulin producing precursor thyroid_hormone proposed positional_functional candidate_gene qtl effect fat_deposition present_study identified novel snp flanking_region gene the snp marker association analysis_indicated snp marker significantly_associated marbling_score animal new homozygote genotype higher_marbling score genotype besides linkage_disequilibrium analysis_indicated snp completely_linked result study suggest snp may_useful marker meat_quality trait future selection programme beef_cattle', 'genome_scan detection bovine quantitative_trait locus qtl performed via variance_component linkage analysis linkage_disequilibrium regression ldrm four hundred holstein sire grandsire_family genotyped single_nucleotide polymorphism snp using affymetrix megallele genechip bovine mapping snp_array hybrid selective_genotyping design applied four thousand eight hundred snp located chromosome formed basis analysis the mean polymorphism information content snp the snp centimorgan position interpolated position using microsatellite framework map estimated_breeding value used observation following trait analyzed lactation milk fat protein_yield somatic_cell score herd_life interval calving_first service age_first service the variance_component linkage analysis detected potential qtl whereas ldrm analysis found significant snp association accounting false_discovery rate twenty potential qtl significant snp association close_proximity qtl cited literature both method found significant region bos_taurus autosome_bta milk_yield bta fat_yield bta protein_yield bta calving_first service bta age_first service both approach effective detecting potential qtl dense snp map the ldrm well suited first genome_scan due approximately time lower computational demand further fine_mapping applied chromosomal_region interest found study', 'the_purpose study map quantitative_trait locus qtl influencing female_fertility estimated rate nrr french_dairy cattle breed normande montbeliarde the first_step qtl detection study nrr day artificial_insemination family including progeny_tested bull three qtl identified bos_taurus chromosome whereas one qtl identified normande the second step aimed confirming three qtl refining location selecting genotyping additional microsatellite_marker family three breed using nrr within day only three qtl initially detected confirmed moreover analysis nrr within day allowed distinguish two qtl one one estimated qtl variance total genetic_variance respectively qtl mapping', 'targeted quantitative_trait locus qtl milk_protein percentage two italian_holstein granddaughter_design family using selective_genotyping combination high_throughput amplified fragment_length polymorphism aflp marker total extreme high_low sire respect estimated_breeding value_ebv ebvp genotyped aflp primer combination revealed polymorphism two family association marker ebvp investigated linear_model band paternal origin aflp band family respectively although marker significantly_associated target trait correction_multiple comparison aflp marker significant without correction_multiple test considered suggestive presence qtl eleven successfully located six bos_taurus bta chromosome radiation_hybrid mapping ten mapped immediate neighbourhood le already described qtl suggestive association verified four region microsatellites analysis one bta one bta two bta microsatellites identified significant effect single marker interval_mapping analysis bta bta suggestive presence qtl bta summary result firstly indicate aflp marker may used seek qtl exploiting selective_genotyping approach gdd wide used experimental_design cattle secondly propose two approach aflp mapping namely mapping exploiting updated release bovine whole_genome sequencing project physical mapping exploiting panel radiation_hybrid thirdly provide_new information qtls economic important trait never investigated holstein_cattle population aflp combination selective_genotyping useful strategy qtl searching minor livestock_specie sometimes large economic_impact marginal area informative marker still poorly developed', 'addition potential contribution improving animal_welfare study genetics cattle behavior may provide general insight_genetic control complex trait carried genome_scan holstein charolais cross cattle population identify_quantitative trait locus qtl influencing trait individual_belonging population backcross individual subjected behavioral_test the flight feeder test measured distance animal moved away approaching human observer whereas social separation test categorized different activity animal engaged removed penmates the entire population genotyped_microsatellite marker regression_interval mapping analysis identified region exceeding significance_level individually explained relatively_small fraction phenotypic_variance trait one significant association influencing test trait chromosome reached_significance level eight qtl associated test trait reached_significance level the location qtl coincided_previously reported temperament qtl cattle whereas reported first_time may represent general locus controlling temperament difference cattle breed overlapping qtl identified trait measured different test supporting_hypothesis different genetic factor influence behavioral response different situation', 'traditional genetic selection cattle trait low_heritability reproduction little success with addition dna technology genetic selection toolbox livestock opportunity may exist improve reproductive_efficiency rapidly cattle the meat animal research_center production efficiency population twinning ovulation_rate record multiple generation animal significant number animal tissue sample available dna genotyping the_objective study confirm qtl twinning ovulation_rate previously found evaluate ability genoprob predict genotypic information pedigree containing animal using genotype snp data_set containing animal marker data microsatellites animal per marker used conjunction data_set genotyped animal genotypic probability female used_calculate independent variable regression additive_dominance imprinting_effect genotypic regression fitted_fixed effect mixed_model analysis using reml each snp analyzed individually followed backward selection fitting individually significant snp simultaneously removing least significant snp significant snp left five significant snp association detected twinning_rate detected ovulation_rate two snp trait significant imprinting additional modeling paternal_maternal allelic effect confirmed initial result imprinting done contrasting heterozygote these_result supported comparative_mapping mouse_human imprinted gene region bovine_chromosome', 'feed_intake feed_efficiency economically_important trait beef_cattle feed greatest variable cost production feed_efficiency measured feed_conversion ratio_fcr intake per unit gain_residual feed_intake rfi measured dmi corrected growth_rate sometimes measure body_composition usually carcass fatness rfi the goal study fine_map qtl trait beef_cattle using marker autosome the animal used family originating angus_charolais university alberta_hybrid bull mixed_model random sire fixed qtl effect nested within sire used test location along chromosome threshold level determined chromosome genome level using permutation total qtl exceeded_threshold exceeded achieved significance_threshold level least qtl detected bta significance_threshold trait nineteen chromosome contained rfi qtl significant level the rfi qtl result generally similar rfi position similar occasionally differing level significance compared rfi fewer qtl detected fcr dmi qtl respectively threshold some chromosome contained fcr qtl rfi qtl dmi qtl chromosome rfi qtl detected the significant qtl rfi located bta fcr bta dmi bta the rfi qtl showed consistent result previous rfi qtl mapping study bta the identification qtl provides starting_point identify gene affecting feed_intake efficiency use_selection management', 'genome_scan detect qtl influencing growth trait conducted charolais_holstein crossbred cattle population phenotypic measurement related growth_carcass trait made crossbred male herd reciprocal backcrosses born consecutive annual cohort trait measured vivo related birth dimension growth_rate ultrasound measurement fat muscle_depth the animal slaughtered near target wide_range postmortem trait measured visual assessment carcass conformation carcass fatness estimated subcutaneous_fat percentage weight kidney knob channel fat weight carcass component commercial dissection the whole population including grandparent parent crossbred bull genotyped initially microsatellite_marker additional marker subsequently analyzed increase marker_density chromosome qtl initially identified the linear_regression analysis based marker revealed total significant qtl suggestive level highly_significant based threshold obtained initial scan large_proportion highly_significant association found chromosome the highly_significant qtl localized marker chromosome explained_phenotypic variance total bone proportion estimated commercial dissection adjacent marker interval chromosome highly_significant qtl found explain phenotypic_variance birth dimension trait body_length birth chromosome significant association influenced lean bone ratio forerib joint flanked_marker other highly_significant association detected chromosome estimated subcutaneous_fat percentage total saleable meat proportion prehousing growth_rate bone proportion leg joint these_result provide_useful starting_point identification gene associated trait direct interest beef industry using fine_mapping positional_candidate gene approach', 'scan using affected paternal design utilized detect_quantitative trait locus qtl displaced abomasum_lda german_holstein total animal paternal_family genotyped total polymorphic_microsatellites for scan marker equally distributed bovine_autosome average_distance for total additional microsatellites used identified significant qtl bos_taurus autosome_bta furthermore significant qtl located bovine_chromosome addition found qtl cosegregated grandsire_family significant analysis these qtl located this_study first_report qtl lda first_step toward identifying single_nucleotide polymorphism', 'the_aim study detect qtl across cattle genome influence incidence clinical_mastitis somatic_cell score_sc danish_holstein characterize qtl pleiotropy versus multiple linked quantitative_trait locus qtl chromosomal_region affecting clinical_mastitis also affecting trait danish udder_health index milk_production trait the chromosome scanned_using granddaughter_design marker typed grandsire_family son total microsatellites_covering autosome used scan among regression analysis showed significance primary trait incidence clinical_mastitis first_second third lactation sc region chromosome found affect region chromosome affected sc marker chromosome used_perform selection without direct negative selection milk_yield effect detected milk trait comparing model_assuming either pleiotropic qtl affecting trait qtl affecting trait gave evidence distinguish model for bos_taurus autosome likely model pleiotropic qtl affecting_sc linked qtl affecting fat_yield index for bos_taurus autosome likely model pleiotropic qtl affecting approximately', 'twinning cattle complex trait associated economic_loss health_issue abortion dystocia reduced calf survival qtl detected previously north_american holstein norwegian dairy_cattle population usda herd selected high twinning_rate previous work north_american holstein population strongest evidence qtl obtained analysis extended_family using additional animal increased density snp marker association test combined_linkage linkage_disequilibrium mapping method refined position qtl north_american holstein population two set predicted_transmitting ability estimated different time period north_american dairy_cattle population used provide validation result total snp microsatellites used scan genomic_region combined disequilibrium analysis identified significant evidence qtl within region the gene examined positional_candidate gene snp intron significantly_associated twinning_rate using data_set replication association cattle population required examine extent linkage_disequilibrium underlying quantitative_trait nucleotide across breed', 'fine_map quantitative_trait locus qtl affecting milk_production trait previously associated microsatellite implemented interval_mapping analysis using microsatellite_marker large israeli_holstein sire_family linkage_disequilibrium mapping large set holstein_bull interval_mapping located target qtl near vicinity for mapping identified single_nucleotide polymorphism snp gene region bovine_chromosome total tag snp genotyped bull belonging university california davis archival collection holstein_bull dna_sample predicted transmitted ability phenotype analysis_revealed block intrablock value respectively outside block value ranged standard model using generalized_linear model procedure_sa regression module helixtree software used test association single_nucleotide polymorphism significantly_associated milk_production trait propose interval encompassing gene candidate region bovine_chromosome concordant qtl related milk_protein trait dairy_cattle functional study_needed confirm result', 'herein report result daughter_design study aiming identify_quantitative trait locus qtl associated birth_weight direct_gestation length passive_immune transfer backcross holstein_jersey holstein population calf offspring seven crossbred sire genotyped_microsatellite marker distributed_along bovine_autosome the genome_scan performed interval_mapping using animal model order_identify qtl accounting_phenotypic difference individual animal based significant value identified putative qtl gestation_length birth_weight passive_immune transfer total qtl accounted_phenotypic variance gestation_length birth_weight passive_immune transfer respectively also report result supplementary independent influential holstein family family finding direct_gestation length agreement result crossbred population two region putatively underlying qtl direct_gestation length variability discovered analysis', 'identifying quantitative_trait locus qtl underlying_complex trait notoriously difficult prototypical trait calving_ease important breeding objective cattle bos_taurus program identify qtl underlying calving_ease performed association study using estimated_breeding value_ebv highly_heritable phenotype paternal calving_ease pce related trait the massively structured study population_consisted bull german_fleckvieh breed two region bovine_chromosome bta respectively identified using principal_component analysis correct population_stratification the two significantly_associated snp explain ebv variation since marker allele negative effect pce positive effect trait qtl may exert effect birthing process fetal_growth trait the qtl region corresponds human chromosome hsa region associated growth characteristic the hsa region corresponding pce qtl maternally imprinted involved angelman syndrome resequencing positional_candidate gene revealed highly significantly_associated polymorphism ablating polyadenylation signal gene_encoding ribosomal protein our study demonstrates leverage potential ebv unraveling genetic_architecture lowly_heritable trait', 'twinning complex trait negative_impact health_reproduction cause_economic loss dairy production several twinning_rate quantitative_trait locus qtl detected previous_study confidence_interval qtl location broad many qtl unreplicated identify_genomic region gene associated twinning_rate qtl analysis based linkage combined_linkage disequilibrium lld individual marker association conducted across genome using single_nucleotide polymorphism snp genotype total snp marker genotyped sire son north_american holstein_dairy cattle family after snp genotyped informative marker selected association test qtl search evidence twinning_rate qtl found throughout genome thirteen marker significantly_associated twinning_rate detected chromosome region fourteen chromosome identified lld analysis seven previously_reported ovulation twinning_rate qtl supported result single marker association lld analysis single marker association analysis lld mapping complementary tool identification putative qtl genome_scan', 'data joint nordic breeding_value prediction danish_swedish holstein_grandsire family used locate_quantitative trait locus qtl female_fertility trait danish_swedish holstein_cattle holstein grandsires_son genotyped_microsatellite marker single trait breeding_value used trait relating female_fertility female_reproductive disorder data_analyzed least_square regression analysis within across family qtl detected different chromosome the best evidence found qtl segregating bos_taurus chromosome bta chromosome several qtl detected affecting one fertility trait investigated study evidence segregation additional qtl found', 'quantitative_trait locus qtl affecting clinical_mastitis somatic_cell score_sc mapped bovine_chromosome the mapping population_consisted grandsire_family belonging three nordic_red cattle breed finnish_ayrshire swedish_red white_srb danish_red the family previously shown segregate udder_health qtl total progeny_tested bull included analysis linkage_map including microsatellite five snp marker constructed performed combined_linkage disequilibrium linkage analysis_ldla using whole data_set further analysis performed srb separately study origin identified examine common population finally different model_fitted these postulated either pleiotropic qtl affecting trait two linked qtl affecting one trait one qtl affecting single trait qtl affecting haplotype strong association high negative effect mastitis_resistance identified the mapping_precision earlier detected improved ldla analysis lack linkage_disequilibrium marker used qtl region', 'background qtl affecting fat_deposition related performance trait considered several study mapped numerous porcine chromosome however activity specific enzyme protein content cell structure fat tissue probably depend smaller number gene trait related fat_content carcass thus work trait related metabolic cytological feature back_fat tissue fat related performance trait investigated qtl analysis qtl similarity difference examined three cross male_female animal method total animal originating cross meishan_pietrain european_wild boar analysed trait related fat performance enzymatic activity number volume fat cell per cross mxp wxp wxm distributed marker locus genotyped qtl mapping performed_separately cross step step reduced distance locus shorter the additive_dominant component qtl position detected stepwise using multiple position model result total significant qtl detected three cross most qtl identified predominantly mhc region sscx vicinity gene additional significant qtl found many case qtl mainly additive differ cross many qtl profile posse multiple peak especially region high marker_density sex specific analysis performed example sscx show trait position differ male_female animal for selected trait additive_dominant component analysed qtl position different chromosome explain combination total trait variance conclusion_our result reveal specific partly new qtl position across genetically_diverse pig cross for trait associated specific enzyme protein content cell structure fat tissue first_time included qtl analysis they provide information analyse causative gene useful data pig_industry', 'population individual established broiler chicken divergently_selected either high_low growth used localize qtl developmental change body_weight shank_length shank_diameter week qtl mapping revealed three qtl chromosome gga three suggestive qtl gga most qtl individually explained_phenotypic variance the qtl explained week_age explained week the qtl could associated early_late growth respectively the qtl also largest_effect explained_phenotypic variance respectively however corrected shank_length percent qtl identified identified novel qtl also confirmed previously identified locus chicken population foundation population established commercial_broiler strain possible qtl identified study could still_segregating commercial strain', 'quantitative_trait locus qtl study carried two country recording live_animal carcass_composition trait calf heifer steer generated jersey limousin_breed background the new_zealand cattle_reared pasture carcass_weight averaging whilst australian cattle_reared grass finished grain least day carcass_weight averaging from live_animal trait carcass_composition trait respectively qtl detected analysis significant basis fourteen significant trait carcass_composition qtl chromosome trait associated muscling fatness this chromosome carried variant myostatin allele segregating limousin ancestry despite different cattle management_system two country two population large number qtl common trait common country significant qtl level eight significant country', 'several study reported presence carcass quality qtl specific gene conclusively linked cause the_aim study identify polymorphism gene known affect lipid_metabolism specie ass association carcass quality trait two gene located dienoyl coa reductase core binding factor runt domain alpha subunit translocated gene previously evaluated specie found contain polymorphism influencing lipid_metabolism gene fibroblast growth_factor recent study linked several qtl affecting obesity mouse indicating_potential regulating adiposity specie sequencing analysis identified polymorphism multiple sequence alignment among cattle human_mouse showed mutation lie conserved region across specie using angus_charolais crossbred animal produced association ultrasound marbling_score ultrasound_backfat carcass backfat lean_meat yield quantitative_trait locus analysis including set previously genotyped marker polymorphism resulted several significant qtl peak ultrasound_backfat ubf lean_meat yield carcass gradefat yield_grade level using genetic covariate removed ubf qtl indicating snp contributing variation observed ubf similar analysis performed_using polymorphism result showed_significant peak lean_meat yield yield_grade carcass backfat removal snp analysis resulted disappearance carcass backfat qtl these_result suggest polymorphism discovered may_play role lipid_metabolism pathway affecting carcass quality trait beef_cattle however study_needed confirm polymorphism responsible difference_observed carcass quality beef_cattle', 'fatty_acid composition profile important_indicator meat_quality tasting flavor metabolic index fatty_acid authentic reflect meat nutrition public acceptance investigate genetic_mechanism fatty_acid metabolic index pork conducted association study_gwas fatty_acid metabolic trait five pig population identified total single_nucleotide polymorphism snp corresponding significant locus nine chromosome suggestive locus nine chromosome our_finding confirmed seven previously_reported qtl stronger_association strength also revealed four novel locus showing investigation intermediate phenotype like metabolic trait fatty_acid increase statistical_power gwas phenotype proposed list candidate_gene identified locus including three novel gene further constructed functional network involving candidate_gene deduced potential fatty_acid metabolic_pathway these_finding advance_understanding genetic_basis fatty_acid composition pig the result european hybrid commercial_pig immediately transited breeding_practice beneficial fatty_acid composition', 'the_aim study identify_quantitative trait locus qtls pathologic change navicular_bone hanoverian_warmblood horse seventeen paternal_group comprising individual analyzed scan these family included progeny grandchild randomly chosen hanoverian_warmblood three different trait considered deformed canales sesamoidales radiographic change contour structure navicular_bone the genome_scan included total highly polymorphic microsatellite_marker the putatively linked genomic_region equine chromosome_eca refined using additional microsatellites significant qtls located five different equine chromosome significant qtls this_study first_step get insight_molecular genetic determination radiologic change equine navicular_bone', 'the_aim study identify_quantitative trait locus qtl osteochondrosis osseous fragment pof fetlock_joint scan south_german coldblood_horse symptom pof checked radiography south_german coldblood_horse mean age month the radiographic examination comprised fetlock_hock joint limb the genome_scan included polymorphic microsatellite_marker all microsatellite_marker equally spaced autosome chromosome average_distance mean polymorphism information content_pic sixteen chromosome harbouring putative qtl region investigated genotyping animal additional marker qtl significance lod_score found chromosome this included seven qtl fetlock one qtl associated hock fetlock significant qtl pof fetlock_joint located equine chromosome this genome_scan important step_towards identification gene responsible horse', 'scan_performed detect_quantitative trait locus qtls osteochondrosis osteochondrosis_dissecans ocd horse the marker set_comprised microsatellites collected data hanoverian_warmblood horse consisting paternal_family trait used fetlock_hock joint affected ocd_fetlock hock_joint affected fetlock_fetlock ocd_hock hock ocd the first genome_scan included microsatellite_marker second step additional marker chosen refine putative qtls found first scan significant qtls located equine chromosome qtls fetlock_hock partly overlapped chromosome indicating trait may genetically related qtls reached_significance level eight different equine chromosome this scan first_step toward_identification candidate genome region_harboring gene responsible equine further_investigation necessary refine map position qtls already identified', 'scan radiological sign osteochondrosis osteochondrosis_dissecans ocd south_german coldblood sgc horse using microsatellite_marker identified significant quantitative_trait locus qtl fetlock_ocd qtl hock equus_caballus chromosome_eca relative position the_aim study analyze association polymorphism snp candidate_gene qtl region using sgc horse the could_confirmed narrowed_interval xin repeat containing snp gene significantly_associated fetlock_fetlock ocd_hock the significant association snp could_confirmed linear animal model controlling systematic environmental residual quantitative genetic effect the significant additive_genetic effect intronic snp fetlock_fetlock ocd_hock homozygous heterozygous horse higher risk fetlock_hock these_result suggest dominant variant may involved pathogenesis equine', 'previously accomplished scan osteochondrosis_dissecans ocd south_german coldblood_horse using microsatellite_marker identified putative quantitative_trait locus qtl significant qtl fetlock_ocd found equus_caballus chromosome_eca relative position the_aim study analyze association single_nucleotide polymorphism snp candidate_gene region the association analysis included affected_unaffected horse three snp located_intron intron region_utr acyloxyacyl hydrolase aoah gene significantly_associated ocd_fetlock joint order control systematic environmental quantitative genetic effect employed linear animal model the association snp exon confirmed animal model analysis significant additive_genetic effect fetlock_ocd dominance_effect estimated this_first report marker linkage_disequilibrium equine ocd_fetlock joint', 'navicular_disease podotrochlosis one main_cause progressive forelimb lameness warmblood_horse the_objective study refine quantitative_trait locus horse chromosome radiological alteration contour navicular_bone rac hanoverian_warmblood horse genotyping performed hanoverian_warmblood horse_paternal group the marker set extended informative_microsatellites including nine newly_developed microsatellites qtl rac could delineated new qtl rac could identified the marker reached highest multipoint mean lod_score error probability addition significant association marker haplotype within qtl could shown the result_support location qtl associated rac this work step_towards development marker test navicular_disease hanoverian_warmblood horse', 'report provide_new informative_microsatellites distributed region horse chromosome_eca refine quantitative_trait locus qtl fetlock osteochondrosis_dissecans ocd significant interval genotyping performed hanoverian_warmblood horse_paternal group within collagen type xxiv alpha identified potential functional_candidate gene equine_osteochondrosis this report step_towards unravelling gene cause equine_osteochondrosis', 'study present newly detected qtl associated osteochondrosis hanoverian_warmblood horse equine chromosome developed highly polymorphic evenly_distributed marker set employing horse genome_assembly the marker set included newly_developed microsatellites average polymorphism information content average_spacing for genotyping marker set comprising total highly polymorphic_microsatellites used paternal_family previous whole_genome scan the linkage analysis_revealed qtl osteochondrosis fetlock_hock joint well osteochondrosis_dissecans hock_joint within qtl equine_osteochondrosis parathyroid hormone_receptor gene could identified positional_candidate gene this report step_toward identification gene responsible osteochondrosis horse', 'equine guttural pouch tympany gpt hereditary disease foal several breed including thoroughbred arabian quarter warmblood_horse performed scan gpt horse five arabian five german warmblood family genotyped_microsatellites significant linkage detected using multipoint linkage analysis analysis stratified sex revealed significant linkage filly significant linkage colt for arabian colt quantitative_trait locus qtl significant haplotype including two four microsatellites within qtl filly colt respectively significantly_associated gpt breed thus analysis_indicated qtl fact agreement fourfold higher incidence gpt female this_first report qtl equine gpt first_step towards identifying gene responsible gpt', 'hypothesized correlation growth trait upper thermal_tolerance utt rainbow_trout oncorhynchus_mykiss might explained quantitative_trait locus qtl localized linkage_group microsatellites three autosomal linkage_group carrying utt qtl rainbow_trout tested association fork length condition factor family outbred_rainbow trout backcrosses trout line_selected utt additionally used microsatellite test association sex chromosome the marker significantly_associated utt accounting variance trait respectively male advantage lesser extent utt relative female sib dependent origin chromosome thus varied_among grandsire line however male higher manner unrelated chromosomal origin suggesting partially expression trait significantly_associated one outbred family significant autosomal association detected our_finding illustrate minor evidence correlation utt partially determined one qtl', 'equine recurrent_airway obstruction_rao chronic lower airway disease horse caused hypersensitivity reaction inhaled stable dust including mould spore aspergillus fumigatus the goal study_investigate whether total serum_ige level ige igg subclass influenced genetic factor rao whether quantitative_trait locus qtl could identified parameter the offspring two sire grouped stallion disease_status total serum_ige level specific ige igga iggb igg level recombinant aspergillus fumigatus measured elisa panel_microsatellite marker_covering equine_autosome used genotype stallion offspring scan using regression_interval mapping performed igg ige subclass there significant effect disease_status sire total ige_level significant effect gender age igga level significantly_higher healthy horse the offspring significantly_higher igga_ige level five qtls significant qtls igga_ige identified eca igga iggb eca igga eca these_result provide_evidence effect disease_status genetics igga_ige', 'historical information used addition pedigree trait genotype map quantitative_trait locus qtl general population via maximum_likelihood estimation variance_component this analysis known linkage_disequilibrium linkage mapping exploit linkage family population level the search qtl wild population soay_sheep kilda proof principle analysed data previous_study confirmed qtls reported the striking result confirmation qtl affecting birth_weight reported using association test using analysis', 'recently located bovine carcass_weight qtl interval identified snp ncapg condensin_complex subunit gene lead amino_acid change ncapg protein candidate causative variation here_examined association ncapg locus linear skeletal measurement trait adolescence period intensive growth using two historically geographically distant cattle population japanese_black steer_bull experimental_cross charolais_german holstein population snp ncapg associated component body frame_size height length_width puberty the association trait observed earlier growth period compared association trait indicating primary effect qtl may possibly exerted skeletal growth the significant association ncapg locus skeletal measurement similar effect syntenic region human chromosome associated adult_height human supporting_hypothesis analogous human locus pointing conserved locus chromosomal_region present specie', 'this_study aimed verifying previously identified qtl affecting growth_carcass trait ovine_chromosome texel_sheep charollais suffolk_sheep the qtl investigated using regression variance_component mapping vca body_weight muscle fat_depth measurement addition mode_inheritance texel qtl explored using data texel_sheep fitting vca model testing additive imprinting_effect also simulated population different qtl imprinting model various available level marker information understand behaviour vca result different assumed genetic model summary previously identified qtl successfully verified using interval_mapping vca three breed propose polar_overdominance mode_inheritance qtl texel_sheep present method dissect qtl mode_inheritance using texel qtl example', 'understanding_genetic architecture phenotypic_variation natural population fundamental goal evolutionary genetics wild soay_sheep ovis_aries inherited polymorphism horn morphology sex controlled single autosomal locus horn the majority male large normal_horn small number vestigial deformed horn known scurs female either normal_horn scurs horn polled given scurred male polled female reduced fitness within sex counterintuitive polymorphism persists within population therefore identifying genetic_basis horn_type provide vital foundation understanding different morphs maintained face natural selection conducted association study using single_nucleotide polymorphism snp determined main candidate horn autosomal gene known involvement determining primary sex character human_mouse evidence additional snp around support new model inheritance soay_sheep first_time sheep horn phenotype different underlying genotype identified addition shown additive quantitative_trait locus qtl horn size male accounting additive_genetic variation trait this finding contrast markedly association study quantitative_trait human model specie often_observed mapped locus explain modest proportion overall genetic_variation', 'experimental_population developed broiler_layer cross used genome_scan qtl percentage carcass carcass part_shank head chicken four paternal_family genotyped genetic marker_covering linkage_group total map length covering approximately genome qtl interval_mapping using regression_method applied model under_model significant qtl suggestive linkage percentage carcass part_shank head mapped linkage_group under paternal model six significant qtl suggestive linkage percentage carcass part_shank head detected nine chicken linkage_group seven seemed corroborate position revealed previous model overall three novel qtl importance broiler industry mapped one significant shank two suggestive carcass breast percentage drum thigh percentage one novel qtl wing mapped six novel qtl suggestive linkage mapped head suggestive linkage identified back addition many qtl mapped study confirmed qtl previously_reported population', 'good eggshell_quality important table egg quality chicken reproductive_performance weak eggshell cause_economic loss production step poor eggshell_quality also pose increased risk salmonella_infection eggshell_quality difficult trait improve traditional breeding measured female difficult_expensive measure breeding improved shell quality may therefore benefit use_selection effort find marker linked eggshell_quality used population female map quantitative_trait locus qtl affecting eggshell trait eggshell deformation breaking force weight using microsatellite_marker chromosome found suggestive qtl shell trait measured different time production locus affecting deformation found chromosome locus affecting breaking force detected chromosome locus affecting shell weight detected chromosome each qtl explains_phenotypic variance adding total phenotypic_variance explained different trait epistatic effect observed locus affecting eggshell trait because effect quality mainly additive result_provide basis characterization locus identify closely_linked marker used selection', 'broiler chicken bone problem important welfare_issue linked genetic selection rapid growth the_objective study identify fine_map quantitative_trait locus qtl associated bone trait the northeast_agricultural university_resource population_neaurp population used study total bone trait measured primary genome_scan linkage_map constructed microsatellite_marker across_entire chicken chromosome seventeen qtls bone trait identified found apart fine_map qtls located marker individual used new partial linkage_map constructed the confidence_interval qtls sharply narrowed this_study identified chromosome region_harbouring significant qtls affecting bone trait showed use marker individual could_decrease confidence_interval qtl effectively the result_provide useful_reference candidate_gene research ma bone trait', 'critical age weight body_composition suggested necessary correlate sexual_maturity genome_scan identify_quantitative trait locus qtl age body_weight first_egg afe wfe conducted bird cross using microsatellite_marker without covariate qtl body_wfe detected chromosome single qtl afe detected chromosome with afe covariate additional qtl body_wfe found chromosome abdominal_fat pad covariate qtl body_wfe found chromosome with body_wfe covariate additional qtl afe found chromosome the qtl generally acted additively evidence epistasis consistent original line difference broiler allele positive effect body_wfe negative effect afe whereas phenotypic correlation two trait positive the mapped qtl body_wfe cumulatively accounted almost half body_weight difference chicken line puberty overlapping qtl body_wfe body_weight week_age indicate qtl affecting growth_rate also affect body_wfe the qtl body_weight growth sexual_maturity suggests body_weight growth_rate closely_related attainment sexual_maturity genetic determination growth_rate correlated effect puberty', 'the ornithine_decarboxylase odc_gene candidate_gene growth_carcass trait located chicken chromosome region qtl growth_carcass trait previously detected population the_objective study identify polymorphism odc_gene resource_population examine effect odc polymorphism growth_carcass trait the resource_population obtained_crossing shamo male white_plymouth rock female the population measured growth_carcass trait used positional_candidate gene analysis total novel snp novel indel_mutation identified parental population three snp indel_mutation promoter_region odc_gene identified parental population haplotype composed mutation segregated parental population qtl analysis performed qtl growth_carcass trait detected significant level similar_position odc_gene significant association found haplotype promoter_region odc_gene trait population effect haplotype age significant the haplotype odc_gene found study might_help understanding_genetic structure growth_carcass trait improving trait directly ma therefore functional study necessary evaluate effect promoter mutation molecular level', 'qtl affecting body_weight chicken mapped marker the gene previously identified candidate_gene determining body_height human_mouse also conspicuously close marker chicken subsequently snp marker genotyped cau chicken resource_population association body_weight snp marker displayed polymorphism analysed three snp found significantly_correlated body_weight chicken furthermore haplotype_constructed based three snp also discovered associated body_weight chicken age week these_result suggest chicken gene indeed involved body_weight gain', 'background the age_first egg_afe important_indicator sexual_maturation female chicken controlled polygene based knowledge reproductive_physiology gene including gonadotrophin releasing neuropeptide_npy dopamine_receptor vasoactive intestinal polypeptide vip vip prolactin_prl selected candidate influencing afe additionally region chromosome chosen candidate qtl region according qtl database the_objective present_study investigate effect mutation candidate_gene qtl region chicken afe result association analysis mutation gene chinese_native population found highly_significant association gene afe remained significant even bonferroni_correction based result test mutation candidate qtl region chromosome selected association analysis the haplotype significantly_associated afe bioinformatics_analysis indicated located_intron region gene appeared associated endocytosis development oocyte conclusion_this study found gene haplotype gene associated chicken afe', 'the expression three putative qtl upper thermal_tolerance utt examined two strain outbred_rainbow trout unselected trait using repeat ssr microsatellite_marker associated utt backcrosses line_selected trait diallel lot third generation outbred pedigree exposed acute thermal challenge qtl detection performed_separately parent within diallel lot incorporating effect full sib family correlated trait inheritance different allele ssr sire strongly_associated thermal_tolerance half_sib progeny explaining_phenotypic variance trait hierarchical linear_model incorporating allelic inheritance four grandsires experimental diallels addition family specific covariate trait effect also used detect association ssr thermal_tolerance grandprogeny strongly_associated thermal_tolerance grandprogeny grandsire the generally stronger_association found male parent may partially due reduced chromosomal recombination rate male salmonid compared female these_result indicate effect qtl trait unselected population rainbow_trout', 'infectious_pancreatic necrosis ipn acute viral disease salmonid specie identified quantitative_trait locus qtls associated resistance disease rainbow_trout searched linkage among microsatellite_marker used_construct framework linkage_map backcross family rainbow_trout oncorhynchus_mykiss produced_crossing strain two putative qtls affecting disease_resistance detected chromosome ipn ipn respectively suggesting_polygenic trait rainbow_trout these marker great potential use_selection ma ipn resistance provide_basis cloning ipn resistance gene clarification genetic base complex trait broad implication fundamental research also practical benefit fish breeding', 'background occurrence blood meat inclusion internal egg quality defect mass candling reveals spot brown eggshell hamper selection brown chicken line possible eliminate defect selection estimated frequency blood meat inclusion brown layer whereas white egg_layer several factor known increase incidence fault genetic background low level vitamin stress infection instance study genetic background defect mapping population hen cross white rock rhode_island red line set result our histopathological analysis show blood spot consist mainly erythrocyte meat_spot accumulation necrotic material linkage analysis chromosome microsatellite_marker revealed one significant quantitative_trait locus qtl affecting blood spot meat_spot frequency sequenced fragment candidate_gene within region coding tight_junction protein nine polymorphism detected two included association analysis defined qtl result verify qtl association analysis carried two independent commercial breeding line marker surrounding snp association found mainly chromosomal area ggaz conclusion there good agreement location qtl region chromosome association result commercial breed analyzed variation found tight_junction protein microrna may predispose egg_layer blood meat_spot defect this_paper describes first result detailed qtl analysis blood meat_spot trait chicken', 'the peroxisome_receptor pparγ nuclear hormone_receptor regulates adipogenesis many biological_process present_study carried dna_sequencing analysis examine snp coding_region pparγ gene total individual five chinese cattle breed genotyped identified three snp association meat_quality trait analyzed qinchuan_cattle two_missense mutation one_synonymous mutation found genotype resulting change silent substitution genotype genotype producing change respectively the frequency allele qinchuan nanyang_jiaxian luxi xianan population respectively the frequency allele varied five population locus frequency allele higher allele five population ranged least_square analysis_revealed locus significant effect tenderness month qinchuan_cattle locus animal genotype lower_mean value genotype back_fat thickness month animal genotype lower_mean value genotype water_holding capacity month the snp identified may_contribute establishing efficient selection_program improving genetic characteristic indigenous_chinese cattle', 'study report investigation extracellular fatty_acid binding_protein gene genetic polymorphism sample chicken individual the screening coding_region boundary proximal flanking_region performed strategy following sequence analysis_revealed novel single_nucleotide polymorphism snp chicken gene among snp found intron and remaining seven three snp coding_region respectively two snp coding_region caused two_missense mutant five result amino_acid change the nature distribution mutation three chicken breed analyzed variation detected might impact activity function underpin development gene marker chicken fatty deposition metabolism the polymorphism generated mutation significantly_associated thickness subcutaneous_fat plus skin cock subcutaneous_fat plus skin cock thick genotype genotype the gene could candidate locus linked qtl significantly affect fatty deposition metabolism chicken', 'background previously localized quantitative_trait locus qtl bovine_chromosome affecting milk_production trait region via genome scanning followed fine_mapping result totally gene mapped within linkage region bioinformatic analysis comparative map bovine genome_assembly dehydrogenase ugdh suggested potential positional_candidate gene milk_production trait based corresponding physiological biochemical function genetic effect sequencing coding exon untranslated_region ugdh pooled_dna sire represented separated family detected previous_study total ten snp identified genotyped holstein_cow separation family individual association analysis_revealed significant association snp snp snp snp milk_yield significant association snp snp protein_yield furthermore association analysis_indicated haplotype formed snp formed snp formed snp significantly_associated protein_percentage fat_percentage finally using vitro expression assay demonstrated allele snp allele snp ugdh significantly decrease expression ugdh rna protein level suggesting snp represent two functional polymorphism affecting expression ugdh may partly contributed observed association gene milk_production trait sample conclusion taken_together finding strongly indicate ugdh gene could involved genetic_variation underlying qtl milk_production trait', 'johne_disease caused_mycobacterium avium subspecies paratuberculosis_map fatal disease cattle the_objective study identify locus associated tolerance cow infected map tolerance defined cow fitness given level map_infection intensity fitness measured map faecal_culture map_infection intensity measured culturing four gut tissue the quantitative phenotype tolerance defined numerical index culture peak peak tolerance average average tolerance faecal tissue map holstein_cow the categorical phenotype defined cfu map tissue infection faecal shedding cfu intolerant cfu tolerant cow cow map identified tissue including cow map tissue cfu faecal cfu association analysis performed filtering leaving genotype snp animal quantitative phenotype case_control categorical analysis tolerance associated association identified adjacent snp bta for categorical phenotype association found this_first study identify locus associated tolerance johne_disease', 'the_aim study precisely map previously_reported quantitative_trait locus qtl affecting somatic_cell score bos_taurus autosome increasing number marker fourfold analysing family exploiting linkage_disequilibrium granddaughter_design german_holstein grandsire_family progeny_tested son used marker average marker spacing genotyped along linkage analysis performed_using methodology the incorporation first done using method followed regression marker allele revealed significance lod contiguous maximum interval while method could detect two individual marker significant effect found regression analysis compared_previous result substantially narrowed focus close vicinity', 'the_objective study use single_nucleotide polymorphism snp located bovine_chromosome fine_map previously identified qtl associated incidence infectious bovine keratoconjunctivitis ibk crossbred steer gpe derived sire bos_taurus breed veterinary record related ibk used test association total snp located relevant region qtl five snp significantly_associated ibk animal inheriting differing genotype individual snp exhibited significantly different incidence rate ibk the population also numerous phenotype supporting evaluation association marker carcass trait identify potential antagonistic effect implementing selection_program ibk_susceptibility association snp marbling tenderness identified along snp associated percentage carcass classified choice four snp significantly_associated fat_yield snp longissimus_muscle area additional snp dressing_percentage the association marker indicates evaluated qtl region may fact harbor causative_mutation responsible variation observed ibk_susceptibility carcass quality composition trait thus evaluation snp region necessary order_identify mutation accounting largest degree variation ibk carcass trait', 'neuropeptide_npy one potent orexigenic factor implicated control feeding_behavior energy_homeostasis four chinese_indigenous cattle breed used detect single_nucleotide polymorphism snp coding_region boundary proximal flanking_region npy gene dna_sequencing five novel snp identified polymorphism lous npy gene containing associated body_length chest_girth nanyang_cattle aged_month significant effect two growth trait nanyang_cattle aged_month the result open new field study extend spectrum genetic_variation bovine npy gene might contribute cattle genetic resource breeding', 'association study_gwas based high_throughput snp genotyping_technology open broad avenue exploring gene associated milk_production trait dairy_cattle motivated pinpointing novel quantitative_trait nucleotide_qtn across bos_taurus genome present_study perform gwas identify gene affecting milk_production trait using current snp genotyping_technology illumina_beadchip analysis five commonly evaluated milk_production trait involved including milk_yield milk fat_yield milk_protein yield milk fat_percentage milk_protein percentage estimated_breeding value_ebv daughter paternal_family considered phenotype within framework daughter_design association test trait snp achieved via two different analysis approach paternal transmission_disequilibrium test tdt approach mixed_model based regression analysis mmra total snp detected significantly_associated one multiple milk_production trait snp commonly detected method four solely detected mmra respectively the majority significant snp located_within reported qtl region within close reported candidate_gene particular two snp located_close gene apart within ghr gene respectively our_finding herein provide confirmatory evidence previously finding also explore suite novel snp associated milk_production trait thus form solid basis eventually unraveling causal_mutation milk_production trait dairy_cattle', 'mastitis frequent costly disease dairy production solution leading reduction incidence_mastitis highly demanded here association study performed identify polymorphism affecting susceptibility mastitis genotype snp distributed_across bovine autosomal_chromosome total sire daughter record clinical_mastitis included analysis record occurrence_clinical mastitis divided seven time period first three lactation order_identify quantitative_trait locus affecting mastitis_susceptibility particular phase lactation the convincing result association mapping followed validated combined_linkage disequilibrium linkage analysis the study revealed quantitative_trait locus affecting occurrence_clinical mastitis periparturient period chromosome quantitative_trait locus affecting occurrence_clinical mastitis late_lactation chromosome none quantitative_trait locus clinical_mastitis detected study seemed affect lactation average somatic_cell score the snp highly associated clinical_mastitis lie near gene_encoding interleukin chromosome gene_encoding two interleukin receptor chromosome', 'backcross_pedigree using dairy east friesian ram dorset ewe established specifically map quantitative_trait locus qtl affecting milk_production sheep ninety nine microsatellite_marker initial set successfully genotyped informative animal backcross_pedigree milk record individual ewe used_estimate several milk_yield related trait including peak milk_yield cumulative milk_yield day these trait well estimated_breeding value backcross ewe extracted genetic_evaluation file entire flock used interval_mapping ovine_chromosome identified harbour putative qtl different measure milk_production the qtl ovis_aries chromosome oar mapped location similar trait qtl already_mapped study whereas qtl oar unique backcross_pedigree reported previously addition identified qtl region syntenic bovine chromosomal_segment revealed harbour qtl affecting milk_production trait providing supporting evidence qtl identified', 'this_study aimed_identify putative quantitative_trait locus qtl significantly affect internal parasite_resistance backcross sheep population romney merino backcross merino flock challenged separate infection trichostrongylus_colubriformis primary secondary haemonchus_contortus tertiary haematological parameter measured faecal_worm egg_count fwec established estimate parasite_burden qtl mapping conducted fwec change haematocrit following contortus challenge eosinophil number following colubriformis challenge animal genotyped_microsatellite marker selected chromosome four putative quantitative_trait locus found eosinophil_change primary infection_oar fwec first infection eosinophil_change secondary infection_oar fwec secondary infection_oar significant quantitative_trait locus detected fwec haematocrit change haemonchus_contortus infection the position putative quantitative_trait locus eosinophil_change oar consistent report parasite_resistance quantitative_trait locus implying commonality study', 'poultry product major_source human salmonella_infection the prophylactic use antimicrobial poultry production recently banned increasing need alternative method control salmonella_infection poultry_flock genetic selection chicken resistant salmonella colonization provides attractive mean sustainably controlling pathogen commercial poultry_flock subsequent entry food chain analysis different inbred chicken shown individual line consistently either susceptible resistant many serovars salmonella tested study two inbred chicken line differential susceptibility salmonella colonization used backcross experimental_design unlike previous_study used candidate_gene approach screen exploited marker set snp covering_whole genome identify_quantitative trait locus qtl analysis caecal bacterial level parental_line revealed significant difference day analysis genotype backcross population revealed four qtl chromosome two trait examined study bacterial count caecum presence hardened caseous caecal core these included one significant qtl chromosome three additional qtl chromosome respectively significant level the result generated study inform future_breeding strategy control pathogen commercial poultry_flock', 'quantitative_trait locus qtl identified chromosome texel_sheep increase depth area longissimus_dorsi muscle the study_aimed ass pleiotropic qtl effect key meat_quality trait toughness intramuscular_fat content day aging crossbred_lamb carrying one copy the result showed male texelxmule lamb_carrying significantly le intramuscular_fat versus higher toughness increased variation loin_muscle compared male similar conclusion obtained using two different type tenderometer equipment one using volodkevitch test average shear_force kgf carrier male kgf male one using mirinz test average shear_force kgf carrier male kgf male although toughness measurement within published consumer acceptability limit individual carrier_lamb unacceptably tough meat despite enhanced processing the significantly affect loin toughness female lamb leg toughness either sex intramuscular_fat content these_result considered alongside direct effect muscling carcass_composition recommendation use qtl sheep breeder', 'identify_quantitative trait locus qtl influencing early maturation rainbow_trout oncorhynchus_mykiss genome_scan performed_using microsatellite locus across linkage_group six paternal_family using three brother approximately progeny family derived two strain differ propensity used study allele derived parental source observed contribute expression progeny brother four significant qtl region observed qtl detected demonstrated significant suggestive qtl effect male_female progeny furthermore within male_female grouping qtl detected two five parent used significant several strong qtl localized different region male_female suggesting control namely qtl detected associated female associated male within qtl region identified comparison syntenic est marker rainbow_trout linkage_map zebrafish danio rerio genome identified several putative candidate_gene may_influence', 'background the intramuscular_fat deposition fatty_acid profile_beef affect meat_quality high proportion unsaturated_fatty acid related beef flavor beneficial nutritional_value meat moreover variety clinical epidemiologic study showed particularly fatty_acid animal source positive impact human_health disease result screen genetic factor affecting fatty_acid profile_beef initially performed genome_scan charolais_german holstein resource_population identified quantitative_trait locus qtl fatty_acid composition region bovine_chromosome previously qtl affecting marbling_score detected beef_cattle population the synthetase gene identified plausible functional_positional candidate_gene qtl interval due direct impact fatty_acid metabolism position qtl interval necessary synthesis ester fatty_acid degradation phospholipid remodeling validated genomic annotation bovine gene silico comparative sequence analysis experimental verification complete_coding intronic sequence untranslated_region partial promoter_region gene revealed three synonymous_mutation exon six noncoding intronic gene variant six polymorphism promoter_region four variant utr region the association analysis identified gene variant intron gene significantly_associated relative content distinct fraction ratio fatty_acid fatty_acid polyunsaturated polyunsaturated_fatty acid trans vaccenic_acid skeletal_muscle tentative_association gene variant intramuscular_fat content indicated indirect effect fatty_acid composition via modulation total fat_content skeletal_muscle excluded conclusion the initial qtl analysis suggested gene positional_functional candidate_gene fatty_acid composition bovine skeletal_muscle the finding subsequent association analysis indicate separate gene close_proximity might_play functional role_mediating lipid composition beef', 'domestication animal regardless specie often accompanied simultaneous change several physiological behavioral trait growth_rate fearfulness study compared social_behavior emotional_reactivity measured battery behavioral_test two group chicken selected common genetic background advanced_intercross line ancestral red_junglefowl rjf domesticated_white leghorn_layer the bird selected homozygosity alternative allele one locus microsatellite_marker centrally positioned previously identified pleiotropic growth qtl chromosome closely_linked one major candidate_gene certain aspect social_behavior bird homozygous allele genotype modified pattern social emotional reaction bird homozygous rjf allele rjf genotype shown different score principal_component analysis these_result suggest growth qtl affect number domestication related behavioral trait may primary target selection domestication the qtl contains multitude gene several linked social_behavior example vasotocin receptor targeted experiment future study_aimed making higher resolution genotypic characterization qtl give information gene may_considered strongest candidate bringing behavioral change associated animal domestication', 'qtl involved primary antibody_response toward keyhole limpet hemocyanin klh detected chicken chromosome experimental_population created_crossing commercial white_leghorn polish native_chicken breed partridgelike the current qtl location validation previous_experiment pointing genomic location qtl linked primary antibody_response klh experimental_population typed microsatellite_marker distributed chicken chromosome titer antibody binding klh measured individual elisa statistical_model applied grid qtl software used_analyze data model model combined analysis linkage_disequilibrium linkage analysis model candidate_gene proposed genotyped snp located gene exon statistical_analysis single snp association performed pointing snp axis inhibitor protein gene significantly_associated trait interest', 'growth_factor considered regulator growth_differentiation mammary_gland present_work association two single_nucleotide polymorphism bovine gene milk_production trait studied dairy_cow already described transition exon newly found transversion exon found sequencing exon gene six individual association analysed individually combination repeatability animal model the haplotype appeared associated milk trait studied difference significant the frequent_haplotype seemed inferior others fat protein content daily yield fat protein superior together genotype daily milk_yield considered', 'identify predictor forecast superovulation_response basis association superovulation performance gene polymorphism variation bovine follicle stimulating hormone_receptor fshr gene investigated using conformational dna_sequencing one single_nucleotide polymorphism snp located_upstream region bovine fshr gene found chinese_holstein cow treated superovulation two snp analyzed polymorphic locus cow without superovulation_response mutation genotype cow genotype significant increase total number ovum tno produced transferable embryo nte genotype locus additive_effect seemed highly_significant allele associated increase tno nte these_result indicated fshr potential marker superovulation_response used predictor superovulation chinese_holstein cow', 'scan using single marker association used detect chromosome region associated seven female_fertility trait finnish_ayrshire dairy_cattle the phenotypic_data consisted estimated_breeding value bull estimated using single trait model genotype obtained illumina panel total informative single_nucleotide polymorphism snp marker used the association analysis performed_using approach fitted_fixed effect snp random_polygenic effect detected eleven significant association eight different chromosome with least significance bonferroni_correction sixteen snp nine chromosome showed_significant association one fertility trait the result confirmed quantitative_trait locus three chromosome fertility trait previously_reported breed one chromosome four previously detected holstein_cattle', 'using dna_sequencing technology examined association single_nucleotide polymorphism snp bovine myog gene body_measurement trait individual six native_chinese cattle breed namely luxi luxi_simmental crossbred_nanyang jiaxian_red qinchuan novel snp detected allelic_frequency six breed respectively least_square analysis_revealed significant association myog snp rump_length four breed_luxi jiaxian_red qinchuan hucklebone width three breed_luxi simmental_crossbred nanyang waist height two breed_luxi simmental_crossbred nanyang body_length luxi breed conclude myog snp potential genetic marker economically_relevant body_measurement trait native_chinese cattle breed', 'aim identify_quantitative trait locus qtl affecting concentration milk evaluate effect genetic variant concentration fat protein_casein bovine milk method herd jersey crossbred cow produced_mating six jersey bull high genetic_merit cow national herd total record crossbreds analysed the concentration fat protein_casein milk measured peak late_lactation production season liveweight measured daily dna animal dam sire selected grandsires genotyped across genome initially microsatellite_marker subsequently single_nucleotide polymorphism snp result highly_significant qtl concentration milk identified coincided position gene bovine_chromosome consistently significant qtl concentration milk detected cow genotype produced milk lower concentration cow genotype the polymorphism also explained variation proportion casein total protein addition percentage fat higher animal whereas percentage total protein mean daily milk_yield liveweight differ animal conclusion significant qtl determining concentration milk identified selection animal may_enable production milk naturally enriched casein thus allowing potential increase yield cheese there may additional future value production bovine milk like human milk decreasing concentration desirable', 'total quantitative_trait locus qtl detected chromosome direct_maternal calving trait cattle using association study calving_performance affected genotype calf direct effect dam maternal effect identify qtl contributing effect calving characteristic performed association study using analysis danish_swedish holstein_cattle the analysis incorporated bull single_nucleotide polymorphism marker bovine_autosome analyzed association calving trait strong_evidence presence qtl affect calving trait observed chromosome the qtl interval generally smaller described earlier linkage study the identification calving single_nucleotide polymorphism mapping corresponding qtl small chromosomal_region facilitate_search candidate calving_performance gene polymorphism', 'tick disease detrimental impact livestock production causing estimated loss around million per_year australia alone host_resistance tick heritable heritability_estimate around large difference breed previously qtl tick_burden detected distal centromere near gene kinase identify polymorphism region sequenced exon gene identifying single_nucleotide polymorphism snp using snp well snp bovine genome_sequence genotyped two sample one taurine dairy_cattle one zebu zebu_composite beef_cattle confirmed snp haplotype region including associated tick_burden dairy beef_cattle determine_whether influence response tick salivary gland extract sge immunisation experiment tick sge knockout mouse strain conducted there significant reduction igg production mouse response sge compared background strain well outbred mouse strain addition antibody generated mouse recognised different set antigen within sge compared antibody summary snp association tick_burden confirmed quantitative qualitative difference antibody production observed mouse', 'background the membrane_protein ubiquitous cell_surface pathogen receptor bind streptococcus trigger cell autophagy critical step control infection result study found new splice_variant designated transcript variant the splice_variant characterized retention sequence intron bovine gene_encodes putative protein enlarged amino_acid mrna found expressed_mammary gland tissue relative healthy tissue single_nucleotide polymorphism exonic splicing enhancer ese motif region shown result aberrant splice_variant constructing alternative allele using exon capturing vector transfecting cell allelic_frequency individual_belonging bos_taurus bos_indicus bos javanicus bos grunniens bos mutus etc suggests allele ancestral allele association analysis found mean genomic estimated_breeding value gebv milk somatic_cell score occurrence_clinical mastitis well milk somatic_cell score chinese_holstein genotype lower individual either genotype the mean gebv udder_health synthesis genotype greater genotype conclusion_our finding_suggest gene likely play_critical role risk mastitis caused streptococcus dairy_cow via alternative splicing mechanism caused functional mutation intron our data also underline importance variation within es regulating transcript processing', 'background infectious_disease livestock continues cause substantial economic_loss adverse welfare consequence developing developed world new solution control disease needed research focused genetic locus determining variation trait potential deliver solution however identifying selectable marker causal gene involved disease_resistance vaccine response straightforward the_aim study locate region bovine genome control immune_response post_immunisation backcross holstein charolais cattle immunised peptide derived disease_virus fmdv cell antibody_response measured several time_point post_immunisation all_experimental animal genotyped_microsatellite marker genome_scan result considerable variability immune_response across time observed sire_dam age significant effect response specific time_point there significant correlation within trait across time trait also weak correlation detected cell response the whole_genome scan detected quantitative_trait locus qtl chromosome including cluster qtl bta two qtl reached genome_wide significance bta one bta reached genome_wide significance conclusion proportion_variance cell antibody_response post_immunisation fdmv peptide genetic component even_though antigen relatively simple humoral cell mediated response clearly complex genetic control majority qtl located outside mhc locus the result_suggest may specific gene locus impact variation primary secondary immune_response whereas locus may specifically important early later phase immune_response future fine_mapping qtl cluster identified potential reveal causal variation underlying variation immune_response observed', 'association study conducted using_mixed model analysis qtl fertility trait danish_swedish holstein_cattle the analysis incorporated progeny_tested bull total snp marker bovine_autosome used eleven fertility trait analyzed snp association furthermore mixed_model analysis used association analysis polygenic_effect fitted random effect genotype single snp successively included_fixed effect model the bonferroni_correction multiple_testing applied adjust significance_threshold combination showed significance five significant qtl region chromosome detected strong_evidence presence qtl affect fertility trait observed chromosome the qtl interval generally smaller described earlier linkage study the identification fertility snp mapping corresponding qtl small chromosomal_region reported facilitate_search candidate_gene candidate polymorphism', 'background recent qtl gene expression study highlighted ankyrins positional_functional candidate_gene meat_quality our objective characterise promoter_region bovine ankyrin gene test polymorphism association sensory technological meat_quality measure result seven novel promoter snp identified region ankyrin promoter angus_charolais limousin bull per breed well crossbred beef animal meat_quality data available eighteen haplotype_inferred significant breed variation haplotype frequency the five frequent snp four frequent_haplotype subsequently tested association sensory technological measure meat_quality crossbred population subsequently designated regulatory snp associated trait contribute sensorial technological measurement tenderness texture haplotype haplotype oppositely correlated trait contributing tenderness while single snp associated intramuscular_fat imf clear association increased imf juiciness observed haplotype conclusion the conclusion study allele defining haplotype could usefully contribute marker snp panel used_select individual improved tenderness selection framework', 'sheep milk fat contains several component may provide human_health benefit monounsaturated_fatty acid conjugated linoleic_acid cla most cla ruminant milk synthesized mammary_gland action enzyme desaturase_scd circulating vaccenic_acid previous_study found significant association polymorphism scd_gene fatty_acid composition ruminant product including sheep milk based performed quantitative_trait locus qtl analysis ovine_chromosome harbor scd_gene effect milk_fatty acid_composition trait classical milk_production trait identified suggestive qtl influencing ratio maximum statistic position studied chromosome whereas scd_gene mapped position the individual introduction scd single_nucleotide polymorphism qtl model cause reduction variance_explained qtl suggests scd_gene directly responsible detected effect churra population studied herein this conclusion supported lack significant association identified scd single_nucleotide polymorphism ratio this association analysis suggested possible effect scd_gene milk fat_percentage churra_sheep independent confirmation primary result required attempting practical implementation_selection program', 'resource_population originating cross two divergently_selected line high line low line body_weight age generated used quantitative_trait locus qtl mapping from initial cross two founder animal line progeny randomly intercrossed two generation following full sib intercross line fsil design one_hundred polymorphic marker employed dna_pooling selective_genotyping identify marker significant effect marker genotyped whole population bird interval_mapping gridqtl software employed eighteen qtl body_weight carcass trait internal_organ weight identified comparison analysis_revealed two separate qtl region body foot breast_muscle carcass_weight given qtl highly_correlated trait concluded distinct qtl mapped four qtl localized already_mapped qtl study seven qtl previously_reported hence novel unique selection line this_study provides low resolution qtl map various trait establishes genetic resource future positional_cloning advanced fsil generation', 'hematological trait important_indicator immune_function animal commonly examined biomarkers disease disease severity human animal significant quantitative_trait locus qtls provide important information use breeding_program animal pig qtls hematological_parameter hematological trait detected pig chromosome although often mapped linkage analysis large interval_making identification underlying mutation problematic single_nucleotide polymorphism snp common_form genetic_variation among individual thought account majority inherited trait study association study_gwas performed detect region association hematological trait resource_population produced intercrossing large_white boar minzhu sow period illumina_beadchip technology used genotype animal seven hematological_parameter measured hematocrit hct hemoglobin hgb mean_corpuscular hemoglobin mch mean_corpuscular hemoglobin_concentration mchc mean_corpuscular volume_mcv red_blood cell_count rbc red_blood cell_volume distribution_width rdw data_analyzed three step rapid_association using_mixed model control method total significant three significant snp associated hematological_parameter detected gwas seven five snp associated hct hgb respectively these snp located_within region four snp within region snp within region showed_significant association mch mcv respectively significant level one snp two snp within region found significantly_associated rbc rdw respectively many snp located_within previously_reported qtl region appeared narrow region compared previously_described qtl interval current research total seven significant snp found within six candidate_gene kdr tdo afp addition kit gene previously_reported relate hematological_parameter located_within region significantly_associated mch mcv could candidate_gene these_result study may_lead better_understanding molecular_mechanism hematological_parameter pig', 'genome_scan conducted resource_population derived_intercross white_plymouth rock silkies fowl detect qtl affecting chicken body_composition trait the population genotyped_microsatellite marker phenotyped body_composition trait individual family total qtl found responsible trait including two newly studied trait proventriculus weight shank_girth three qtl significant explained_phenotypic variance_explained phenotypic_variance shank claw weight explained_phenotypic variance wing weight the qtl seemed pleiotropic_effect also affecting gizzard_weight shank_girth intestine length suggested effort made understand possible_pleiotropic effect qtl two trait', 'background gene epigenetically regulated via genomic imprinting potential target artificial_selection animal breeding indeed imprinted locus shown underlie important quantitative_trait domestic mammal notably muscle_mass fat_deposition candidate_gene study identified novel association six validated single_nucleotide polymorphism snp spanning region within bovine guanine protein subunit alpha gene gnas_domain bovine_chromosome genetic_merit range performance trait sire the mammalian gnas_domain consists number gene play major role growth development disease mouse_human based current annotation bovine gnas_domain four snp analysed located_upstream gnas gene one snp located second intron gnas gene the final snp located first exon transcript encoding putative bovine protein resulting aspartic amino_acid substitution amino_acid position result snp association analysis indicate single intronic gnas snp associated range performance trait including milk_yield milk_protein yield content fat protein milk culled cow carcass_weight progeny carcass conformation measure animal body_size direct_calving difficulty difficulty calving due size calf gestation_length association direct_calving difficulty due calf_size maternal_calving difficulty due maternal pelvic width size also observed snp following adjustment significant association remained snp four trait animal stature body depth direct_calving difficulty milk_yield notably single snp bovine gene associated somatic_cell count indicator resistance mastitis overall health status mammary system previous_study demonstrated chromosomal_region gnas_domain map underlies important quantitative_trait locus trait this association however significant adjustment multiple_testing the three remaining snp assayed associated performance trait analysed study analysis pairwise linkage_disequilibrium value suggests allele_substitution effect assayed snp observed independent finally polymorphic coding snp putative bovine gene used test imprinting_status gene across range foetal bovine tissue conclusion previous_study mammalian_specie shown dna sequence variation within imprinted gnas gene cluster contributes several physiological metabolic_disorder including obesity_human mouse similarly result presented indicate important_role imprinted gnas cluster underlying_complex performance trait cattle animal growth calving fertility health these_finding suggest gnas polymorphism may_serve important genetic marker future livestock breeding_program support_previous study candidate imprinted locus may act molecular target genetic_improvement agricultural population addition present new evidence bovine gene epigenetically regulated maternally_expressed imprinted gene placental intestinal tissue week old bovine foetus', 'quantitative_trait locus qtl metabolic body_composition trait mapped respectively intercross chicken line these line also diverged abdominal_fat percentage afp plasma growth insulin glucose level genotypings performed microsatellite_marker covering chromosome total qtl genomewide level significance detected analysis body_weight breast_muscle weight bmw percentage bmp weight afw percentage afp shank_length shl diameter shd fasting plasma glucose level gluc body temperature other suggestive qtl identified parameter plasma nonesterified fatty_acid level qtl controlling adiposity gluc colocalized qtl shl shd adiposity multitrait analysis_revealed two qtl controlling gluc afp gluc significant effect reciprocal_cross observed shd bmw gluc may result mtdna maternal effect most qtl region gluc adiposity harbor gene allele associated increased susceptibility diabetes obesity_human identification gene responsible metabolic qtl increase understanding constitutive hyperglycemia found chicken furthermore comparative approach could provide_new information genetic cause diabetes obesity_human', 'background variety analysis approach applied detect_quantitative trait locus qtl experimental_population the initial genome_scan duroc_pietrain resource_population included animal genotyped_microsatellite marker analyzed using model for second scan additional marker chromosome genotyped animal marker used first scan genotyped additional animal three mendelian_model qtl analysis applied second scan model model combined model result total qtl using model qtl using model additional qtl using combined model detected growth trait false_discovery rate_fdr significance_level analysis highly_significant qtl fat_deposition age detected analysis qtl loin_muscle area age detected qtl backfat age detected conclusion additional marker animal contributed reduce confidence_interval increase test_statistic qtl detection different model allowed_detection new qtl indicated differing frequency alternative allele parental breed', 'background numerous qtl mapping resource_population available livestock_specie usually analysed_separately although founder_breed often used the_aim present_study show strength analysing jointly pig breeding founder_breed several method three porcine generated three founder_breed meishan_pietrain wild_boar the cross analysed jointly using flexible genetic model estimated additive qtl effect founder_breed allele dominant qtl effect combination allele derived different founder_breed the following trait analysed daily_gain back_fat carcass_weight substantial phenotypic_variation observed within cross multiple qtl multiple qtl allele imprinting_effect considered the result compared obtained cross analysed_separately result for daily_gain back_fat carcass_weight qtl found respectively for back_fat daily_gain carcass_weight respectively three four five locus showed_significant imprinting_effect the number qtl mapped much_higher design analysed individually additionally test_statistic plot along chromosome much sharper leading smaller qtl confidence_interval many case three qtl allele observed conclusion the present_study showed strength analysing three connected jointly experiment statistical_power high reduced number estimated parameter large number individual the applied model flexible computationally fast', 'background for ruminant reared grazing system gastrointestinal_nematode gin parasite_infection represent class disease greatest impact animal health productivity among many possible strategy controlling gin_infection enhancement host_resistance selection resistant_animal suggested many author because difficulty routinely collecting phenotypic indicator parasite_resistance information derived molecular_marker may used improve efficiency classical genetic breeding method total microsatellite_marker evenly_distributed along sheep autosome used genome_scan analysis performed commercial population_spanish churra_sheep detect chromosomal_region associated parasite_resistance following_daughter design analysed ewe distributed eight family the phenotype studied included two faecal_egg count circumcincta liv iga level iga serum pepsinogen level pep result the regression analysis_revealed one qtl significance_level chromosome within marker interval this qtl found segregating three eight family analysed four qtl identified level chromosome three qtl influenced faecal_egg count one effect iga level conclusion_this study successfully identified segregating qtl parasite_resistance trait commercial population for qtl detected identified interesting coincidence qtl previously_reported sheep although study focused young animal some coincidence might indicate common underlying locus affect parasite_resistance trait different sheep breed the identification new qtl may suggest existence complex relationship unique feature depending combination perhaps due different mechanism_underlying resistance adult sheep hypersensitivity reaction lamb immunity the significant qtl identified chromosome lfec may target future_research effort', 'background performed quantitative_trait locus qtl analysis intercross two chicken line_divergently selected juvenile previous_study identified locus effect explained small proportion large variation population epistatic_interaction analysis however indicated network interacting_locus large effect contributed difference_parental line this previous analysis however based sparse microsatellite linkage_map limited coverage could affected main conclusion here present revised qtl analysis based linkage_map provided complete coverage chicken genome furthermore utilized genotype data snp search genome potential selective_sweep occurred selected line result constructed linkage_map comprising genetic marker_covering chromosome leaving seven microchromosomes uncovered the analysis showed seven region harbor qtl influence growth the interaction analysis identified unique qtl pair notable nine involved interaction locus chromosome forming network interacting_locus the analysis snp showed substantial_proportion genetic_variation present founder population lost either two selected line since snp polymorphic among line showed fixation one line with current marker coverage qtl map resolution observe clear sign selective_sweep within qtl interval conclusion the result qtl analysis using new improved linkage_map large extent concordance previous analysis pedigree the difference_parental chicken line caused many qtl small individual effect although increased chromosomal marker coverage lead_identification additional qtl able refine localization qtl the importance epistatic_interaction mechanism contributing significantly remarkable selection response strengthened additional pair interacting_locus detected improved map', 'osteochondrosis disturbance process endochondral ossification far important equine developmental_orthopaedic disease also common domestic animal human the_purpose study identify_quantitative trait locus qtl associated osteochondrosis_dissecans ocd intermediate ridge distal tibia norwegian standardbred using_illumina equine_beadchip polymorphism snp assay radiographic_data blood_sample obtained yearling based radiographic examination horse selected genotyping case ocd intermediate ridge distal tibia control without developmental lesion joint examined genotyped horse descended sire number horse group ranged the population structure necessitated statistical correction stratification when conducting association study_gwas analysis displayed region chromosome equus callabus chromosome_eca showed_moderate evidence association uncorrected adjusted multiple comparison ocd tibiotarsal joint two snp represent significant_hit uncorrected basic association test snp achieved statistical_significance bonferroni_correction close permuted logistic_regression test putative qtl eca represent interesting area future_research validation study fine_mapping candidate region result presented represent first gwas horse using recently released illumina_equine beadchip', 'thyroid_hormone play_important role_regulating metabolism affect homeostasis fat_deposition the gene_encoding thyroglobulin producing precursor thyroid_hormone proposed positional_functional candidate_gene qtl effect fat_deposition present_study identified novel snp flanking_region gene the snp marker association analysis_indicated snp marker significantly_associated marbling_score animal new homozygote genotype higher_marbling score genotype otherwise linkage_disequilibrium analysis_indicated four snp completely_linked result study suggest snp may_useful marker meat_quality trait future marker_assisted selection_program beef_cattle', 'background the genome_sequence snp map available chicken used identify genetic marker use_selection ma effective ma requires high linkage_disequilibrium marker quantitative_trait locus qtl sustained generation this_study used data snp panel ass level consistency single_nucleotide polymorphism snp consecutive year two chicken line analyzed one line two method association bayesian analysis identify marker associated phenotype result the marker pair high short distance remained high one generation correlation line regression analysis using_mixed model snp fixed_effect resulted significant test respectively across trait bayesian analysis called bayesb fit snp simultaneously random effect us model averaging procedure identified snp included model time phi additional ten window sum phi greater generally snp included bayesian model also small analysis conclusion high correlation marker short distance across two generation indicate marker retain high linked qtl effective ma the different association analysis method used provided consistent result multiple single snp window significantly_associated trait providing genomic position qtl useful ma identify_causal mutation', 'background serum_lipid associated many serious cardiovascular disease obesity problem many quantitative_trait locus qtl reported pig mostly performance trait serum_lipid trait contrast remarkable number qtl mapped serum_lipid human_mouse therefore_objective research investigate chromosomal_region influencing serum level total cholesterol_triglyceride high_density protein cholesterol hdl low_density protein cholesterol ldl pig for_purpose total animal duroc_pietrain resource_population phenotyped serum_lipid using elisa genotyped using microsatellite_marker covering_porcine autosome qtl study qtl_express blood sampling performed approximately day slaughter pig result most trait correlated influenced average_daily gain slaughter date age total qtl including three qtl imprinting_effect identified different porcine_autosome most qtl reached level significance including qtl qtl level significance qtl four identified ldl two qtl identified ldl moreover three chromosomal_region detected ratio study one qtl hdl two qtl detected imprinting_effect the highly_significant qtl detected ldl whereas significant qtl identified chromosomal_region pleiotropic_effect detected correlated trait most qtl identified serum_lipid trait correspond_previously reported qtl similar trait mammal two novel qtl hdl ratio imprinted qtl detected pig first_time conclusion the newly_identified qtl potentially_involved lipid_metabolism the result work shed_new light genetic background serum_lipid concentration finding_helpful identify candidate_gene qtl region related lipid_metabolism serum_lipid concentration pig', 'bone_morphogenetic protein gene suggested potential positional_candidate gene fatness trait qtls here comparative_sequencing gene meishan_large white pig one snp region detected association analysis result pig showed pig thinner back fatness heavier ham higher fat_percentage lower lean_meat percentage moreover transition predicted alter interaction using rnahybrid the negative expression gene detected mirnas overexpression swine fibroblast indicating mirnas might participate translational inhibition gene overall snp might good marker fatness trait', 'marbling defined amount distribution intramuscular_fat shimofuri economically_important trait beef_cattle japan the endothelial differentiation sphingolipid receptor gene involved blood vessel formation previously shown expressed different level musculus_longissimus muscle steer group located_within genomic_region quantitative_trait locus marbling thus considered positionally functional_candidate gene responsible marbling study two single_nucleotide polymorphism snp untranslated_region utr utr referred respectively detected two steer group the two snp associated predicted breeding_value beef_marbling standard number analysis using population japanese_black beef_cattle the effect genotype snp predicted breeding_value subcutaneous_fat thickness statistically_significant reporter gene assay revealed significant difference gene expression allele snp these_finding suggest snp although may regarded causal_mutation may_useful effective selection increase level marbling japanese_black beef_cattle', 'body_measurement trait influenced gene environmental_factor play numerous important_role value assessment productivity economy growth differentiate factor involved_development maintenance bone_cartilage important candidate_gene body_measurement trait selection selection_ma study based technology discovered evaluated potential association single_nucleotide polymorphism snp exon bovine gene body_measurement trait bos_taurus breed bos_indicus breed bos_indicus bos_taurus individual snp marker significant effect body_length bos_taurus bos_indicus bos_taurus bmy population population animal genotype lower_mean value hip_width genotype bmy population animal genotype lower_mean value genotype these_result suggest snp gene could_useful genetic marker body_measurement trait bovine reproduction breeding', 'qtl located paternally_expressed growth_factor gene known increase muscle growth reduce fat_deposition pig this make qtl good marker use pig breeding_programme however care taken postulated increased leanness lowered fat_deposition may negative effect prolificacy longevity sow selection sire_dam line different allele mutation paternally imprinted gene could actually provide solution problem therefore study effect qtl trait sow investigated found paternal allele associated higher reproduction_performance sow moreover also examined whether difference_prolificacy sow could consequence differential_expression ovarian_follicle sow whether mainly secondary effect caused difference fatness trait therefore expression measured follicle different size sow different genotype paternal allele observed however size follicle associated follicular expression_level genotype could concluded difference_prolificacy sow different paternal genotype could secondary effect resulting difference fat_deposition', 'background pig number experiment set identify qtl multitude chromosomal_region harbouring gene influencing trait interest identified however mapping_resolution remains limited case detected qtl rather inaccurately located mapping accuracy improved increasing number phenotyped genotyped individual number informative marker alternative approach overcome limited_power individual study_combine data two independent design method present_study report combined analysis two independent design french dutch experimental_design individual the_purpose map qtl growth_fatness pig chromosome using software detection analysis applied separately two pedigree combination two pedigree result joint_analysis combined pedigree provided greater significance shared qtl exclusion false suggestive qtl greater mapping_precision shared qtl conclusion combining two meishan_european breed pedigree improved mapping qtl compared analysing pedigree separately our work facilitated access raw phenotypic_data dna animal pedigree combination two design addition new marker allowed fine_map qtl without phenotyping additional animal', 'micrornas_mirnas endogenous rna molecule act binding complementary sequence target messenger rna many evidence showed mirnas involved process germ proliferation differentiation present_study gene selected candidate_gene litter_size due biological_function location near mummified pig qtl differentially_expressed profile large_white chinese_erhualian stimulated preovulatory ovary comparative_sequencing gene large_white chinese_meishan pig one snp created additional hpaii site detected then association snp litter_size trait assessed large_white div_pig population the statistical_analysis demonstrated differed total number_piglet born first_parity also differed number_piglet born_alive parity div_pig significant difference_observed different genotype large_white pig', 'background the recent completion swine genome sequencing project development high_density porcine snp_array made association_gwa study feasible pig finding using_illumina beadchip performed pilot gwa study commercial female pig phenotyped backfat_loin muscle_area body_conformation addition foot leg structural soundness trait total snp jointly fitted using_bayesian technique random effect mixture_model assumed known large_proportion snp zero effect snp annotation_implemented sus_scrofa build available pig ensembl discovered number candidate chromosomal_region corresponded qtl region previously_reported identified candidate_gene trait interest backfat_loin muscle_area also obtained novel_promising gene including backfat_loin muscle_area body_size several structure trait hoxa family gene overall leg action the candidate region responsible body_conformation structure soundness overlap greatly implied trait controlled different gene functional clustering analysis classified gene category related bone_cartilage development muscle growth development insulin pathway suggesting trait regulated common pathway gene network exert role different spatial temporal stage this_study one earliest gwa report important quantitative_trait pig finding_contribute biological_function analysis identified candidate_gene potential utilization marker_assisted selection', 'the productivity economic prosperity sheep farming could benefit greatly effective method selection lambing identification qtl aseasonal_reproduction sheep could lead accurate selection faster genetic_improvement one_hundred twenty microsatellite_marker genotyped backcross ewe dorset east friesian crossbred pedigree interval_mapping undertaken map qtl underlying several trait describing aseasonal_reproduction including number oestrous cycle maximum level progesterone prior breeding pregnancy status determined progesterone level pregnancy status determined ultrasound lambing status number lamb born seven chromosome identified harbour putative qtl one component trait used_describe aseasonal_reproduction ovine_chromosome harbour qtl significant level chromosome_harbour qtl exceeded_threshold level qtl identified chromosome exceeded_significance level these_result first_step towards understanding_genetic mechanism complex trait show variation aseasonal_reproduction associated multiple_chromosomal region', 'biochemistry fundamental process mammalian biology aberration either malnutrition potentially genetic_variation may_lead vitamin deficiency substantial public health burden addition understanding_genetic regulation process may_enable bovine improvement while many bovine qtl reported causative gene mutation identified discovered qtl milk subsequently identified premature stop_codon bovine oxygenase also affect serum content the enzyme thereby identified key regulator metabolism', 'prolactin_prl play_crucial role initiation maintenance lactation mammal study seven pcr fragment representing important functional domain prl gene screened single_nucleotide polymorphism snp chinese_holstein conformation polymorphism amplicons sequencing genetic effect milk_production trait evaluated total four snp including two promoter one intron one exon identified prl gene statistical result showed_significant association promoter genotype milk performance trait chinese_holstein cow genotype showed higher milk_yield cow genotype showed higher fat_content haplotype analysis two snp promoter_region revealed hap significantly_associated increased milk_yield hap associated increased fat_content this second study reporting snp region prl gene interfere milk_production trait', 'shank_length affect chicken leg health longer shank source leg problem chicken identification quantitative_trait locus qtl affecting shank_length trait may value genetic_improvement trait chicken genome_scan conducted chicken reciprocal_cross silky fowl white_plymouth rock breed using microsatellite_marker detect static developmental qtl affecting weekly shank_length growth week chicken static qtl affected shank_length birth time developmental qtl affected shank growth time time seven static qtl six chromosome detected age week six developmental qtl five chromosome detected five shank growth period week static qtl developmental qtl identified explained_phenotypic variation shank_length week explained_phenotypic variance shank growth week two static two developmental qtl involved chromosome chromosome two chromosome static qtl developmental qtl another two chromosome developmental qtl static qtl the result study show shank_length shank growth different developmental_stage involve different qtl', 'quantitative_trait locus qtl danish_jersey danish_red cattle independently mapped least_square regression analysis for jersey_breed five grandsire_family genotyped marker chromosome btas eight trait analysed milk_yield fat_percentage protein_percentage clinical_mastitis somatic_cell score_sc maternal_stillbirth maternal calf_size mc maternal_calving difficulty for red breed nine grandsire_family genotyped marker btas six trait analysed sc female_fertility nine five qtl detected jersey red breed respectively across family test jersey_breed result_indicate qtl mc bta additionally indication qtl mc bta tentative evidence qtl bta there high risk detected qtl false_positive the detected qtl jersey_breed indicate interesting result breeding perspective practical application await association study', 'white spotting one distinguishing visual character dairy_cattle there_considerable variation within breed cattle the_objective study map quantitative_trait locus qtl affecting degree white spotting dairy_cattle based experimental_design using jersey crossbred cow the genome_scan implemented using approach high_density marker significant qtl found chromosome the mapped region confirmed widely conserved kit locus affecting mammalian pigmentation haplotype information linked highly_significant qtl transcription_factor mitf_gene reported associated pigmentation trait mammal', 'the distal_part contains ortholog ovine region encompassing callipyge locus analyzed piétrain resource_population comprising_offspring the_aim study map qtl affecting carcass trait comparable callipyge phenotype sheep applied interval_mapping approach using microsatellite_marker detected qtl small effect the first qtl affect fat_thickness middle back detectable impact fat size place back whereas second qtl affect side fat_thickness the third qtl influence ham_weight show clear effect form maternal polar_overdominance located position imprinting cluster including callipyge locus proximal', 'most qtl detection study pig carried experimental_population however segregation qtl must confirmed within purebred_population successful implementation_selection previously qtl meat_quality carcass trait detected ssc duroc_purebred population the_objective present_study carry qtl analysis except ssc meat production meat_quality carcass trait confirm presence segregating qtl duroc_purebred population one_thousand four duroc_pig studied base seventh generation pig comprised closed population complex multigenerational pedigree individual related the pig evaluated growth trait body_size trait carcass trait physiological trait meat_quality trait number pig phenotype ranged total marker genotyped used qtl analysis utilized multipoint variance_component approach test linkage qtl phenotypic value using maximum_likelihood method logarithm_odds score qtl genotypic heritability estimated total qtl suggestive linkage qtl significant linkage trait detected these included selection trait daily_gain backfat_thickness loin_eye muscle_area intramuscular_fat content well correlated trait body_size meat_quality trait the present_study disclosed qtl affecting growth body_size carcass physiological meat_quality trait duroc_purebred population', 'recently effective bayesian_shrinkage estimation_method proposed mapping qtl inbred_line cross however regard outbred_population population maternal information unavailable straightforward utilize shrinkage_estimation qtl mapping the reason linkage phase marker outbred_population usually unknown paternal genotype used inferring qtl genotype offspring article novel bayesian_shrinkage method proposed mapping qtl design using_mixed model simulation study clearly demonstrated proposed method powerful detecting multiple qtl addition applied proposed method map qtl economic trait chinese dairy_cattle population two novel qtl harbored chromosomal_region detected trait interest whereas one qtl found using traditional maximum_likelihood analysis earlier study this validated shrinkage_estimation method could perform well empirical data analysis practical significance field linkage study outbred_population', 'population established_crossing broiler male line layer_line used map quantitative_trait locus qtl affecting abdominal_fat weight_abdominal fat_percentage serum cholesterol_triglyceride concentration two genetic model_applied qtl analysis using regression_interval method three significant qtl four suggestive qtl mapped analysis four significant four suggestive qtl mapped analysis total five qtl mapped abdominal_fat weight six abdominal_fat percentage four triglyceride_concentration analysis new qtl associated serum triglyceride_concentration mapped qtl mapped marker abdominal_fat percentage abdominal_fat weight suggestive qtl abdominal_fat percentage showed_significant effect some qtl mapped match qtl region mapped previous_study using different population suggesting good_candidate region candidate_gene search', 'qtl detection experiment performed french_dairy cattle search qtl related male_fertility ten family involving total bull phenotyped ejaculated volume sperm_concentration number_spermatozoon motility velocity percentage motile spermatozoon thawing abnormal spermatozoon set microsatellite_marker used realize genome_scan first genetic_parameter estimated trait semen production trait found moderate heritabilities semen_quality trait motility high_heritabilities close genetic_correlation among trait showed negative relationship volume concentration volume quality trait motility abnormal_sperm correlation concentration trait rather favourable percentage abnormal_sperm negatively related quality trait especially motility velocity spermatozoon three qtl related abnormal_sperm frequency significant total qtl detected however number qtl detected within range expected false_positive because lack power find qtl design analysis required_confirm qtl', 'combined_linkage linkage_disequilibrium analysis lald conducted accurately map previously_reported quantitative_trait locus qtl affecting somatic_cell score bovine_chromosome design_consisting german_holstein grandsire_family genotyped son used study twenty microsatellite_marker single_nucleotide polymorphism erythrocyte antigen marker average marker spacing analyzed along chromosomal_segment variance_component estimated restricted_maximum likelihood test_statistic calculated midpoint marker interval the test_statistic calculated linkage analysis exceeded_significance threshold several putative qtl position using lald successful assigning significant qtl confidence_interval marker the qtl marker interval estimated responsible genetic_variation somatic_cell score contrast linkage analysis model lald analysis model confirmed position one qtl gave conclusive evidence existence position second qtl ultimately qtl position_narrowed considerably compared_previous result refined confidence_interval le', 'the detection mapping genetic marker linked quantitative_trait locus qtl utilized enhance genetic_improvement livestock population with completion bovine genome_sequence assembly single_nucleotide polymorphism snp assay spanning_whole bovine genome research work large_scale identification validation analysis genotypic variation cattle become_possible the_objective present_study perform whole_genome scan identify map qtl affecting milk_production trait somatic_cell score using linkage_disequilibrium regression snp marker three snp found associated milk_yield genome chromosome_wise significance_level respectively among significant snp region reported qtl dairy_cattle population rest five new qtl finding four snp significant milk_production trait fat_yield protein_yield milk content present_study six nine snp associated genome chromosome_wise significant level respectively three snp found associated genome chromosome_wise significant level five seven snp mapped somatic_cell score genome chromosome_wise significant level respectively the result study revealed qtl protein_percentage fat_percentage somatic_cell score persistency milk canadian dairy_cattle population the chromosome region identified study investigated potentially identify_causative mutation_underlying qtl', 'altering balance response influence animal susceptibility acute_chronic inflammatory_disease bovine mastitis exception genetic_variation form single_nucleotide polymorphism snp may alter function expression gene regulate inflammation making important candidate defining animal risk developing acute_chronic mastitis the_objective present_study identify snp gene regulate response test association estimated_breeding value_ebv somatic_cell score_sc trait highly_correlated incidence_mastitis these gene included bovine receptor transforming_growth factor receptor dna allowed_identification snp beta these snp subsequently genotyped cohort holstein_jersey guernsey bull linear_regression analysis identified significant snp effect sc haplotype aat showed_significant effect increasing sc compared common haplotype the result presented indicate snp may_contribute variation sc dairy_cattle although functional study necessary ascertain whether snp causal polymorphism merely linkage true causal snp selection_program incorporating marker could beneficial influence average sc productivity dairy_herd', 'background although many qtl various trait mapped livestock location confidence_interval remain wide make difficult identification causative_mutation the_aim study test contribution microarray data qtl detection livestock_specie three different complementary approach proposed improve characterization chicken qtl region abdominal_fatness previously detected chromosome result hepatic transcriptome_profile offspring sire known heterozygous distal qtl obtained using chicken oligochip mrna_level gene correlated trait the first approach dissect phenotype identifying animal subgroup according transcript profile linkage analysis using subgroup revealed another qtl middle increased significance distal qtl thereby refining localization the second approach targeted gene correlated trait regulated qtl region five gene considered controlled either qtl mutation mutation close one function_related lipid_metabolism addition qtl analysis multiple trait model combining allowed refine qtl region the third approach use transcriptome_profile predict paternal versus qtl mutation recombinant offspring refine localization qtl gene probable location confidence_interval gene determining recombination breakpoints interval consistent reduction obtained two approach conclusion the result showed feasibility efficacy three strategy used first revealing qtl undetected using whole population second providing functional information qtl region gene related trait controlled region third could drastically refine qtl region', 'the increasing evidence fetal developmental effect postnatal life still_unknown fetal_growth mechanism impairing offspring generated somatic nuclear transfer technique impact stillbirth dystocia conventional reproduction generated increasing attention toward mammalian fetal_growth identified highly_significant quantitative_trait locus qtl affecting fetal_growth bovine_chromosome specific resource_population set consistent use embryo transfer foster mother thus enabled dissection genetic component fetal_growth merging data result cattle population differing historical geographical origin comparative data human association mapping suggests nonsynonymous polymorphism condensin_complex subunit ncapg gene ncapg potential cause identified qtl resulting divergent bovine fetal_growth ncapg gene expression data fetal placentomes different ncapg genotype line recent result differential ncapg expression placentomes study assisted reproduction technique indicate ncapg locus may give valuable_information specific mechanism_regulating fetal_growth mammal', 'background many_country male_piglet castrated shortly birth proportion male pig produce meat unpleasant flavour odour main compound boar_taint androstenone_skatole the_aim association study identify single_nucleotide polymorphism snp associated androstenone_level commercial sire line pig the identification major genetic effect causing boar_taint would accelerate reduction boar_taint breeding finally eliminate need castration result the illumina_porcine beadchip genotyped pig divergent androstenone_concentration commercial sire line the association analysis snp revealed androstenone_level fat tissue significantly affected snp pig chromosome among significant snp explained together genetic_variance androstenone larger region shown associated androstenone covering several candidate_gene potentially_involved synthesis_metabolism androgen besides known candidate_gene cytochrome sulfotransferases also new member cytochrome gene subfamily found addition gene_encoding luteinizing hormone lhb induces steroid synthesis leydig cell testis onset_puberty map area interestingly gene_encoding also located one highly_significant area conclusion_this study_reveals several area genome high resolution responsible variation androstenone_level intact boar major genetic factor showing moderate large effect androstenone_concentration identified commercial breeding line pig known new candidate_gene cluster especially for one significant snp variant difference proportion animal surpassing threshold consumer_acceptance two homozygous genotype much', 'single_nucleotide polymorphism snp association milk_production trait found significant different screening experiment including snp gene hypothesized gene pathway affecting milk_production tested validation population confirm association total snp genotyped across holstein_bull association milk_production trait australian selection index indicating profitability_animal milk_production protein fat milk_yield protein fat composition tested using single snp regression snp significantly_associated one trait effect direction screening experiment therefore association considered validated snp chromosome observed including snp growth_hormone receptor gene previously_published association protein composition protein milk_yield the association protein composition confirmed experiment association protein milk_yield multiple snp regression analysis snp chromosome performed trait revealed mutation significantly_associated milk_production trait least quantitative_trait locus present chromosome', 'background trait mapped bovine_chromosome bta various bovine breed population previously_mapped significant quantitative_trait locus qtl carcass body_weight bta using japanese_black family additional qtl mapping study detected four qtl body carcass_weight overlapped japanese_black japanese brown family map region greater detail applied comparison haplotype shown powerful canine result used microsatellite_marker search shared increasing carcass body_weight haplotype within region among five sire linkage_disequilibrium mapping using maternal allele offspring showed shared haplotype associated body carcass_weight breed the addition single_nucleotide polymorphism snp marker narrowed region containing gene the snp changing met ncapg chromosome condensation protein significantly_associated carcass_weight large japanese_black population well five family the allele snp also associated larger longissimus_muscle area thinner subcutaneous_fat thickness steer five family indicating locus pleiotropic favorable selection beef_cattle conclusion critical region identified the snp changing met ncapg chromosome condensation protein used positional_candidate selection', 'background the somatic_cell score_sc implemented routine sire evaluation many_country indicator trait udder_health somatic_cell score highly_correlated clinical_mastitis german_holstein population quantitative_trait locus qtl sc repeatedly mapped bos_taurus autosome present_study report refined analysis previously detected qtl region aim_identifying marker marker haplotype linkage_disequilibrium sc combined_linkage linkage_disequilibrium approach_implemented association analysis marker genotype maternally_inherited conducted_identify marker haplotype linkage_disequilibrium locus affecting_sc german_holstein population result detected significant qtl within marker interval middle telomeric_region second putative qtl marker interval association analysis genotype marker flanking likely qtl position revealed microsatellite_marker interval associated locus affecting_sc within family investigated analysis maternally_inherited haplotype effect maternally_inherited gamete indicated haplotype marker interval associated sc_german holstein population conclusion_our result confirmed_previous qtl mapping result sc support_hypothesis one locus presumably affect udder_health middle telomeric_region however subsequent investigation reported qtl region necessary verify hypothesis confirm association marker interval sc for_purpose higher marker_density model required narrow position causal_mutation mutation affecting_sc german_holstein cattle', 'feed_intake efficiency economically_important trait feed greatest variable cost beef production feed_efficiency measured residual_feed intake_rfi difference actual dmi animal expected dmi based growth_rate feed_conversion ratio_fcr inverse gross feed_efficiency ratio dmi_adg total snp across bovine_autosome analyzed steer sired angus_charolais alberta_hybrid bull association rfi total snp associated rfi significant nine snp pair show high linkage_disequilibrium snp pair used analysis two method used create panel snp maximally informative rfi based data first method unique snp combined single multivariate_model backward elimination model used drop snp snp left model significant the snp greater effect combined multivariate_model tested individually second method estimate snp used create sequential molecular breeding_value mbv according compound covariate prediction ccp procedure the sequential mbv built adding estimated effect one time keeping snp effect sequential mbv test_statistic proportion_variance explained improved predictability method compared regressing rfi final mbv created snp remained analytical model the mbv compound covariate prediction model produced whereas multivariate_model mbv decreased the significant snp also tested association dmi fcr the snp showed different combination association trait including associated rfi about snp model within previously identified rfi qtl pinpoint area explore positional_candidate gene conclusion study identified panel snp significant effect rfi need_validated independent population provides continued progress toward selecting marker use_selection feed_efficiency beef_cattle', 'background association analysis powerful tool annotating phenotypic effect genome knowledge gene chromosomal_region associated dairy phenotype useful genome selection here_report result analysis predicted_transmitting ability_pta production health_reproduction body_conformation trait contemporary_holstein cow result association analysis identified number candidate_gene chromosome region associated dairy trait contemporary_holstein cow highly_significant gene chromosome region include gnas region milk fat protein_yield insr region btax daughter_pregnancy rate somatic_cell score_productive life somatic_cell score region fat_percentage protein_yield percentage mgmt pdgfra protein_percentage region daughter calving_ease stillbirth region large number trait stillbirth daughter calving_ease dst region daughter stillbirth btax daughter_pregnancy rate for body_conformation trait btax largest concentration snp effect btax ren significant effect body_size trait for body shape trait btax significant udder trait affected btax teat trait affected trait affected conclusion association analysis identified number gene chromosome region associated production health_reproduction body_conformation trait contemporary_holstein cow the result_provide useful_information annotating phenotypic effect dairy genome building consensus dairy qtl effect', 'causal_mutation affecting quantitative_trait variation good target selection carcass trait beef_cattle study linkage linkage_disequilibrium analysis_ldla four carcass trait undertaken using marker bovine_chromosome the ldla analysis detected quantitative_trait locus qtl carcass_weight cwt eye_muscle area_ema position around surrounded marker the qtl marbling mar identified midpoint marker marker interval the likely_position second qtl cwt found midpoint tenth marker_bracket for marker_bracket total number haplotype common frequency effect haplotype cwt varied deviation haplotype haplotype determine gene contribute qtl effect gene expression analysis performed muscle wide_range phenotype the result_demonstrate two gene upregulated increasing cwt_ema whereas significant effect intramuscular_fat imf_content two genetic marker detected likely qtl position qtl study show significant effect trait cwt_ema gene expression analysis conclude three gene could potential_causal gene affecting carcass trait cwt_ema imf hanwoo', 'detecting gene associated milk fat composition could provide_valuable insight_complex genetic network gene underling variation fatty_acid synthesis point towards opportunity changing milk fat composition via selective_breeding study conducted association study_gwas milk_fatty acid chinese_holstein cow plink_software genotype obtained illumina bead_chip total informative single_nucleotide polymorphism snp used totally significant snp suggestive significant snp associated milk_fatty acid trait detected chromosome region affect milk_fatty acid trait mainly observed snp associated one milk_fatty acid trait studied fatty_acid trait significant associated multiple snp especially snp index snp index snp several snp close within fasn gene affect milk composition trait dairy_cattle combined previously_reported qtl region biological_function gene novel_promising candidate index index sfa ufa found composed cpm lipj lipk ehhadh chuk prlr ghr our_finding provide groundwork unraveling key gene causal_mutation affecting milk_fatty acid trait dairy_cattle', 'qtl mapping growth_carcass trait performed_using paternal_family composed japanese_black cattle offspring nine qtl detected significance_level false_discovery rate le these included two qtl marbling bta two qtl carcass_weight bta two qtl longissimus_muscle area bta two qtl subcutaneous_fat thickness bta one qtl rib thickness bta although marbling qtl bta replicated significant linkage two japanese_black cattle sire three marbling haplotype inherited maternally apparently different compare three haplotype detail microsatellite_marker overlapping region developed within ci marker detailed haplotype comparison indicated small region around shared two sire whose dam related association region marbling shown regression analysis using local population two sire produced confirmed association study using population collected throughout japan these_result strongly suggest marbling qtl bta located region around', 'navicular_disease characterized progressive degenerative alteration equine podotrochlea study refined previously identified quantitative_trait locus qtl horse chromosome abnormal development canales sesamoidales dc navicular_bone hanoverian_warmblood horse genotyping done hanoverian_warmblood horse_paternal group the whole marker set_comprised marker including seven newly_developed microsatellites single_nucleotide polymorphism snp within positional_candidate gene significant qtl confirmed refined dc horse chromosome_eca nine microsatellites three snp marker reached highest multipoint zmeans lod_score error probability addition significant association snp within significant association within could shown these_result support possible role candidate_gene within qtl dc this_study step_towards identification gene responsible navicular_disease hanoverian_warmblood horse', 'previous_study demonstrated substitution acylcoa diacylglycerol acyltransferase gene mutation growth_hormone receptor_ghr gene causative quantitative_trait locus underlying milk_yield composition respectively examine application genetic_improvement chinese dairy_cattle productivity herein investigated effect ghr mutation milk fat protein_yield well fat protein_percentage milk holstein_cow genotyping performed_using restriction analysis ghr with mixed animal model significant association substitution milk fat protein_yield identified the allele encode lysine position associated increased milk fat_yield decreased milk_protein yield whereas ghr mutation found significantly_associated protein_percentage the allele_substitution effect may_lead significant increase protein_percentage our_finding indicate ghr could_used increase milk_yield protein_yield chinese_holstein cow', 'homogentisate dioxygenase hgd one six enzyme required catabolism aromatic amino_acid phenylalanine tyrosine here present nucleotide sequence transcript bovine_hgd gene the full length cdna bovine_hgd identified encoding deduced protein amino_acid accession the bovine_hgd gene comprises exon_intron this_first published cdna bovine sequence_share high sequence_similarity specie analysis demonstrated bovine_hgd transcript mainly expressed liver_kidney tissue nine single_nucleotide polymorphism snp identified five coding_region four intronic four snp change_amino acid hgd protein sequence genotype allelic_frequency determined chinese_red cattle breed ten haplotype determined based_upon genotype snp moreover first_time association reported hgd gene polymorphism meat_quality trait chinese_red cattle association analysis showed genotype showed_significant effect meat_cooking rate muscle_fiber diameter_shear force the hgd draiii genotype showed_significant effect muscle_fiber diameter_shear force drip_loss the genotype showed_significant effect meat_cooking rate shear_force drip_loss the genotype showed_significant effect meat_cooking rate shear_force the genotype showed_significant effect meat_cooking rate muscle_fiber diameter_shear force locus statistically_significant difference_observed phu this_first incidence polymorphism bovine_hgd gene demonstrated correlation meat trait chinese_red cattle', 'analysed qtl affecting milk_yield milk_protein yield milk fat_yield dual purpose cattle breed fleckvieh microsatellite_marker covering selected analyse nine family containing son granddaughter_design thereby assigned two new marker public linkage_map using program phenotypic_record daughter_yield deviation dyd originating routinely performed genetic_evaluation breeding animal determine position qtl three different approach applied interval_mapping linkage analysis variance_component analysis lavc combined_linkage disequilibrium linkage ldl analysis all three method mapped qtl marker interval greatest value respectively the positive qtl allele simultaneously increase dyd first lactation milk milk_protein milk fat although mapping accuracy significance qtl effect increased lavc ldl confidence_interval large respectively positional_cloning causal gene the estimated average pair wise marker distance low reflect large effective population size fleckvieh subpopulation analysed this low level suggests need increase marker_density following fine_mapping step', 'gain insight number locus large effect underlie_variation cattle quantitative_trait locus qtl scan economically_important trait performed two commercial angus population using microsatellites single_nucleotide polymorphism snp one duplication locus the first population comprised registered angus bull born expected progeny difference computed american angus association the second comprised family containing steer six growth_carcass phenotype linkage analysis performed least_square regression gridqtl bayesian markov_chain monte_carlo analysis complex pedigree loki detected qtl previously_reported reflecting conservative approach qtl reporting literature liberal approach taken study from genetic_variance phenotypic_variance trait explained detected qtl analyse effect snp one duplication locus within candidate_gene trait single marker analysis performed fitting additive allele_substitution model mapping population there association detected locus trait nominal association explained genetic_variance phenotypic_variance association six locus located_within qtl peak trait two located qtl peak ribeye muscle_area calving_ease strong association several locus trait variation obtained absence detected linked qtl however reject causality several commercialized dna test including association marbling angus cattle', 'the evolution male weaponry animal driven sexual selection predicted reduce genetic_variability underlying trait soay_sheep inherited polymorphism horn_type sex male presenting either large normal_horn small deformed horn scurs addition additive_genetic variation horn_length among male normal_horn given scurred male win conflict male unusual gene conferring scurs persist population identifying genetic_basis trait help_understanding evolution developed microsatellite_marker targeted region soay_sheep genome refined location horn locus approximately interval chromosome located quantitative_trait locus spanning interval peak centred close explained majority genetic_variation horn_length base circumference male respectively therefore genetic_variation horn_type horn_length attributable chromosomal_region understanding maintenance horn_type length variation require investigation selection genotype determine trait', 'accumulated study documented extensive link polymorphism pig productive trait quantitative_trait locus linkage result hand provided extensive evidence showing core several qtls carcass meat_quality trait research screened two substitution coding_sequence one continuous_mutated site pig gene using reference_population pig generation hybrid chinese_native jinhua pig european pietrain the two_missense mutation exon exon led change respectively digested smai introduced separately genotype analysis continuous_mutated site analyzed avai cleavage result continuous_mutated site manifested significantly close association backfat_thickness sixth seventh rib polymorphism associated significantly seven carcass trait the result shown western blotting these_finding inferred probably effect pig carcass trait', 'several milk_protein polymorphism potential tool selection dairy ruminant however research result dairy sheep conclusive goat cattle often controversial the main_objective study find later use molecular genetic marker selection improve milk_production milk composition awassi ewe chromosome chosen several study reported presence significant quantitative_trait locus qtl affecting milk_production trait ovine bovine_chromosome altogether genotype microsatellite locus determined ewe purebred awassi cross phenotypic_data lactation yield milk milk fat protein_lactose average milk_protein fat_percentage average somatic_cell count five microsatellites showed_significant association least_one examined trait', 'background maternal_infanticide extreme failed maternal_behavior defined active attack piglet using jaw resulting serious fatal bite wound brings big economic_loss pig_industry severe problem piglet welfare but little_known genetic background behavior quantitative_trait locus qtl maternal_infanticide identified white_duroc erhualian_intercross linkage analysis npl previous_study study association microsatellite_marker used npl analysis maternal_infanticide behavior analyzed test tdt basis seven gene bdnf oxtr five genomic_region selected analyzed association single_nucleotide polymorphism snp haplotype gene maternal_infanticide behavior evaluated result microsatellite_marker pig chromosome_ssc displayed significance tdt npl seven candidate_gene three snp nominal evidence association allele allele also showed evidence overtransmission infanticidal_sow overall test association haplotype candidate_gene achieved overall significance_level haplotype respectively showed higher frequency infanticidal_sow allele among haplotype snp showed overtransmission infanticidal_sow white_duroc conclusion from association test snp haplotype showed_significant association maternal_infanticide this result supported existence qtl maternal_infanticide behavior', 'awassi merino merino backcross family ewe used map quantitative_trait locus qtl different milk_production trait framework map locus across autosome from five previously proposed mathematical model describing lactation curve wood model considered appropriate due simplicity ability determine ovine lactation curve characteristic derived milk trait milk fat protein_lactose yield well percentage composition somatic_cell score used single approach using maximum_likelihood estimation regression analysis total significant additional suggestive qtl detected across single qtl method trait preparation qtl result compared qtl milk_production trait dairy ewe various public domain source found reprogen ovine gbrowser http many qtl milk_production trait reported chromosome those chromosome strong agreement result reported addition novel qtl found chromosome comparison extended comparing qtl region sheep cattle provided strong_evidence synteny conservation qtl region milk fat protein somatic_cell score data cattle sheep', 'susceptibility_scrapie mainly controlled point_mutation prnp locus however additional quantitative_trait locus qtl identified across genome including region the gene_encodes inducible form cytoplasmic chaperone map within region seems associated scrapie sheep here analyzed several polymorphism previously_described ovine flanking_region intron two naturally scrapie infected romanov sheep population first studied animal pertaining sire_family qtl influencing scrapie_incubation period detected found significant association polymorphism localized flanking_region scrapie_incubation period these two polymorphism also studied second sample constituted sheep showing extreme incubation_period result concordant first dataset finally studied expression scrapie control animal different genotype real time pcr blood_sample the expression rate equivalent scrapie resistant_animal higher scrapie susceptible counterpart our_result support_hypothesis ovine gene act modulator scrapie susceptibility contributing observed difference incubation_period scrapie infected animal prnp genotype', 'although susceptibility_scrapie largely_controlled prp gene role gene affect scrapie resistance sheep confirmed following detection quantitative_trait locus qtl chromosome family susceptible prp_genotype whole pedigree naturally infected flock investigated confirm qtl region different prp_genotype the present_study allowed confirm qtl chromosome demonstrate qtl effect several prp_genotype', 'protein domain_containing control brown fat determination stimulating brown gene expression suppressing expression gene selective white fat cell whose mutation associated myelodysplastic syndrome md leukemogenesis human murine model leukemia date polymorphism gene bovine reported herein dna_sequencing method employed screen genetic_variation within gene chinese_indigenous bovine the result revealed two novel silent mutation hence described pvuii_haeiii forced method_detecting mutation respectively forced analysis pvuii frequency bovine allele varied four chinese_native breed forced analysis haeiii frequency bovine allele jiaxian nanyang_qinchuan chinese_holstein population significant statistical difference genotypic_frequency implied polymorphic locus significantly_associated cattle breed chi square test pvuii_haeiii the association pvuii_haeiii forced bovine locus growth trait analyzed nanyang breed the two snp associated body_weight average_daily gain nanyang aged_month individual genotype showed significantly better body_weight average_daily gain month respectively', 'lectin mbl mediates activation complement system via lectin pathway two form mbl characterized rodent rabbit bovine rhesus monkey whereas one form identified human chimpanzee chicken the two form encoded two distinct gene named identified many_specie including pig report studied two porcine gene the porcine mbl gene higher identity bovine rather primate rodent sequence both gene assigned chromosome radiation_hybrid panel linkage mapping both mbl gene highly_expressed liver also found expressed lung testis brain whereas low expression detected testis kidney new single_nucleotide polymorphism porcine gene found genotyped experimental pig population together previously_reported snp genotype differed serum_concentration vivo complement_activity correspondingly linkage analysis_revealed quantitative_trait locus serum level close position mbl gene the study thus promotes porcine mbl gene functional_positional candidate_gene complement_activity', 'off flavour pork sometimes produce taste sourness fishy metallic flavour often caused low loss function mutation flavin containing known associated fishy flavour chicken egg cow milk similar autosomal recessive disorder present human resulting fishy odour member gene family clustered human chromosome comparative_mapping suggested remaining fmo gene might map orthologous region pig chromosome quantitative_trait locus qtl flavour previously identified primer_designed amplify gene fragment several snp discovered genotyping test developed the genotype iowa state university berkshire_yorkshire resource_population used linkage_map pig chromosome qtl association analysis performed_using map containing result demonstrated mapped le away peak flavour qtl previously detected provide indication association polymorphism flavour pork', 'beta play_role cleaving eccentrically may involved control adipose milk colour cattle the bovine gene sequenced potential candidate_gene beef fat colour qtl chromosome bta single_nucleotide base change located exon cause substitution stop_codon encoded allele tryptophan encoded allele referred herein snp association analysis showed_significant difference subcutaneous_fat colour concentration amongst cattle different genotype animal genotype yellow beef fat higher concentration adipose_tissue genotype qtl mapping analysis snp fitted_fixed effect confirmed snp likely represent quantitative_trait nucleotide_qtn fat trait bta moreover animal genotype yellower milk colour higher concentration milk', 'qtl study performed large family characterize genetic background variation pork_quality trait well examine possibility including qtl selection_scheme the quality trait included ultimate semimembranosus drip_loss minolta color measurement representing meat lightness_redness yellowness respectively the family consist progeny duroc_boar evaluated identify qtl the linkage_map consists snp marker porcine_autosome quantitative_trait locus mapped using linear_mixed model fixed factor sire sex herd month sow age random factor polygenic_effect qtl effect litter significance_threshold determined peipho approach bayes credibility interval estimated posterior_distribution qtl position total qtl meat_quality trait found significant level among qtl significant level significant level segregation identified qtl different family also investigated most identified qtl segregated family for qtl affecting ultimate semimembranosus value position qtl shape likelihood curve almost addition strong correlation estimated effect qtl found trait indicating gene control trait similar pattern seen qtl affecting ultimate muscle drip_loss the result study helpful fine_mapping identifying gene affecting meat_quality trait tightly_linked marker may incorporated selection_program', 'dystocia_stillbirth significant cause female neonatal death many_specie evidence genetic component trait identifying_causal mutation affecting trait genome_wide association study could reveal genetic pathway involved step_towards targeted intervention norwegian red_cattle ideal model breed study large number record available conducted genome_wide association study direct_maternal effect dystocia_stillbirth using almost million record trait genotyping cost minimized genotyping sire recorded cow using daughter average phenotype dense marker map containing single_nucleotide polymorphism covering autosomal_chromosome utilized the genotyped sire assigned one two group attempt ensure independence group association considered validated occurred group strong association found validated chromosome the qtl region chromosome refined using ldla analysis the result showed chromosome probably contains two qtl direct effect dystocia one direct effect stillbirth several candidate_gene may identified close qtl cluster gene expected affect bone_cartilage formation ibsp mepe particular_interest suggest gene screened candidate_gene study dystocia_stillbirth cattle well specie', 'contrast human gene multiple variant described several associated appetite obesity variant reported pig the interesting polymorphism reported date pig significantly_associated variation growth_fatness trait breed cross however report seemingly failed confirm association the discrepancy association pig population suggested discovery snp would_useful utilizing recently released pig genome_sequence information obtained whole_genome sequence detected five additional snp variable repeat indel isu berkshire_yorkshire pig resource family linkage_disequilibrium analysis_revealed additional five snp strong single marker association analysis_indicated significantly_associated fatness measure highly significantly_associated average_daily gain test adgtest three major haplotype identified subsequent association analysis suggested two snp different effect influenced back_fat growth test primarily associated variation growth_rate population interaction effect two snp found adgtest may partly explain previous discrepancy reported different pig population examination polymorphism population effect limited warranted', 'the bovine placental growth gene pgf analysed positional_functional candidate_gene maternal effect stillbirth_calving ease first_parity prominent level pgf expression reported whole human placenta umbilical vein endothelial cell modulation angiogenesis vessel remodelling vascular permeability implantation placentation suggest influence trophoblast function pregnancy change expression protein function may therefore crucial pregnancy parturition comparative_sequencing bull extreme approximate_daughter yield_deviation calving trait identified snp two within pgf gene seventeen identified polymorphism genotyped selected bull tested association approximate_daughter yield_deviation calving trait single marker analysis snp significantly_associated maternal_stillbirth calving_ease first_parity the allele_substitution significant snp explain additive_genetic variance maternal_stillbirth maternal_calving ease first_parity respectively there_evidence polymorphism identified within study could causal_mutation underlying qtl likely regulatory mutation summary report polymorphism bovine pgf gene significantly_associated maternal effect stillbirth_calving ease animal selection these_result confirmed extended study identify_causal mutation_underlying qtl analysed', 'before implementing selection based quantitative_trait locus qtl fertility important determine existence correlated effect fertility qtl qtl effect production trait when qtl detected trait composite subtraits interest validate subtraits affected qtl phenotypic marker data_collected grandsire_family danish_holstein population first trait data fertility_treatment separated underlying subtraits uterine infection antibiotic placed placenta abortion addition retained_placenta selected analysis related uterine infection genome_scan performed_using microsatellite_marker fertility_treatment subtraits_retained placenta additional genome_scan milk_production trait conditional qtl region subtraits_retained placenta conducted second selected genomic_region harboring qtl fertility trait previous_study qtl scan milk_production trait conditional selected region conducted found selected genomic_region containing qtl fertility including fertility_treatment subtraits_retained placenta also harbored qtl milk_yield milk composition trait furthermore qtl region corresponding different fertility trait including fertility_treatment subtraits harbor qtl milk_production milk composition trait region specific fertility trait the genome_scan fertility_treatment subtraits correspond qtl found fertility_treatment qtl detected subtrait abortion however genome_scan retained_placenta revealed different qtl', 'this_study aimed map quantitative_trait locus qtl trait related humoral_innate immune defence therefore haemolytic complement_activity alternative classical pathway serum_concentration haptoglobin measured blood_sample obtained piglet porcine resource_population mycoplasma hyopneumoniae aujeszky disease_virus suid herpesvirus suhvi porcine reproductive_respiratory syndrome_virus prrsv vaccination week_age animal genotyped autosomal marker qtl analysis performed line cross half_sib phenotypic_data adjusted systematic effect mixed_model without repeated measure statement total estimated qtl position detected significance_level respectively the proximal region orthologous distal region intermediate region showed clustering estimated qtl position complement_activity based different model common genetic background single true qtl might underlie qtl position related trait addition qtl antibody_titre detected with regard number magnitude impact qtl humoral_innate immune trait behave like quantitative_trait discovery qtl facilitates identification candidate_gene disease_resistance immune competence applicable selective_breeding research towards improving therapeutic prophylactic measure', 'the_aim study_investigate whether phenotype provide clearer picture quantitative_trait locus qtl affecting calving trait german_holstein breeding_value estimated across parity experiment approximate_daughter yield_deviation calculated applying univariate sire model_assuming unrelated sire used phenotype qtl mapping study these_result compared obtained using deregressed_estimated breeding_value obtained routine german sire evaluation experiment experiment significant qtl found first_parity second_parity only three qtl maternal_stillbirth located showed significance experiment revealed significant qtl the result differed markedly first_second parity within experiment well experiment the present_study showed daughter_yield deviation beneficial mapping qtl calving trait furthermore expected use sharper phenotype also advantageous qtl fine_mapping identification candidate_gene', 'the_objective study evaluate effect marker developed eight gene located previously detected meat_quality qtl region growth fat meat_quality trait collected commercial_pig population different genetic background the gene previously_mapped part effort association analysis conducted marker available phenotypic trait result showed three gene ctsz significantly_associated growth trait addition ctsz also impacted meat_colour le favourable genotype growth associated darker meat the difference_observed genotype substantial may economic_importance pig producer these marker may_useful selecting faster growth improved meat_quality', 'despite economic_interest fatty_acid profile pig gene convincingly associated trait far here porcine microsomal triglyceride transfer protein mttp gene play_crucial role assembly nascent lipoprotein analysed positional_candidate gene qtl affecting fatty_acid composition previously identified chromosome iberian_landrace cross resequencing panel different breed polymorphism conserved residue lipid transfer domain mttp identified association analysis polymorphism showed strong association fatty_acid composition porcine fat much stronger qtl effect cross synthetic_line addition vitro activity assay liver protein extract shown mutation also associated lipid transfer activity mttp protein these_result suggest detected polymorphism potential_causal factor fatty_acid composition qtl there appears interaction porcine mttp genotype type fat source pig diet would agree previous result biology mttp biology', 'study molecular characterization potential association gene carcass trait investigated pig the sequence cdna obtained silico cloning chain_reaction pcr two transcript variant variant gene identified expression analysis different tissue showed variant ubiquitously expressed tissue analysed variant found fat tissue the cdna region variant organized seven eight exon respectively substitution exon change codon glycine codon arginine substitution intron detected fragment_length polymorphism rflp respectively significant difference found allele_frequency among six chinese_indigenous pig breed two commercial_pig breed linkage analysis showed polymorphism within gene closely_linked marker pig chromosome large_white meishan_resource population the qtl association study polymorphism gene carcass trait carried significant association polymorphism backfat_thickness average_backfat thickness leaf_fat weight found additional test marker_assisted association analysis also supported association mutation trait together present_study provided_useful information characterization gene potential association carcass trait pig', 'recurrent_airway obstruction_rao heave naturally occurring disease related sensitisation exposure mouldy hay familial basis complex mode_inheritance scanning approach using two family taken order locate chromosome region contribute inherited component condition family initially panel_microsatellite marker chosen polymorphic selection covering equine_autosome used genotype two family comprised total warmblood_horse subsequently supplementary marker_added total genotyped marker each family focused around severely stallion phenotype individual assessed rao related sign namely breathing effort rest breathing effort work coughing nasal discharge using questionnaire analysis using regression_method family structure performed_using rao composite clinical_sign separately two chromosome region showed_significant association rao additional chromosome region showed modest association this_first publication describes mapping genetic locus involved rao several candidate_gene located region number interleukin these important signalling molecule intricately involved control immune_response therefore good positional_candidate', 'form cysteine protein family play_important role myofiber differentiation here isolated characterized coding gene porcine muscle phylogenic analysis demonstrated diverged first distinguished two member mrna development porcine embryonic skeletal_muscle indicating_potential importance muscle growth genetic variant analysis detected multiple variation approximately region covering exon downstream intron two haplotype identified sequencing one_synonymous substitution used linkage association analysis_revealed substitution significant association firmness lab loin off flavor score water_holding capacity suggestive effect flavor score average glycolytic_potential berkshire_yorkshire population the association analysis result agreed gene localization qtl region meat_quality trait porcine chromosome demonstrated linkage mapping mapping these_result provide fundamental evidence functional_candidate gene affecting pig meat_quality', 'chromosomal_region harboring variation affecting cattle birth_weight gain age identified marker association using highly parallel beadchip assay composed individual snp genotype obtained progeny steer cross grandprogeny steer female sire representing breed sire per breed angus_charolais gelbvieh hereford limousin red angus simmental genotype birth_weaning yearling record used association analysis estimate effect individual snp growth trait analyzed included growth component trait birth_weight bwt adjusted birth_weaning gain adjusted postweaning gain pwg cumulative trait adjusted weaning_weight bwt adjusted yearling_weight bwt pwg index relative difference postnatal_growth birth_weight modeled fixed_effect included additive_effect calf_dam snp genotype contemporary group covariates calf_dam breed composition heterosis direct_maternal additive polygenic_effect maternal permanent environment effect random missing genotype including genotype dam approximated blup procedure pedigree relationship known genotype various association criterion applied stringent test account multiple_testing limited_power detect association small effect relaxed nominal may detect snp associated small effect include excessive false_positive association genomic location snp meeting stringent criterion generally coincided described previously qtl affecting growth trait the snp satisfying relaxed test located_throughout genome most snp associated bwt postnatal_growth affected component direction although detection snp associated one component independent others present possible opportunity selection increase postnatal_growth relative bwt', 'the matrix gene found associated hip structure pig recently three quantitative_trait locus qtls loin_muscle area found chromosome mapped present_study association analysis conducted two pig population polymorphism snp present putative promoter_region gene the association result showed animal allele significantly larger loin_muscle area animal allele confirm present result functional study additional causative snp discovery pig various genetic background necessary', 'background delineating genetic_basis body_composition important agriculture medicine addition incorporation interaction statistical_model provides_insight genetic factor underlie body_composition trait used bayesian model selection comprehensively map main epistatic qtl reciprocal intercross two chicken line_divergently selected high_low growth_rate result identified qtl main effect across chromosome several qtl breast meat yield thigh drumstick yield abdominal_fatness different set qtl found breast_muscle pectoralis major minor suggests could controlled different regulatory_mechanism significant interaction qtl sex allowed_detection qtl body_composition abdominal_fat found several major qtl minor abdominal_fatness qtl also several qtl different chromosome interact affect body_composition abdominal_fatness conclusion the detection main effect epistasis qtl suggest complex genetic regulation somatic growth understanding regulatory_mechanism key mapping specific gene underlie qtl controlling somatic growth avian model', 'performed whole_genome qtl analysis confirm existence qtl affecting fatty_acid composition investigate effect additive_dominance imprinting epistatic_interaction qtl resource_population the population comprising pig obtained_crossing duroc_boar meishan_sow the population measured fatty_acid composition used whole_genome qtl analysis using total microsatellite_marker the suggestive significant threshold equivalent likelihood_ratio test_statistic lrt respectively for single qtl analysis suggestive qtl significant qtl detected suggestive qtl identified chromosome respectively significant qtl detected chromosome greatest lrt for significant qtl paternal imprinting_effect also detected chromosome locus region additive qtl effect large lrt the suggestive qtl chromosome significant correction backfat_thickness included for epistatic qtl analysis total epistatic_pair located chromosome the epistatic_pair significant correction backfat_thickness included the individual qtl identified single qtl analysis epistatic qtl analysis locus except for epistatic qtl pair detected chromosome least the present_study constitutes one first_report mapping imprinted qtl epistatic_pair qtl affecting fatty_acid composition swine population', 'pigmentation trait expressed animal visual characteristic allow distinguish breed strain within breed the_objective study map quantitative_trait locus qtls affecting pigmentation trait approximately grand daughter dairy_cattle jersey cross breed cattle trait analyzed included pigmentation phenotype body teat hoop the phenoypes collected digital photo visual inspection live_animal qtl mapping implemented using inheritance model our analysis initially detected number significant qtls chromosome the significant qtls divided two group one group influencing pigmentation color group affecting absence level pigmentation the significant qtl peak observed bovine taurus_autosome close melanocortin receptor color trait close receptor tyrosine kinase kit close transcription_factor mitf_gene spotting trait association study conducted candidate region gene known affect pigmentation dairy_cattle', 'bovine johne_disease caused_mycobacterium avium spp paratuberculosis_map cause significant loss dairy beef_cattle industry effective vaccination therapeutic strategy disease currently unavailable infected animal either get culled die due clinical disease alternative strategy manage disease selectively breed animal enhanced resistance map_infection therefore_objective study identify genetic locus putatively associated map_infection resource_population consisting holstein_cattle using association approach the beadchip containing single_nucleotide polymorphism snp used genotype animal known map_infection status since traditional analytical technique based analysis account existence linkage_disequilibrium marker used novel principal_component regression_approach snp fit logistic_regression model along principal_component snp chromosome showing association trait covariates such approach allowed account exists multiple marker showing association chromosome our analysis_revealed presence least genomic_region associated map_infection status resource_population brief description genomic_region discussion analysis used study presented', 'identify qtl feed_consumption feeding_behavior trait pig adfi feed_conversion ratio_fcr number visit feeder per day nvd average feeding rate afr recorded animal white_duroc chinese_erhualian resource_population fattening period whole_genome scan_performed microsatellites_covering pig genome across_entire resource_population total qtl identified pig chromosome including significant qtl fcr significant qtl adfi nvd these qtl identified first_time except qtl fcr four significant qtl adjacent known qtl growth_carcass fat_deposition trait supporting existence gene pleiotropic_effect trait white_duroc allele generally associated greater phenotypic value except comparison qtl feed_consumption feeding_behavior indicated distinct chromosome effect type trait characterization causative gene underlying identified qtl would shed_new light genetic_basis feed_consumption feeding_behavior pig', 'cathepsin ctsk selected candidate_gene fat_deposition pig recently human_mouse shown lysosomal proteinase obesity marker single_nucleotide polymorphism snp identified intron porcine ctsk gene allele_frequency polymorphism analysed seven pig breed radiation_hybrid mapping confirmed localization ctsk porcine chromosome close qtl region three population pig one italian_large white two italian_duroc group pig selected association analysis italian_large white breed snp informative association analysis including italian_duroc pig showed ctsk marker associated back_fat thickness_lean cut average_daily gain_feed gain ratio estimated_breeding value', 'mouse homozygous animal high growth mutation show increase growth without becoming obese this region homologous distal_part pig chromosome previous genome_scan detected several quantitative_trait locus qtl region body_composition meat_quality using three generation berkshire_yorkshire resource family study effect swine growth fat meat_quality trait three gene previously identified within mouse high growth region analysed the gene studied ripki domain_containing adaptor death domain cradd suppressor cytokine_signalling addition influence two gene located_close region namely plasma_membrane atpase dual specificity phosphatase gene also investigated single_nucleotide polymorphism identified used map gene qtl region result_indicate significant association gene several phenotypic trait including fat_deposition growth pig the present_study suggests association gene swine fat growth related trait study_needed order clearly identify gene involved_regulation qtl located', 'livestock industry meat_color become important consumer_acceptance subject appearance product marketplace our previous analysis whole_genome qtl scan various meat_quality using family japanese_wild boar known red meat large_white duroc chinese jinhua suggested meat_color heme content qtl located the_objective study meat_color qtl subsequently investigate positional_candidate gene polymorphism may cause change meat_color therefore conducted interval_mapping using additional gene marker combined analysis family japanese_wild boar large_white progeny duroc chinese jinhua progeny comparative analysis human_mouse cattle suggested functional gene region among gene suggested novel pig gene_encoding nudix nucleoside diphosphate linked moiety motif member nudix hydrolases strong candidate qtl mouse reported hydrolyze substrate reaction limiting rate heme biosynthesis therefore determined pig gene sequence including promoter_region explored genetic polymorphism japanese_wild boar large_white identified polymorphism within cd region none substitution associated meat_color qtl however polymorphism found putative transcription_factor recognition site investigated differential_expression japanese_wild boar large_white quantitative_pcr the expression_level large_white type allele greater japanese allele consequently speculated difference meat_color japanese_wild boar large_white caused partly differential_expression candidate_gene upregulation expression muscle may reduce content thus reduce level heme biosynthesis', 'background simultaneous_detection multiple qtls quantitative_trait locus may allow accurate estimation genetic effect analyzed outbred commercial_pig population different single multiple model clarify genetic property addition investigated pleiotropy among growth obesity trait based allelic correlation within gamete method three closed population individual yorkshire large_white synthetic breed large_white individual large_white individual analyzed using variance_component method model six marker chromosome five seven marker chromosome used result population displayed high test_statistic fat trait applying model two position two chromosome the estimated_heritabilities polygenic_effect first_second qtl respectively the high correlation estimated allelic effect gamete qtl test_statistic suggested two separate qtl detected different chromosome pleiotropic_effect two fat trait analysis population using model three fat trait found similar peak_position chromosome allelic effect three fat trait gamete highly_correlated suggesting_presence pleiotropic qtl population three growth trait also displayed similar peak_position chromosome allelic effect gamete correlated conclusion detection second qtl model reduced polygenic heritability improve_accuracy estimated_heritabilities qtls', 'the previous result genome_scan total number_piglet born number_piglet born_alive iberian_meishan intercross showed several single epistatic qtl one interesting result obtained two qtl affecting trait showed epistatic_interaction study proposed two gene biological potentially positional_candidate underlying qtl both cdna characterized polymorphism detected chromosome scan_conducted marker plus one snp one covering the epistatic qtl confirmed mapped around region respectively several snp gene tested standard animal model marker_assisted association test the significant result obtained haplotype defined one missense snp val ala duplication this duplication seems include element could target_site mirna therefore statistical biological indication consider haplotype potential_causal mutation_underlying result conclusive although interaction snp significant reject possibility interaction haplotype polymorphism closely_linked snp analysed', 'four gene vtn kera lyz est affymetrix probe set whose candidacy trait related capacity meat arises differential_expression selected candidate_gene analysis based silico_analysis snp detected confirmed sequencing used genotype animal pig population including commercial_herd pietrain pietrain_german large_white german_landrace german_landrace experimental_population duroc_pietrain dupi comparative genetic mapping established location vtn lyz kera coinciding qtl region meat_quality trait vtn showed association drip_loss lyz revealed association conductivity drip_loss kera associated showed association drip_loss respectively however none candidate_gene showed_significant association particular trait across population this may due breed specific effect related difference meat_quality thesis pig breed the study revealed statistic evidence link genetic_variation locus close promoted four candidate_gene functional_positional candidate_gene meat_quality trait', 'dinucleotide microsatellite within promoter signal_transducer activator_transcription gene bovine_chromosome included panel genetic marker used parentage testing procedure cattle breed association allelic size pcr amplicons range objective_study use microsatellite data beef_cattle breed association investigate genetic distance population_stratification among cattle use genotype growth ultrasound carcass data investigate statistical relationship three series genotype phenotype association analysis conducted angus data brangus data brahman angus multibreed data angus brangus_cattle thirteen allele genotype observed frequency varied_among breed group test genetic identity distance among breed composition group increasing brahman influence revealed increased genetic distance angus ranged this accomplished microsatellite locus mixed effect model involving genotype fixed_effect sire random source variation suggested angus cattle genotype tended heavier genotype brangus_cattle allele combination classified small large brangus_cattle genotype heavier birth_weight yet cattle genotype approximately greater percentage fat within per cattle genotype relationship detected multibreed analysis the locus appears associated growth_carcass trait angus brangus_cattle result study provide support one candidate_gene underlying cattle growth qtl chromosome', 'porcine gene mapped swine chromosome_ssc involved_regulation proliferation differentiation skeletal_muscle cell the ldha lactate dehydrogenase coatomer protein complex_subunit beta gene map close involved energy_metabolism protein transport process both gene might_play important_role muscle_development however_little known porcine ldha gene present_study cdna two gene cloned the mapping result demonstrated porcine ldha mapped ssc region several qtl growth_carcass trait including average_backfat thickness_lean fat_percentage the result revealed ldha highly_expressed porcine_skeletal muscle tissue implying potential regulatory_function muscle_development ldha mapped region multipoint analysis generated best map order gene linked marker association analysis_revealed substitution significant effect average_daily gain test average_backfat thickness_bft loin_muscle area lumbar_bft marbling_score tenth_rib bft average drip_loss fiber_type ratio the substitution significant effect average bft lumbar_bft tenth_rib bft carcass_weight last rib_bft interestingly snp associated average bft lumbar_bft tenth_rib bft', 'leg_weakness pig serious problem pig_industry performed whole_genome quantitative_trait locus qtl analysis find qtls affecting_leg weakness trait landrace population progeny five sire measured leg_weakness trait whole_genome qtl mapping performed_using method using microsatellite_marker significant qtls affecting_leg weakness trait detected however level qtls affecting_leg weakness trait detected chromosome qtl effect ranging phenotypic_variance level qtls affecting rear foot_score total leg score detected chromosome qtl effect phenotypic_variance respectively chromosome qtls found study located nearby position the present_study one first_report qtls affecting fitness related trait leg_weakness trait segregate within landrace population the study also provides useful_information studying qtls purebred_population', 'the_objective study identify alternative transcript single_nucleotide polymorphism snp region_utr bovine malic enzyme gene evaluate extent polymorphism associated meat_quality carcass trait chinese_red cattle two transcript long transcript short transcript differ length utr cloned single_nucleotide polymorphism detected utr restriction site endonuclease also found the result revealed genotype significant effect cooking_loss measured eye_muscle area conclusion snp may used dna marker select meat_quality carcass trait chinese_red cattle', 'study genetic_variation coding_region cattle ccaat enhancer binding_protein alpha namely cebpa_gene detected dna_sequencing method individual qinchuan_cattle breed two haplotype three observed genotype detected the result dna sequence showed one mutation comparison the mutation located coding_region cebpa_gene association cebpa_gene genetic_variation carcass trait revealed qinchuan_cattle least_square analysis_revealed significant statistical effect cebpa_gene different genotype slaughter weight carcass_weight qinchuan_cattle individual genotype showed higher slaughter weight carcass_weight individual genotype therefore result_suggest cebpa_gene strong candidate_gene affect carcass trait qinchuan_cattle', 'the_objective study identify locus linked bovine_respiratory disease brd subsequently determine locus associated bovine viral diarrhea virus persistent infection affected_calf dam linkage study using microsatellites conducted_identify locus linked brd brahman_hereford sire_family disease_incidence recorded birth slaughter daily monitoring linkage suggestive qtl six marker_added genotyped respectively interval linkage found these marker used reevaluate brahman_hereford family evaluate additional crossbred family linkage found brd peak peak the marker tested association calf compared_unaffected calf herd dam compared_unaffected calf sixty commercial beef herd tested calf ranch four marker associated marker associated calf compared_unaffected calf the comparison dam unaffected_calf detected association marker tested marker', 'relationship calpain system meat_tenderness carcass trait examined purebred angus bull genotype calpain classified rflp restriction_fragment length polymorphism sscp single strand_conformation polymorphism analysis designing primer based calpain regulatory subunit capns gene bull month_age slaughtered_carcass trait including fat_thickness fat longissimus_muscle area_lma percentage kidney pelvic heart fat kph hot_carcass weight hcw marbling_score mar quality_grade qul analyzed measurement regarding meat_tenderness involved activity calpastatin cac uac_mac shear_force wb myofibril fragmentation_index mfi statistical_significance calpain genotype accounted variation mar_qul capns locus locus explained variation uac_mac significant mean difference genotype capns locus found mar_qul uac showed_significant correlation mac cac mfi fat mar found mac correlated wb fat hcw mar_qul strong positive_correlation detected lma hcw mar_qul negative_correlation mfi mar estimated from result may possible use calpain genotype classified rflp sscp analysis marker_assisted selection_program estimate uac_mac precisely regardless meat_tenderness improve mar_qul beef_cattle', 'putative quantitative_trait locus qtl region chromosome selected previous genome_scan resource_population evaluation commercial duroc population total single_nucleotide polymorphism snp marker genotyped marker segregating the snp associated ultimate phu decline associated phu the snp associated marbling_score day marker associated respectively the marker associated lma marker associated phu color score these_result commercial duroc population showed general consistency previous genome_scan', 'the cassette transporter also known breast cancer resistance protein bcrp belongs cassette abc family transmembrane drug transporter playing crucial_role protection various cell tissue xenotoxins endotoxin recently several study proposed potential gene underlying qtl bovine_chromosome hence study method applied detect two polymorphism target_sequence coding domain nbd region evaluate association milk_production trait trait among chinese_holstein analyzed population allelic_frequency allele respectively genotypic_frequency disequilibrium moreover significant statistical relationship polymorphism gene following trait including milk_yield milk_protein percentage_somatic cell_score sc found when_compared genotype genotype associated higher milk_yield lactation well lower milk_protein percentage sc thus genotype suggested molecular_marker superior milk performance', 'onset_sexual maturation trait extreme importance evolutionarily economically unsurprisingly therefore domestication acted reduce time sexual_maturation variety animal including chicken comparison wild progenitor chicken red_junglefowl rjf domestic layer hen attain maturity approximately earlier addition domestic layer also posse larger comb sexual_ornament produce egg denser bone large quantitative_trait locus qtl analysis performed_using intercross white_leghorn layer breed rjf population onset_sexual maturity measured mapped three separate locus this cross already analysed comb_mass egg_production bone allocation onset_sexual maturity significantly_correlated comb_mass whilst genetic_architecture sexual_maturity comb_mass overlapped three locus for two locus qtl sexual_maturity comb_mass statistically indistinguishable pleiotropy suggesting allele increase comb_mass also decrease onset_sexual maturity', 'major whey_protein milk order investigate polymorphism variant precursor genbank_accession gene effect milk trait conformation polymorphism method adopted analyze polymorphism gene chinese_holstein four genotype found abc single_nucleotide polymorphism snp detected mix type exon gene also found protein content abc dairy_cow higher cow highest among three snp might affect milk trait high polymorphism pic research three snp also caused amino_acid change asp glu thr pro ala val respectively spatial secondary tertiary structure forecasting result also showed single amino_acid change influence protein spatial structure change chinese_holstein taken_together suggested snp change gene structure expression the polymorphism possibly hold secret milk_protein fat_content milk chinese_holstein', 'availability complete_genome sequence well snp genotyping_platform allows association study_gwas chicken snp_array containing marker employed herein identify associated variant underlying egg_production quality trait within two line chicken white_leghorn dwarf layer for individual age_first egg_afe first_egg weight few number egg week_age recorded egg quality trait including egg_weight eggshell weight esw yolk weight eggshell_thickness est eggshell strength es albumen height haugh unit measured week_age total white_leghorn female dwarf dam selected genotyped the scan revealed snp showing significant bonferroni_correction association egg_production quality trait fisher combined probability method some significant snp located known gene including impact development function ovary located gene unclear function layer need studied many significant snp also detected study located previously_reported qtl region most locus detected study novel replication study may needed_confirm functional significance newly_identified snp', 'background integrative genomics_approach combine genotyping transcriptome profiling segregating population developed dissect complex trait the common approach identify gene whose eqtl colocalize qtl interest providing new functional hypothesis causative_mutation another approach includes defining subtypes complex trait using transcriptome_profile performing qtl mapping using subtypes this approach refine qtl reveal new paper introduce factor analysis multiple_testing famt define subtypes accurately reveal interaction qtl affecting trait the data used concern hepatic transcriptome_profile half_sib male chicken sire known heterozygous qtl affecting abdominal_fatness chromosome distal region around result using methodology account hidden dependence structure among phenotype identified gene significantly_correlated trait distinguished subtypes trait observed gene list obtained classical approach after exclusion one two lean bird subtypes linkage analysis_revealed previously_undetected qtl chromosome around interestingly animal subtype presented paternal haplotype qtl this result strongly suggests two qtl interaction word configuration qtl could hide qtl existence proximal region show proximal qtl interacts previous one detected chromosome distal region conclusion_our result_demonstrate stratifying genetic population molecular phenotype followed qtl analysis various subtypes lead_identification novel interacting qtl', 'keyhole_lymphet haemocyanin antigen trigger type immune_response qtl primary immune_response towards keyhole_lymphet haemocyanin detected chicken chromosome three population the result recent population inconsistent varied_depending applied qtl detection model the major_goal current_study reanalysis data using qtl model additionally order provide accurate estimate qtl effect position epistasis qtl considered potential important contributor quantitative_trait four statistical_model assumed model_assuming marginal_additive effect two qtl model_assuming marginal epistatic additive_effect two qtl model_assuming marginal_additive dominance_effect two qtl model_assuming marginal_additive dominance_effect two qtl possible pairwise epistases two qtl significant additive_dominance effect detected chicken chromosome using model one qtl detected another fdr modelling additive_effect resulted significantly worse fit hand including epistatic effect improve fit significantly the current_study confirms previous_report qtl location notable finding study recognition two closely_related qtl keyhole_lymphet haemocyanin response distal_part chicken chromosome', 'body_size trait reflect condition body development always mentioned breed described also target breeding_programme chicken several report focused body_size trait shank_length tibia_length bone trait however study carried chest_width chest_depth body slope length head width trait study genome_scan conducted resource_population individual family derived_intercross white_plymouth rock silkies fowl identify_quantitative trait locus qtl associated week_age total significant suggestive qtl found affected four body_size trait four qtl reached_significance level associated week_age affecting trait week_age related trait week_age trait week_age', 'performed quantitative_trait locus qtl analysis egg_production trait including age_first egg_afe egg_production rate epr measured every week_week hen age population hen derived_intercross japanese large game white_leghorn breed chicken simple interval_mapping revealed qtl afe chromosome four qtl epr chromosome three chromosome one chromosome level among three epr qtl chromosome two identified early stage egg_laying week hen age remaining one discovered late stage week the allele two epr qtl derived breed unexpectedly increased trait value irrespective inferior white_leghorn trait this_suggests one indigenous japanese breed untapped resource important improvement current elite commercial_laying chicken addition six epistatic qtl identified chromosome none qtl located this_first example detection epistatic qtl affecting egg_production trait the main epistatic qtl identified accounted_phenotypic variance the total contribution qtl detected trait phenotypic genetic_variance ranged respectively', 'previously quantitative_trait locus qtl affect body_weight week_age carcass_weight week_age mapped chicken chromosome after including marker individual confidence_interval narrowed approximately mbps located qtl near microsatellite_marker this qtl qtl bone trait including metatarsus length metatarsus circumference week_age keel length metatarsus claw weight_week age identified using population current_study individual northeast_agricultural university_resource population used polymorphism snp around developed construct_haplotype association analysis performed qtl the haplotype_constructed basis sliding three snp marker included the association analysis result_indicated haplotype significantly_associated bone trait suggested qtl bone trait located linkage_disequilibrium region the interval approximately kbps this region contained five refseq gene mlnr university california santa cruz website the gene selected candidate_gene five snp identified gene the association result_indicated gene major gene bone trait the snp gene might two quantitative_trait nucleotide bone trait', 'marek_disease virus_mdv highly contagious oncogenic alphaherpesvirus cause disease cancer model continuing threat world poultry_industry this comprehensive gene expression study analyzes host_response infection resistant_susceptible line chicken inherent expression difference two line following infection host novel pathogenicity mechanism involving downregulation gene containing transcription_factor binding_site early day postinfection suggested analysis drive antitumor mechanism suggesting mdv infection switch gene involved antitumor regulation several day expression mdv oncogene meq the comparison gene expression data previous qtl data identified several gene candidate involvement resistance one gene confirmed single_nucleotide polymorphism analysis involved susceptibility it precise mechanism remains elucidated although analysis gene expression data suggests role apoptosis understanding gene involved defining pathological mechanism disease give much greater ability try reduce_incidence virus costly poultry_industry term animal_welfare economics', 'natural antibody create crucial barrier initial step innate humoral immune_response the main role defense system bind pathogen early stage infection different pathogen recognized presence highly_conserved antigen determinant lipopolysaccharide lp bacteria lipoteichoic acid lta bacteria chicken different genetic background bind lp_lta antigen encoded different qtl the main_objective work confirm known qtl associated lp_lta for_purpose chicken reference_population created_crossing breed commercial layer white_leghorn polish indigenous_chicken partridgelike the chromosomal_region analyzed harbored ggaz the data_collected consisted titer_binding lp_lta determined elisa age well genotype short tandem_repeat marker average collected generation the analysis performed statistical_model paternal_maternal line cross linkage analysis linkage_disequilibrium implemented gridqtl software http the qtl study humoral_innate immune_response trait resulted confirmation qtl associated titer_binding lp located ggaz qtl associated titer_binding lta located set candidate_gene within region validated qtl proposed', 'present_study connected cross used map qtl classical fat trait well metabolic cytological trait pig the founder_breed chinese_meishan european_wild boar pietrain extent founder animal different cross the different selection history breed fatness trait well connectedness cross led high statistical_power the total number animal varied_depending trait the animal genotyped around genetic marker mostly microsatellites the statistical_model model accounted imprinting the model previously introduced plant breeding experiment the trait investigated backfat_depth fat area well relative number fat cell different size metabolic trait soluble protein content indicator level metabolic turnover dehydrogenase indicator enzyme activity the result revealed total significant qtl chromosome often overlap confidence_interval several trait these confidence_interval case remarkably small due high statistical_power design total qtl showed_significant imprinting_effect the small overlapping confidence_interval classical fatness trait well cytological metabolic trait enabled positional_functional candidate_gene identification several mapped qtl', 'association study milk_production trait milk_yield protein_yield fat_yield protein_percentage fat_percentage performed population braunvieh cattle five_hundred bull autosomal single_nucleotide polymorphism snp marker bos_taurus autosome_bta included analysis principal_component analysis conducted adjust effect population_stratification analyzed data_set for principal_component analysis relationship individual calculated three different criterion horn test kaiser criterion jolliffe criterion tested determine number significant principal_component estimation putative association snp milk_production trait carried_using linear_regression model software foundation statistical computing vienna austria significant principal_component adjusting population_stratification separately criterion family relationship genotype individual snp included_fixed effect model the inflation factor plot calculated compare different criterion deal stratification mapping population based analysis aforementioned criterion conclude jolliffe criterion deal best population_stratification furthermore significance_threshold given false_discovery rate estimated used specific trait three analyzed trait showed_significant association snp two snp effect milk_yield snp affected fat_yield snp associated fat percent single_nucleotide polymorphism identified study associated milk_production trait contribute mapping corresponding quantitative_trait locus investigation gene responsible polymorphism milk_production trait dairy_cattle described comparison different criterion determination significant principal_component provide important information similar study stratified population', 'resource_population constructed crossing pig duroc_pietrain breed study animal used identify_quantitative trait locus qtl affecting carcass meat_quality trait based result first scan analyzed model using microsatellite_marker animal chromosome selected genotyping additional marker twenty additional marker genotyped animal marker used first scan genotyped additional animal three different mendelian_model using qtl analysis applied second scan model model combined model significance_threshold determined false_discovery rate_fdr total qtl using model qtl using model additional qtl using combined model identified the model revealed strong_evidence qtl region carcass trait backfat meat_quality trait tenderness color respectively qtl dressing percent marbling_score moisture percent cie carcass length sparerib weight also significant additional marker animal genotype increased statistical_power qtl detection applying different analysis model allowed confirmation qtl detection new qtl', 'background growth_carcass trait great_economic importance livestock production large number quantitative_trait locus qtl identified growth_carcass trait porcine chromosome one key positional_candidate chromosomal_region transforming_growth factor beta type receptor this gene play_key role inherited disorder cardiovascular craniofacial neurocognitive skeletal development mammal result study polymorphic snp porcine gene identified university illinois yorkshire meishan_resource population three snp representing major polymorphic pattern snp individual illinois_population selected analysis qtl association genetic_diversity association analysis growth_carcass trait completed using three representative snp illinois_population individual large commercial population animal the result_indicate gene polymorphism significantly_associated growth_rate including average_daily gain_birth significant association also identified gene polymorphism carcass trait including illinois_population thickness_lean percentage muscle color commercial population these three snp also used genotype diverse panel animal representing pig breed allele fixed pietrain sinclair pig breed allele uniquely identified chinese_meishan pig strong_evidence association allele reproductive trait including gestation_length number_corpus lutea also observed illinois_population conclusion_this study give first evidence association porcine gene trait economic_importance provides support using marker pig breeding selection_program the genetic_diversity different pig breed would helpful understand_genetic background migration porcine gene', 'three single_nucleotide polymorphism snp porcine gene used association analysis haplotype_construction evaluate effect substitution four hundred three pig yorkshire berkshire breed used the mrna_expression level examined the snp significantly_associated several muscle_fiber characteristic loin_eye area lightness particularly animal site showed good performance lean_meat production meat_quality trait the result haplotype substitution similar association individual snp moreover snp significant effect mrna_expression therefore snp may meaningful dna marker used improving important porcine economic trait', 'background boar_taint undesirable smell taste pork meat derived entire male pig the main_cause boar_taint two compound_androstenone skatole the steroid androstenone sex pheromone produced testis boar skatole produced tryptophan bacteria intestine pig many_country pig castrated piglet avoid boar_taint however undesirable animal_welfare reason genetic_variation affecting level boar_taint previously demonstrated many breed study presented paper marker haplotype applied selection_scheme order_reduce eliminate boar_taint problem identified result approximately snp segregating boar three danish breed duroc_landrace yorkshire used_conduct genome_wide association study boar_taint compound suggestive quantitative_trait locus qtl haplotype three single marker effect identified furthermore haplotype mapped previously identified region haplotype also analysed effect slaughter weight meat content the promising haplotype identified sus_scrofa chromosome the gain fixed_effect haplotype level androstenone landrace identified high addition haplotype explained_phenotypic variation within trait the haplotype identified around gene known indirect impact amount androstenone addition gene candidate_gene haplotype affecting androstenone whereas candidate_gene indolic compound identified conclusion despite small sample_size total haplotype three single marker identified including genomic_region previously_reported the haplotype analysed showed large effect trait level however_little overlap qtl breed observed', 'association study performed reproductive trait commercial sow using beadchip bayesian statistical method the trait included total number_born tnb number_born alive_nba number_stillborn number mummified foetus birth mum gestation_length first three parity report association informative qtl gene within qtl reproductive trait different parity these_result provide_evidence gene effect temporal impact reproductive trait different parity many qtl identified study new pig reproductive trait around total gene located identified qtl region predicted involved placental function the genomic_region containing gene important foetal developmental uterine function associated tnb_nba first two parity similarly qtl foetal developmental hnrnpd ahr placental gene associated mum different parity the qtl gene related blood flow vegfa hematopoiesis mafb associated difference among sow population pathway analysis using gene within qtl identified modest underlying biological_pathway interesting_candidate nucleotide metabolism_pathway pig reproductive trait different parity further validation study large population warranted improve_understanding complex genetic_architecture pig reproductive trait', 'background lymphocyte act major component adaptive immune_system taking crucial responsibility immunity difference proportion subpopulation_peripheral blood among individual condition provide_evidence genetic control trait little_known genetic_mechanism especially_swine identification genetic control variant may_help genetic_improvement immune_capacity selection result identify_genomic region responsible immune trait swine association study conducted total pig three breed involved study day_age individual vaccinated modified_live classical_swine fever_vaccine blood_sample collected piglet day_age respectively seven trait including proportion ratio cell measured two age all sample genotyped single_nucleotide polymorphism snp using_illumina beadchip snp selected quality_control association test snp immune trait considered based regression_model tackle issue multiple_testing gwas permutation performed determine_significance level association test total snp significance_level snp significance_level identified significant snp located_within qtl region reported previous_study furthermore several significant snp fell_region harboring known gene fell_region harbor known gene conclusion_our study demonstrated association study would feasible way revealing potential genetics variant affecting subpopulation result herein lay preliminary foundation identifying_causal mutation_underlying swine immune_capacity study', 'trait complex economically_important livestock industry the_aim study identify_quantitative trait locus qtl associated positional_candidate gene affecting growth pig association study_gwas performed_using porcine polymorphism snp bead_chip model linear_regression approach used gwas the data used study included purebred landrace pig all_experimental animal genotyped snp located_throughout pig autosome identified strong association snp marker chromosome body_weight day_age bonferroni adjusted the snp marker located_near genomic_region containing encodes iroquois homeobox this snp marker could_useful selective_breeding program validating effect population', 'porcine reproductive_respiratory syndrome_prrs cause decreased reproductive_performance breeding animal increased respiratory problem growing animal result significant economic_loss swine_industry vaccination generally effective prevention prrs partially rapid mutation rate evolution virus the_objective current_study discover genetic_basis host_resistance susceptibility prrs_virus association study using data prrs host_genetics consortium project three group approximately commercial_crossbred pig breeding_company infected prrs_virus age blood_sample collected post_infection dpi pig genotyped_illumina porcine_beadchip analysis focused viremia day blood collected gain dpi dpi viral_load quantified area curve dpi heritabilities moderate litter accounted additional phenotypic_variation genomic_region associated found chromosome the region identified chromosome influenced exhibited strong_linkage disequilibrium explained genetic_variance despite genetic_correlation genomic ebv region favorably nearly perfectly correlated the favorable_allele significant snp region frequency estimated allele_substitution effect significant group snp fitted_fixed covariate model included random_polygenic effect overall estimate unit phenotypic phenotypic candidate_gene region include interferon induced protein gene family conclusion host_response experimental prrs_virus challenge strong genetic component qtl chromosome explains substantial_proportion genetic_variance studied population these_result could major impact swine_industry enabling selection reduce_impact prrs need_validated additional population', 'association mapping central part porcine chromosome harboring qtls carcass meat_quality trait performed snp located physical_map italian_large white pig for analyzed animal record estimated_breeding value average_daily gain_back fat_thickness lean cut ham_weight feed_conversion ratio phu cie cie cie drip_loss available significant qtl fat_deposition adjusted adjusted position qtl growth meatiness adjusted position mapped these_result association mapping much accurate linkage mapping facilitate_search position candidate_gene causative_mutation needed application marker marker_assisted selection', 'background the important parameter influencing technological quality pig meat trait affected environmental genetic factor several quantitative_trait locus associated meat described pigqtl database two gene influencing parameter far detected ryanodine receptor protein_kinase gamma_subunit search gene influencing meat analyzed genomic_region quantitative effect trait order detect snp use association study result the expressed sequence mapping porcine chromosome region associated pork searched silico find snp detected snp used genotype italian_large white pig perform_association analysis meat value recorded semimembranosus_muscle hour hour phu post result analysis showed marker mapping chromosome associated marker mapping chromosome associated phu after false_discovery rate_correction one snp mapping chromosome confirmed associated phu this polymorphism located two partly overlapping gene deoxyhypusine synthase dhps repeat_domain the overlapping allows mrna stability antisense transcript method regulation dhps catalyzes first_step hypusine formation unique amino_acid formed posttranslational modification protein eukaryotic translation initiation factor specific lysine residue important_role modulation cascade gene involved cellular hypoxia defense intensifying glycolytic pathway theoretically meat value conclusion the involvement snp detected gene meat phenotypic_variability functional role suggestive molecular biological_process related glycolysis increase phase this finding validation applied identify new biomarkers used improve pig meat_quality', 'many qtls fatness trait mapped pig chromosome various pig resource_population eight novel marker including seven snp one insertion deletion within ppard mdfi gnmt gene well two previously_reported snp gene genotyped large_white meishan pig breed except two snp gene allele_frequency eight marker highly_significant different chinese_indigenous meishan breed large_white pig breed eight polymorphic_site used linkage qtl mapping refine fatness qtl large_white meishan_resource population five significant qtls detected qtls leaf_fat weight backfat_thickness rib rump mean backfat_thickness narrowed_interval ppard gene qtl backfat_thickness gnmt gene', 'scan progeny broiler_layer cross conducted_identify quantitative_trait locus qtl affecting rate growth tail wing back_feather width breast_feather tract three week_age correlation trait ranged male longer tail wing feather shorter back_feather female breast_feather tract width greater female male qtl effect generally additive accounted sex average feather length breed breast_feather tract width positive_negative allele inherited line whereas layer allele larger broiler allele adjusting body_weight total suggestive qtl detected three week_age qtl located similar region qtl body_weight analysis model body_weight three week covariate identified genome significant suggestive qtl two coincident body_weight qtl one qtl feather length identified similar location unadjusted analysis the result_suggest rate feather growth largely_controlled body_weight qtl qtl specific feather growth also exist', 'background reproductive trait prolificacy great_interest pig_industry better_understanding genetic_architecture help increase efficiency pig productivity implementation marker_assisted selection_ma programme result the mucin gene evaluated candidate_gene prolificacy qtl described iberian_meishan intercross for association analysis two previously_described snp genotyped pig population qtl number_piglet born_alive nba total number_piglet born_tnb confirmed position respectively the gene successfully located_within confidence_interval qtl only polymorphism significantly_associated nba_tnb favourable effect coming meishan origin expression_level determined sow displaying extreme phenotype number embryo day gestation difference uterine expression found high_low prolificacy_sow overall expression high_prolificacy sow almost increased compared low prolificacy_sow conclusion_our data suggest could play_important role establishment optimal uterine environment would increase embryonic survival pig gestation', 'qtl analysis female_reproductive data experimental_cross meishan_large white pig breed presented six boar sow progeny large_white boar_meishan sow produced gilt whose reproductive_tract collected slaughter gestation five trait total weight reproductive_tract empty uterine_horn ovary wov embryo well length uterine_horn luh measured analyzed without adjustment litter_size animal genotyped total marker_covering entire porcine genome analysis carried based interval_mapping method using regression sib maximum_likelihood test total significant qtl detected different chromosome_ssc five significant qtl detected luh weight empty uterine_horn wov total weight reproductive_tract weight embryo additional suggestive qtl also detected the largest_effect obtained luh wov trait phenotypic_variance respectively meishan allele positive_negative effect trait investigated moreover qtl generally fixed founder_breed opposite effect case obtained different family although reproductive_tract characteristic moderate correlation reproductive_performance major qtl detected study previously_reported affecting female_reproduction generally reduced significance_level this_study thus show focusing trait high_heritability might_help detect locus involved low_heritability major trait breeding', 'phenotypic_variation milk_production trait described course lactation well different parity the_objective study_investigate whether variation production affected different locus across lactation association study_gwas using snp_chip conducted divergent german_holstein friesian_cow test association milk_production trait different lactation the first four lactation analysed regarding milk_yield fat protein_lactose milk_urea nitrogen yield content well somatic_cell score two approach used wilmink curve_parameter used ass genetic effect course lactation yield_deviation used normative approach gwas the significant effect largest marker affecting curve_parameter statistical_power detection even small design while significant marker yds detected study power_detect effect similar magnitude suggesting many locus may missed approach present design furthermore significant effect specific single lactation leading conclusion variance_explained certain locus change lactation lactation confirm common evidence production trait vary degree persistency peak result genetic influence', 'background increased disease_resistance improved general immune_capacity would_beneficial welfare productivity_farm animal lymphocyte_subpopulation peripheral_blood play_important role immune_capacity disease_resistance animal however_little research date focused quantitative_trait locus qtl lymphocyte_subpopulation peripheral_blood swine result study experimental animal consist piglet three different breed population identify qtl lymphocyte_subpopulation peripheral_blood swine proportion cell ratio cell measured individual challenge modified_live csf classical_swine fever_vaccine based combined data individual three breed population scanning qtl trait performed based variance_component model genome_wide significance_level declaring qtl determined via permutation_test well fdr false_discovery rate_correction total qtl two one three two nine two eight ratio identified significance_level fdr significant level fdr including five significant fdr conclusion within qtl region number known gene potential relationship studied trait may_serve candidate_gene trait our_finding herein helpful identification_causal gene underlying trait selection immune_capacity individual swine breeding future', 'background the association study_gwas useful approach identify gene affecting economically_important trait dairy_cattle here_report result gwas based snp genotype data estimated_breeding value nine production fertility body_conformation udder_health workability trait brown_swiss cattle population part international genomic_evaluation program result gwass performed_using snp_chip data deregressed_estimated breeding_value debvs nine trait bull part international genomic_evaluation program coordinated interbull center the nine trait milk_yield fat_yield protein_yield lactating_cow ability recycle calving crc angularity ang body depth bde stature sta milk somatic_cell score_sc milk speed msp analysis performed_using linear_mixed model correcting population confounding total snp detected significantly_associated one several nine analyzed trait the strongest_signal identified chromosome milk_production trait stature body depth other signal chromosome angularity chromosome somatic_cell score chromosome milking speed some signal overlapped earlier reported qtl similar trait cattle population located_close interesting_candidate gene worthy investigation conclusion_our study show international genetic_evaluation data useful resource identifying genetic factor influencing complex trait livestock several genome_wide significant association signal could identified brown_swiss population including major signal our_finding report several association plausible_candidate gene deserve exploration population molecular dissection explore potential economic_impact genetic_mechanism underlying production trait cattle', 'numerous quantitative_trait locus qtl loin_eye area identified linkage mapping study lack precise position hinders application pig breeding industry map qtl loin_eye area precise genomic_region conducted association study_gwas using_illumina beadchip four swine population pig laiwu_pig sutai_pig erhualian_pig total single_nucleotide polymorphism snp deposited seven chromosome associated loin_eye area identified surpassed significant threshold snp seven located pig four located laiwu_pig note identified qtl breed specific common qtl identified across four population study these_finding confirmed_previous qtl harboring candidate_gene growth_factor also identified novel candidate_gene far upstream element_binding protein myosin heavy chain myh family repeat guanylate kinase domain_containing lrguk our study contribute identification_causal mutation_underlying qtl improve knowledge complex genetic_architecture loin_eye area pig', 'considerable number fatness qtl identified growing_pig lack knowledge genetic_architecture trait gilt sow performed genome_scan iberian_meishan sow backfat_thickness day_age day conception day farrowing found one qtl highly_significant level suggestive level ten additional significant qtl found sow the location several qtl varied_depending growing reproductive status sow suggesting part genetic effect may temporal pattern phenotypic expression', 'background detection quantitative_trait locus qtls affecting meat_quality trait pig crucial design efficient selection_program initiate effort toward_identification underlying polymorphism the causative_mutation originally identified major effect meat characteristic used control overall qtl detection strategy diversely affected trait scale detected qtl effect report qtl detection scan including autosome pig meat_quality carcass_composition trait population female barrow resulting intercross pietrain large synthetic sire line our qtl detection design allowed comparison mutation effect seen qtls segregating low frequency independent qtl effect detected population excluding carrier mutation result large qtl effect detected absence mutation accounting_phenotypic variation loin colour redness phenotypic_variation glycolytic_potential detected significant qtls effect meat_quality trait significant qtls carcass_composition growth trait condition control analysis including mutation carrier mutation detected qtls highly_significant suggestive explained_phenotypic variance according trait conclusion_our result_suggest part muscle_development backfat_thickness effect commonly attributed mutation may consequence linkage independent qtls affecting trait the proportion variation explained significant qtls detected work close influence mutation least affected trait one order magnitude lower effect variance trait primarily affected causative_mutation this_suggests uncovering physiological trait directly affected genetic polymorphism would appropriate approach characterization qtls', 'this_study designed_investigate single_nucleotide polymorphism snp intron gene junmu white swine using the association polymorphism meat_quality trait also studied the cloning sequencing result_indicated polymorphism intron due point_mutation position giving genotype association analysis_indicated polymorphism significant effect marbling genotype higher_marbling difference significant polymorphism highly_significant effect intramuscular_fat imf_content higher higher significant conclusion drawn regarding trait immunoblot analysis level carried different genotype individual expression markedly reduced compared genotype thus may candidate_gene quantitative_trait gene associated meat_quality trait', 'previously performed genome_scan white_duroc erhualian population identified qtl strong effect longissimus_dorsi semimembranous muscle tissue time mode_inheritance qtl clarified also unclear whether observed qtl effect completely partially caused mutation gene major gene far known influence study effect gene meat_quality trait estimated association analysis two substitution found segregating population significantly affect total_glycogen meat respectively however excluded causative gene detected qtl based following reason gene located outside qtl confidence_interval substitution included_fixed effect qtl model qtl increased rather decreased iii favourable_allele qtl locus originated erhualian white_duroc founder respectively importantly qtl showed exclusive maternal expression differing mendelian_expression conclusion study first_report qtl distinct', 'the porcine snp database huge number snp snp mostly found computer procedure well characterized porcine public snp four commercial_pig breed one korean domestic breed korean_native pig knp using two dna_pool eight unrelated animal breed these snp gene covering_autosome breed confirmed public snp novel mutation snp thus totally variation found study variation snp found across five breed snp breed specific polymorphism according snp location gene sequence variation categorized snp intron coding snp synonymous snp snp the nucleotide substitution analysis snp revealed transition transversions remaining deletion insertion subsequently genotyped snp gene experimental knp landrace_cross sequenom_massarray system total trait including growth_carcass composition meat_quality analyzed phenotypic association test using snp gene minor_allele frequency_maf the association result showed five combination significant level rear_leg rear_leg hunter loin weight shearforce four level average_daily gain live_weight crude lipid ngef front leg lifr addition snp gene showing significant association trait detected level large number gene function enzyme transcription_factor signalling molecule considered genetic marker pig growth muscling ptprm fatness ptgis meat_quality trait lifr ngef eprs the snp gene reported may beneficial future marker_assisted selection breeding pig', 'background the elovl fatty_acid elongase elongase related novo lipogenesis catalyzes step elongation cycle controlling fatty_acid balance mammal located pig chromosome region qtl affecting palmitic_palmitoleic acid_composition previously detected using iberian_landrace intercross the main goal work qtl evaluate gene positional_candidate gene affecting percentage_palmitic palmitoleic fatty_acid pig methodology and principal finding the combination approach analysis allowed_identify main associated interval qtl gene identified selected positional_candidate gene polymorphism promoter_region highly associated percentage_palmitic palmitoleic_acid muscle backfat significant difference gene expression observed backfat animal classified genotype accordingly animal_carrying allele associated decrease gene expression presented increase fatty_acid content decrease elongation activity ratio muscle backfat furthermore snp association study relative expression_level backfat showed_strongest effect region gene located finally different potential genomic_region associated gene expression also identified gwas liver_muscle suggesting differential tissue regulation gene conclusion and significance our_result suggest potential_causal gene qtl analyzed subsequently controlling overall balance fatty_acid composition pig', 'using pcr inverse pcr technique obtained nucleotide sequence encompassing complete_coding sequence porcine insulin receptor substrate gene proximal promoter the amino_acid porcine protein deduced nucleotide sequence_share identity human posse domain number tyrosine phosphorylation motif human protein detected substitution promoter_region segregate meishan synonymous substitution coding_sequence allele present meishan linkage mapping placed gene position current linkage_map porcine chromosome association analysis performed animal generation meishan_large white cross showed snp highly significantly_associated backfat_depth snp also associated loin_depth the meishan allele increased back_fat depth decreased loin_depth considered positional_candidate gene least qtl located centromeric_region porcine chromosome', 'milk composition trait exhibit complex genetic_architecture small number major quantitative_trait locus qtl explaining large fraction genetic_variation numerous qtl minor effect order_identify qtl milk fat_percentage german population association study_gwas performed the study population_consisted bull genotype available snp phenotype form estimated_breeding value_ebv used highly_heritable trait variance approach used account population_stratification the gwas identified four major qtl region explaining ebv variance besides two previously known qtl within ghr respectively uncovered two additional qtl region encompassing respectively involved_lipid metabolism_mammal revealed polymorphism genotype five inferred entire study population two polymorphism affecting potential transcription_factor binding_site respectively highly significantly_associated ebv our_result provide_evidence alteration regulatory site important aspect genetic_variation complex trait cattle', 'scan quantitative_trait locus qtl affecting gastrointestinal_nematode resistance sheep completed using double_backcross population derived red_maasai dorper ewe bred ram this design provided_opportunity map potentially unique genetic_variation associated breed like red_maasai breed developed survive east african grazing condition parasite indicator phenotype blood packed_cell volume pcv faecal_egg count_fec collected weekly basis lamb single grazing challenge infected pasture the average last measurement fec avfec pcv avpcv along decline pcv challenge start end pcvd used_select lamb genotyping represented tail threshold phenotypic distribution marker genotype microsatellite locus covering_autosome scored corrected genoprob prior qxpak analysis included transformed avfec arcsine transformed pcv statistic significant qtl avfec avpcv detected four chromosome included novel avfec qtl chromosome would remained undetected without transformation method the significant avfec avpcv pcvd overlapped marker interval chromosome suggesting potential single causative_mutation remains unknown case favourable qtl allele always contributed red_maasai providing support idea future selection genetic_improvement production east africa rely marker linkage_disequilibrium qtl', 'pigmentation pattern allow differentiation cattle breed dominantly inherited white head characteristic animal fleckvieh breed however minority animal exhibit peculiar pigmentation surrounding eye ambilateral circumocular pigmentation acop area animal exposed increased solar ultraviolet radiation acop associated reduced susceptibility bovine ocular squamous cell carcinoma boscc eye cancer eye cancer prevalent malignant tumour affecting cattle selection animal acop rapidly reduces incidence boscc identify_quantitative trait locus qtl underlying acop performed association study using single_nucleotide polymorphism snp the study population_consisted bull breed total progeny phenotype acop the proportion progeny acop used quantitative_trait high_heritability variance_component based approach account population_stratification uncovered twelve qtl region seven chromosome the identified qtl point kitlg kit atrn gsdmc mitf underlying gene eye_area pigmentation cattle the twelve qtl region explain phenotypic_variance proportion daughter acop the chromosome harbouring significantly_associated snp account phenotypic_variance another phenotypic_variance attributable chromosome without identified qtl thus missing heritability amount our_result support polygenic_inheritance pattern acop cattle provide_basis efficient genomic_selection animal le_susceptible serious eye disease', 'despite evidence genetic_predisposition develop equine sarcoids whole_genome scan_performed date the_objective explorative study identify chromosome region associated the studied population comprised two sire_family involving total horse horse affected all horse previously genotyped_microsatellite marker quantitative_trait locus qtl signal suggested statistic exceeded_significance the qtl analysis_revealed significant signal reaching equine chromosome_eca suggesting_polygenic character trait the candidate region identified eca include gene regulating virus replication host immune_response further_investigation chromosome region associated gene potentially responsible development could form basis early identification susceptible_animal breeding selection development new therapeutic target', 'osteochondrosis developmental_orthopaedic disease occurs horse livestock_specie companion animal specie human the principal aim_study identify_quantitative trait locus qtl associated osteochondritis dissecans_ocd thoroughbred using association study secondary objective test effect previously identified qtl current population over horse classified case_control according clinical finding genotyped_illumina equine_beadchip animal model first implemented order adjust horse phenotypic status average relatedness among horse potentially confounding factor present data the association test conducted residual animal model single snp chromosome found associated ocd level significance determined permutation according current sequence annotation snp located intergenic_region genome the effect snp representing qtl previously identified sample hanoverian_warmblood horse tested directly animal model when fitted alongside significant snp two snp found associated ocd confirmation putative qtl identified requires validation independent sample the result study suggest significant challenge faced equine researcher generation sufficiently large data_set effectively study complex disease osteochondrosis', 'association study osteochondrosis french trotter horse carried detect qtl using genotype data illumina_beadchip assay analysis data came sire_family french trotter horse progeny family size ranging genotype available progeny sire least progeny radiographic_data obtained progeny using least view reveal all radiographic finding described least veterinary expert equine orthopedics severity index score assigned based size location lesion trait used global score sum severity score lesion quantitative measurement presence absence fetlock_hock site data_analyzed using_mixed model including fixed_effect polygenic_effect snp haplotype cluster effect combining result method moderate evidence association threshold association study displayed region equus_caballus chromosome_eca eca eca one region eca represented significant_hit comparing qtl trait decreased threshold qtl detected associated qtl detected never another interesting result qtl found common', 'residual_feed intake_rfi complex trait economically_important livestock production however genetic biological_mechanism regulating rfi largely unknown pig therefore study_aimed identify single_nucleotide polymorphism snp candidate_gene biological_pathway involved regulating rfi using association_gwa pathway analysis total yorkshire_boar phenotype two different measure rfi genotypic_data used gwa_analysis performed_using univariate mixed_model snp found significantly_associated respectively several gene xin protein tetratricopeptide repeat_domain suppressor glucose autophagy associated receptor gpcr kinase protein gpcr fyve domain_containing identified putative candidate rfi based genomic location vicinity snp gene located_within kbp snp significantly_associated rfi subsequently used pathway analysis these analysis performed assigning gene biological_pathway testing association individual pathway rfi using fisher exact test metabolic_pathway significantly_associated rfis other biological_pathway regulating phagosome tight_junction olfactory transduction insulin secretion significantly_associated rfi trait relaxed threshold used these_result implied porcine rfi regulated multiple biological_mechanism although metabolic_process might important olfactory transduction pathway controlling perception feed via smell insulin pathway controlling food intake might important pathway rfi furthermore study revealed key gene genetic variant control feed_efficiency could_potentially useful genetic selection feed_efficient pig', 'background significant quantitative_trait locus qtl carcass_weight previously_mapped several chromosome japanese_black family two qtl narrowed region respectively recent_advance genomic tool allowed perform_association study_gwas cattle detect association general population estimate effect size here_performed gwas carcass_weight using japanese_black steer result significant association detected three chromosomal_region bovine_chromosome bta the associated single_nucleotide polymorphism snp bta linkage_disequilibrium snp encoding ncapg previously identified candidate quantitative_trait nucleotide contrast highly associated snp bta located centromeric previously identified region linkage_disequilibrium mapping led revision region within interval around associated snp targeted resequencing followed association analysis highlighted quantitative_trait nucleotide bovine stature intergenic_region the association bta accounted two snp beadchip corresponded simultaneously detected linkage analysis using family the allele_substitution effect per allele respectively conclusion the gwas revealed genetic_architecture underlying carcass_weight variation japanese_black cattle three major qtl accounted approximately genetic_variance', 'body_weight abdominal_fat trait chicken complex economically_important factor our objective identify_quantitative trait locus qtl responsible body_weight abdominal_fat trait broiler chicken the northeast_agricultural university_resource population_neaurp cross broiler sire baier layer dam measured body_weight abdominal_fat trait population total individual derived four family parent bird genotyped using fluorescent microsatellite_marker located chromosome linkage_map three chromosome constructed interval_mapping performed identify putative qtls nine qtl body_weight identified level qtl identified level phenotypic_variance explained qtl varied particular qtl region spanning associated body_weight week_age carcass_weight week_age first identified chromosome three qtls abdominal_fat trait identified level these qtls explained_phenotypic variance this information help direct prospective fine_mapping study facilitate identification underlying gene causal_mutation body_weight abdominal_fat trait', 'the_objective research detect bovine gene polymorphism analyze association body_measurement trait bmt animal sampled different chinese_indigenous cattle population the population included xuelong luxi_qinchuan jiaxian_red xianang nanyang blood_sample taken total female animal stratified age category month polymerase_chain strand_conformation polymorphism employed find single polymorphism nucleotide snp explore possible association bmt sequence analysis gene revealed snp total snp synonymous_mutation they showed genotype namely respectively snp missense_mutation leading change alanine threonine amino_acid showed three genotype namely analysis association polymorphism body_measurement trait three locus showed_significant effect bmt cattle population these_result suggest gene might potential effect body_measurement trait mentioned cattle population could_used selection', 'study genome_scan performed detect genomic locus affect fat_deposition white adipose_tissue muscle male reciprocal_cross genetically_phenotypically extreme inbred chicken line new_hampshire nhi white_leghorn highly_significant quantitative_trait locus qtl influencing fat_deposition white adipose_tissue found the peak qtl position different visceral subcutaneous white adipose_tissue located explained respectively phenotypic_variance contrary expectation qtl allele descending lean line led increased fat_deposition suggest transgressive action obesity allele genetic background line additional highly_significant locus subcutaneous adipose_tissue mass identified for intramuscular_fat content suggestive qtl located the analysed cross provide_valuable resource fine_mapping fatness gene subsequent gene discovery', 'background porcine fatty_acid composition key factor quality nutritive value pork several qtls fatty_acid composition reported diverse fat tissue the result obtained far seem point different genetic control fatty_acid composition conditional fat deposit those study conducted using simple approach focused one single tissue the first objective_present study identify qtls fatty_acid composition backfat intramuscular_fat combining linkage mapping gwas approach conducted single multitrait model second aim identify powerful candidate_gene qtls using microarray gene expression data following targeted genetical_genomics approach result the single model analysis linkage gwas revealed chromosomal_region identified first_time specifically associated content diverse fatty_acid imf respectively the analysis multitrait model allowed identifying first_time formal statistical approach seven different region pleiotropic_effect particular fatty_acid fat deposit the relevant found fatty_acid detected linkage gwas approach other detected pleiotropic region included one two one last one finally targeted eqtl scan focused region showing effect conducted longissimus fat gene expression data some powerful candidate_gene region identified transcription regulatory_element close gene studied conclusion complementary genome_scan confirmed several chromosome region previously associated fatty_acid composition backfat intramuscular_fat even identify new one although detected region supporting_hypothesis major part gene affecting fatty_acid composition differs among tissue seven chromosomal_region showed effect additional gene expression analysis_revealed powerful target region carry mutation responsible pleiotropic_effect', 'quantitative_trait locus qtl mapping susceptibility salmonella abortusovis vaccinal strain performed_using experimental_design involving romane sheep sire_family progeny nine qtl corresponding bacterial_load weight variation antibody_response criterion mapped eight chromosome including major_histocompatibility complex area chromosome surprisingly none found significant region formerly shown influence salmonella susceptibility specie', 'sheep internal parasite nematode remain major health challenge costly production_system most current breeding_programme nematode_resistance based indicator trait faecal_egg count_fec costly laborious collect hence genetic marker resistance would advantageous however although quantitative_trait locus qtl identified qtl often consistent_across breed breeding_strategy nematode_resistance sheep currently using molecular information study qtl nematode_resistance ovine_chromosome oar previously identified blackface breed explored using commercial suffolk_texel lamb sampled terminal sire breeder flock united_kingdom fec used indicator trait nematode_resistance counted separately nematodirus strongyles genus microsatellite_marker used map qtl data analysed using interval_mapping regression technique variance_component analysis qtl nematodirus strongyles fec found segregating chromosome significance_threshold suffolk_texel sheep nematodirus fec qtl segregating breed addition qtl growth trait also found segregating chromosome the confirmation fec qtl segregate position three widely used breed widens potential applicability purebred blackface suffolk_texel sheep benefit likely observed commercial_crossbred progeny', 'previous genome_scan conducted spanish_churra sheep identified significant quantitative_trait locus qtl milk_protein percentage chromosome marker the_aim study replicate result refine mapped position qtl accomplish goal analysed new family spanish_churra sheep including ewe different flock these animal genotyped_microsatellite marker mapping addition classical linkage analysis combined_linkage disequilibrium linkage analysis_ldla performed aim enhancing resolution qtl mapping the performed sheep population identified presence highly_significant qtl near marker exp the phenotypic_variance owing qtl two segregating family target qtl identified population qtl effect estimate the ldla identified qtl previous analysis high level statistical_significance narrowed confidence_interval region these_result confirm segregation previously identified qtl influence spanish_churra sheep future_research aim increase marker_density across refined analyse corresponding candidate_gene identify allelic_variant variant underlie genetic effect', 'genome_scan performed detect chromosomal_region affect egg_production trait reciprocal_cross two genetically_phenotypically extreme chicken line partially_inbred line new_hampshire nhi inbred_line white_leghorn the nhi line_selected high growth low egg_weight inbreeding the result showed highly_significant region chromosome multiple qtl egg_production trait this qtl region explained_phenotypic variance number egg egg_weight population respectively the egg_weight qtl effect dependent direction cross addition suggestive qtl egg_weight found chromosome number egg chromosome significant qtl affecting age_first egg mapped chromosome the difference_parental line highly_significant qtl effect chromosome support fine_mapping candidate_gene identification egg_production trait chicken', 'order_identify genetic factor influencing muscle weight carcass_composition chicken linkage analysis performed male reciprocal_cross extremely different inbred_line new_hampshire nhi white_leghorn the nhi line_selected high meat yield low egg_weight inbreeding highly_significant quantitative_trait locus qtl controlling body_weight weight carcass breast_muscle wing identified these genomic_region explained_phenotypic variance corresponding trait respectively additional highly_significant qtl weight mapped moreover significant qtl controlling body_weight found the data obtained study used increasing mapping_resolution subsequent gene targeting combining data cross qtl found', 'background previously_reported association study based bovine snp genotyping_array snp nominally_associated average_daily gain_adg also associated average_daily feed_intake adfi population crossbred beef_cattle the snp clustered region around draft sequence bovine_chromosome interval containing several positional_functional candidate_gene including bovine ncapg lcorl gene the goal present_study develop examine additional marker region optimize ability distinguish favorable_allele potential identify functional variation result animal original study genotyped snp within near gene boundary three candidate_gene sixteen marker locus displayed significant association adfi adg even stringent correction_multiple testing these marker evaluated effect meat carcass trait the allele associated higher adfi adg also associated higher hot_carcass weight hcw ribeye_area rea lower adjusted fat_thickness aft reduced set marker genotyped separate crossbred population including genetic contribution beef_cattle breed two marker located_within lcorl gene locus remained significant adg conclusion several marker within locus significantly_associated feed_intake body_weight gain phenotype these marker also associated hcw rea aft suggesting involved lean growth reduced fat_deposition additionally two marker significant adg validation population animal may robust prediction adg possibly correlated trait adfi across multiple breed population cattle', 'major objective poultry_industry increase meat production reduce carcass fatness mainly abdominal_fat information growth performance carcass_composition important selection leaner meat chicken enhance_understanding genetic_architecture underlying chemical composition chicken carcass population developed broiler_layer cross used map quantitative_trait locus qtl affecting protein fat water ash content chicken carcass two genetic model_applied qtl analysis model using regression_interval mapping method six significant five suggestive qtl mapped analysis four significant six suggestive qtl mapped analysis total eleven qtl mapped fat ether extract five protein four ash one water_content carcass using analysis study date reported qtl carcass chemical composition chicken some qtl mapped carcass fat_content match expected qtl region previously associated abdominal_fat different population novel qtl protein ash water_content carcass presented the result described also reinforce need fine_mapping perform analysis better_understand genetic_architecture trait', 'background numerous quantitative_trait locus qtl detected pig past year using microsatellite_marker however due_low density marker accuracy qtl location generally poor since dense genome coverage provided illumina_beadchip made_possible accurately map qtl using association study_gwas our objective perform gwas order_identify genomic_region corresponding haplotype associated production trait french large_white population pig method animal large_white pig sire genotyped using beadchip evaluated trait related feed_intake growth_carcass composition meat_quality snp_chip used gwas animal mixed_model included regression coefficient tested snp genomic kinship_matrix snp haplotype effect qtl region tested association phenotype following phase reconstruction based pig genome_assembly result qtl region identified autosome effect ranged phenotypic_standard deviation_unit feed_intake feed_efficiency four qtl carcass qtl meat_quality trait seven qtl the significant qtl region effect carcass chromosome meat_quality trait two region chromosome one region chromosome thirteen qtl region previously_described haplotype_block chromosome six snp identified displayed three distinct haplotype significant association evaluated meat_quality trait conclusion gwas analysis beadchip enabled detection qtl region affect feed_consumption carcass meat_quality trait population novel qtl the proportionally larger number qtl found meat_quality trait suggests specific opportunity improving trait pig genomic_selection', 'infectious_disease important problem animal breeder farmer government worldwide one approach reducing disease breed resistance this linkage study used cattle cross population genotyped_microsatellite marker_covering autosome search association phenotype bovine_respiratory syncytial virus brsv_specific concentration several vaccination region bovine genome influenced immune_response induced brsv vaccination identified well region associated clearance maternally derived brsv_specific antibody significant positive_correlation detected within trait across time negative_correlation time_point the whole_genome scan identified quantitative_trait locus qtl autosome many qtl associated thymus helper linked response especially week following vaccination however significant qtl reached_significance bta also week following vaccination all animal declining maternally derived brsv_specific antibody prior vaccination level brsv_specific antibody prior vaccination found polygenic control several qtl population subsequently immunised disease_virus peptide fmdv previous publication several qtl associated fmdv trait overlapping peak_position qtl current_study including qtl included bovine major_histocompatibility complex bola qtl suggesting gene underlying qtl may control response multiple antigen these_result lay groundwork future investigation identify gene underlying variation clearance maternal antibody_response vaccination', 'the behaviour beef_cattle important safety welfare stockman animal ten microsatellites spanning addition candidate_gene dopamine_receptor gene analysed german angus calf six sire included quantitative_trait locus qtl study basis three different behaviour test putative qtl score entering scale sce detected the fragment mapped distal region distal the result clearly indicate putative qtl proximal part candidate_gene distal_part play_important role_regulation temperament during study one sire detected blood chimera', 'dominance may important_source genetic_variance many trait dairy_cattle however nearly prediction model dairy_cattle included additive_effect limited number cow genotype phenotype the role dominance holstein_jersey breed investigated eight trait milk fat protein_yield productive_life daughter_pregnancy rate somatic_cell score fat percent protein percent additive_dominance variance_component estimated used_estimate additive_dominance effect single_nucleotide polymorphism snp the predictive_ability three model additive_dominance effect model additive_effect assessed using one procedure estimated dominance value another estimated dominance_deviation calculation dominance relationship_matrix different two method the third approach enlarged dataset including cow genotype probability derived using genotyped ancestor for yield trait dominance variance accounted total variance holstein_jersey respectively using dominance_deviation resulted smaller dominance larger additive variance estimate for trait dominance variance small breed for yield trait including additive_dominance effect fit data better including additive_effect average correlation estimated genetic effect phenotype showed prediction_accuracy increased effect rather additive_effect included corresponding gain prediction_ability found trait including cow derived genotype probability genotyped ancestor improve prediction_accuracy the largest additive_effect located chromosome near yield trait breed snp also showed largest dominance_effect fat_yield breed well holstein milk_yield', 'background contemporary dairy breeding goal broadened include along milk_production trait number trait effort improve overall functionality dairy_cow increased indirect selection resistance mastitis one important disease dairy sector via selection reduced somatic_cell count part broadened goal number association study identified genetic variant associated milk_production trait mastitis_resistance however majority study based animal predominantly kept confinement fed diet production_system this association study aim detect association using genotypic phenotypic_data irish cattle fed predominantly grazed grass production_system result significant association detected milk_yield fat_yield protein_yield fat_percentage protein_percentage somatic_cell score using separate frequentist bayesian_approach these association detected using two separate population sire cow total association detected sire using single snp regression_bayesian method respectively there association common sire cow across trait well detecting association within known qtl region number novel association detected notable region chromosome associated milk_yield population sire conclusion total novel snp detected sire using single snp regression_approach although obvious_candidate gene may initially forthcoming study_provides preliminary framework upon identify_causal mechanism_underlying various milk_production trait somatic_cell score consequently deepen understanding trait expressed', 'beef yellow fat considered undesirable consumer european asian market major carotenoid deposited adipose_tissue milk fat cattle bos_taurus result yellowness the effect retinal dehydrogenase reductase considered jointly major candidate_gene causing yellow fat colour based genomic location fat colour quantitative_trait locus qtl role metabolism secondary pathway cleaves retinoic acid potent form vitamin convert le active form vitamin evaluated effect two amino_acid variant gene along mutation gene result stop_codon seven cattle population the genotype affected several fat colour trait size effect varied population studied the genotype effect variant observed new_zealand sample unknown breed general individual effect snp genotype greater random new_zealand sample sample pedigreed backcross_progeny accounting variance one population epistasis variant observed population explained variation effect individual variant', 'parallel association study performed two independent cattle population based validated targeted single_nucleotide polymorphism snp four microsatellite_marker multiple quantitative_trait locus qtl architecture milk performance bovine_chromosome two distinct qtl located_vicinity middle region differing unambiguously regarding effect milk composition yield trait validated german_holstein population highly_significant association protein variant milk composition trait reconfirmed causative molecular relevance gene qtl region whereas qtl region significant tentative_association gene variant located promoter_region exon gene milk_yield trait detected for german_fleckvieh population showed tentative_association milk_yield trait whereas locus significant effect german_holstein showed fixed allele even_though new data highlight two variant gene qtl region based result study currently unequivocal conclusion causal background qtl affecting milk_yield trait drawn notably german_holstein fleckvieh population known divergent degree dairy type differ substantially allele_frequency ncapg locus', 'backfat_thickness affect preservation beef carcass slaughter confers organoleptic characteristic assessed consumer one breeding goal canchim tropically adapted breed comprehensively increase fat_thickness our goal identify_genomic region associated backfat canchim population validate association single_nucleotide polymorphism snp overlapping previously identified qtl region known affect fat_deposition fifteen animal lower animal higher residue backfat according linear_model using sa glm_procedure selected population animal genotyped using beadchip initial analysis_revealed snp discriminated tail phenotypic distribution one extended region association included centromeric_region chromosome chr because region overlapped qtl previous_report developed snp assay interrogate two linkage_disequilibrium block one centromeric_region another middle region chr confirm association the analysis validated presence specific haplotype affecting fat_thickness', 'previous analysis charolais_holstein cross population identified presence highly_significant qtl chromosome affecting proportion bone carcass two closely_linked qtl affected birth_weight body_length birth bbl report marker_density around qtl increased adding four additional microsatellite_marker across chromosome snp within target qtl confidence_interval snp positional_candidate gene remaining provided even distribution marker target qtl region trait sum bone weight left hindquarter joint carcass analysed also studied bbl analysis data substantially reduced qtl confidence_interval strong_evidence found qtl three trait studied different conclude result consistent single pleiotropic qtl influencing three trait largest_effect proportion bone carcass the analysis also suggest none snp tested sole causative_variant qtl effect specifically snp ncapg gene previously_reported causal_mutation foetal growth_carcass trait cattle population excluded causal_mutation qtl reported polymorphism located previously identified candidate_gene including ibsp mepe also excluded the result_suggest polymorphism strongest linkage_disequilibrium causal_mutation further_research required identify_causal variant associated qtl', 'performed association study shear_force wbsf measure meat_tenderness genotyping animal five breed putative polymorphism snp within hugo nomenclature calpain large subunit calpastatin_cast analysis estimated snp allele_substitution effect as genomic_best linear_unbiased prediction_gblup variance_component restricted_maximum likelihood animal model incorporating genomic relationship_matrix gblup estimate as analysis moderately correlated individual analysis indicating prediction_equation molecular estimate breeding_value developed analysis effective genomic_selection within breed identified genomic_region associated wbsf least three breed eight detected five breed suggesting analysis underpowered different quantitative_trait locus qtl underlie_variation breed snp density insufficient detect common qtl among breed analysis followed cast strongly_associated wbsf qtl association detected five breed show none four commercialized cast snp diagnostics causal association wbsf putatively causal_mutation region estimate variation cast explains_phenotypic variation wbsf respectively', 'supernumerary_teat hyperthelia snts common abnormality bovine udder medium high_heritability postulated oligogenic polygenic_inheritance pattern snts negatively_affect machine milking ability also act reservoir bacteria association study carried identify gene involved_development snts fleckvieh breed total bull genotyped single_nucleotide polymorphism daughter_yield deviation dyds clearness used phenotype massive structuring study population accounted principal_component mixed approach four locus significantly_associated dyd three associated region contain gene highly_conserved wnt signalling pathway the four qtl together account variance dyd whereas major fraction dyd variance attributable chromosome identified qtl our_result support oligogenic polygenic_inheritance pattern snts cattle the identified candidate_gene permit insight_genetic architecture teat malformation cattle provide clue unravel molecular_mechanism mammary_gland alteration cattle specie', 'the_objective study identify association known polymorphism gene related adipose_tissue sexual_precocity nellore_cattle total precocious heifer belonging farm participating conexão delta breeding_program studied snp illumina_bovine snp beadchip used this chip contains snp located_within region candidate_gene distance considering linkage_disequilibrium exists distance linear_model used statistical_analysis the fastphase genomestudio program used haplotype reconstruction analysis based statistic candidate_gene snp analyzed among latter snp formed haplotype remaining snp studied separately statistical_analysis showed three haplotype one haplotype consisting two snp located gene two haplotype consisting four two snp located gene significant effect sexual_precocity concluded gene influence sexual_precocity may therefore used selection_program designed improve sexual_precocity nellore_cattle', 'displacement abomasum_lda common disease many dairy_cattle breed screen qtl lda_german holstein_cow indicated motilin mln candidate_gene bovine_chromosome genomic dna sequence analysis mln revealed total polymorphism all informative polymorphism used association analysis random sample cow confirmed mln candidate lda single_nucleotide polymorphism located_within first exon bovine mln affect transcription_factor binding_site showed_significant association allele allele genotype lda expression study gave evidence significantly decreased mln expression cow carrying mutant_allele individual heterozygous homozygous mutation mln expression decreased relative wildtype may therefore play_role bovine lda via motility abomasum this mln snp appears useful reduce_incidence lda_german holstein_cattle provides first_step towards deeper understanding_genetics lda', 'ovulation_rate important component litter_size mutation gene underlying qtl yet identified pig marker within qtl genotyped three white composite line_selected ten generation increased uterine capacity one line unselected control number_corpus lutea_number fully formed fetus collected approximately day gestation well ovary weight uterine length uterine weight measurement age generation female three line six microsatellites ten single_nucleotide polymorphism snp genotyped pig line generation the allele_frequency different line compared control line significant association additive_effect detected additive genotypic effect approached significance marker haplotyping identified significant additive association haplotype these marker also associated haplotype haplotype this_study verifies qtl however based data concluded may two gene controlling', 'background ear_size shape distinct conformation characteristic pig breed previously identified significant quantitative_trait locus qtl influencing ear surface pig chromosome white resource_population this qtl explained_phenotypic variance method four new marker pig chromosome genotyped across population performed obtain expression profile different candidate_gene ear_tissue standard association test association test test applied determine effect single_nucleotide polymorphism snp ear_size three synthetic commercial_line also used association test result refined qtl interval identified three positional_candidate gene pthlh expressed ear_tissue seven snp within three candidate_gene selected genotyped population seven snp snp showed_strongest association ear_size standard association test association test with test value decreased genotype included_fixed effect furthermore significant association ear_size also demonstrated synthetic commercial sutai_pig line the association test showed phenotypic_variance explained similar explained qtl much_higher level more interestingly also located_within dog orthologous chromosome region shown associated ear type size conclusion closest_gene potential functional effect qtl marker ear_size chromosome this_study contribute identify_causative gene mutation_underlying qtl', 'the desaturase_scd gene candidate_gene fatty_acid composition located pig region quantitative_trait locus qtl fatty_acid composition previously detected duroc_purebred population the_objective present_study fine_map qtl identify polymorphism pig scd_gene examine effect scd polymorphism fatty_acid composition_melting point fat population the pig examined fatty_acid composition_melting point inner outer subcutaneous_fat intramuscular_fat number pig examined two snp identified promoter_region scd_gene completely_linked pig base generation pig microsatellite_marker scd haplotype genotyped different statistical_model applied evaluate effect qtl possible_causality scd_gene variant respect qtl the result_show significant qtl melting_point fat detected region located_near scd_gene the result also show significant association scd haplotype fatty_acid composition fat melting_point population these_result indicate haplotype scd_gene strong effect fatty_acid composition_melting point fat', 'the reduction extra subcutaneous intermuscular abdominal_fat important increase carcass lean percentage pig image_analysis fat area_ratio effective estimation separated fat pig carcass serum_concentration leptin useful physiological predictor fat accumulation pig the_objective present_study perform quantitative_trait locus qtl analysis fat area_ratio serum_leptin concentration duroc_purebred population pig measured fat area_ratio carcass fifth sixth thoracic_vertebra half body_length last thoracic_vertebra using image_analysis system serum_leptin concentration total animal genotyped marker used qtl analysis for fat area_ratio four significant suggestive qtls detected chromosome significant qtls detected region chromosome located_near leptin_receptor gene for serum_leptin concentration two significant two suggestive qtls detected chromosome qtls chromosome also region fat area_ratio', 'growth_fatness economically_important trait pig study genome_scan performed detect_quantitative trait locus qtl growth_fatness trait related body_weight backfat_thickness fat weight white_duroc erhualian_intercross total significant qtl mapped chromosome the significant qtl found pig chromosome_ssc fatness unexpectedly small_confidence interval providing excellent starting_point identify_causal variant common qtl fatness growth trait found shared qtl fat_deposition detected analysis qtl body_weight six growth stage revealed continuously significant effect qtl fattening period expression qtl foetus fattening stage for fatness trait chinese_erhualian allele associated increased fat_deposition except major qtl for growth trait white_duroc allele enhanced growth_rate except three significant qtl the result confirmed many previously_reported qtl also detected novel qtl revealing complexity genetic_basis growth_fatness pig', 'the number_vertebra associated body_size meat production pig identify_quantitative trait locus qtl number_vertebra phenotypic value measured individual white_duroc chinese_erhualian intercross population whole_genome scan_performed microsatellite_marker population four significant qtl eight significant qtl number_vertebra identified pig chromosome_ssc the significant qtl detected confidence_interval explaining_phenotypic variance thoracic vertebral_number the significant qtl confirmed_previous report panel animal representing seven western chinese breed genotyped_microsatellite marker qtl region obvious selective_sweep effect observed tested breed indicating intensive_selection enlarged body_size western_commercial breed wipe genetic_variability qtl region the allele increased vertebral_number originated chinese_erhualian white_duroc founder animal haplotype_block approximately found shared chromosome sire except one distinct chromosome the critical region harbour newly_reported vrtn gene associated vertebral_number further_investigation required_confirm whether vrtn two positional_candidate gene fo cause qtl effect', 'respiratory_disease important health concern swine_industry genetic_improvement disease_resistance challenging difficulty obtaining good phenotype related disease_resistance however identification gene marker associated disease_resistance help genetic_improvement pig health the_purpose study_investigate whether quantitative_trait locus qtl associated disease_resistance segregated purebred_population landrace pig selected meat production trait mycoplasmal pneumonia swine mp_score five generation analysed pig base fifth generation population two respiratory_disease trait mp_score atrophic rhinitis score trait measured animal week_age animal body_weight reached each pig except sire base population genotyped using microsatellite_marker qtl analysis family population pedigree structure performed variance_component analysis used detect qtl associated mp_score logarithm_odds lod_score genotypic heritability qtl estimated five significant lod suggestive lod qtl respiratory_disease trait trait detected the significant qtl score located scrofa_chromosome could explain genetic_variance score analysis this_first report qtl associated respiratory_disease lesion', 'pork_quality economically_important trait one main selection criterion breeding swine_industry association study_gwas pig porcine large_white minzhu intercross population genotyped using_illumina beadchip phenotyped intramuscular_fat content_imf marbling moisture color_color color_color score longissimus_muscle association test trait snp performed via genome_wide rapid_association using_mixed model control approach from ensembl porcine database snp annotation_implemented using sus_scrofa build total snp showed_significant association one multiple meat_quality trait snp located these significantly_associated snp aligned close approximation previously_reported quantitative_trait locus qtl located_within intron previously_reported candidate_gene two haplotype_block detected significant region the first block contained gene snp within intron gene significantly_associated five meat_quality trait the present result effectively narrowed associated region compared_previous qtl study revealed haplotype candidate_gene meat_quality trait pig', 'reproductive_efficiency great_impact economic_success pork sus_scrofa production number_born alive_nba average piglet birth_weight abw contribute greatly reproductive_efficiency better_understand underlying_genetics birth trait association study_gwas undertaken sample dna collected tested using_illumina beadchip first_parity gilt trait included total number_born tnb_nba number_born dead nbd number_stillborn nsb number mummy mum total litter birth_weight lbw abw total snp tested using_bayesian approach beginning first snp ending last snp sscx snp assigned group consecutive snp order analyzed using_bayesian approach from analysis group selected overlap another group overlap across chromosome these selected group defined qtl available qtl found_statistically significant multiple_testing considered using probability false_positive eleven qtl found tnb statistical testing nba identified qtl single nbd qtl found qtl identified nsb mum qtl found lbw total qtl found abw several candidate_gene identified overlap qtl location among tnb_nba nbd abw these qtl combined information gene found region provide_useful information could_used marker_assisted selection marker_assisted management genomic_selection application commercial_pig population', 'african animal trypanosomosis parasitic blood disease transmitted tsetse fly widespread africa west african taurine_breed ability known trypanotolerance limit parasitaemia anaemia remain productive enzootic area several quantitative_trait locus qtl underlying trait related trypanotolerance identified experimentally_infected population resulting cross taurine_zebu cattle although information highly valuable qtl remain confirmed population subjected natural condition_infection corresponding region need refined study west african cattle phenotyped packed_cell volume control natural condition_infection burkina faso phenotype assessed analysing data previous cattle monitored year area enzootic trypanosomosis genotyped_microsatellite marker mapping within four previously_reported qtl these data enabled estimate_heritability phenotype using kinship_matrix individual computed genotyping data thus depending estimator considered method used heritability anaemia control ranged finally analysis association identified allele marker strongly_associated anaemia control candidate_gene inhba close marker', 'colostrum intake critical piglet_survival measured precipitating serum ammonium sulfate immunocrit genetic analysis immunocrits piglet indicated heritabilities direct_maternal effect respectively identify qtl direct genetic effect piglet highest lowest immunocrits litter selected six set dna_pool created based sire litter these dna_pool applied illumina_porcine beadchips normalized value analyzed three different snp selection method used deviation mean high_low pool deviation adjusted variance based binomial theory anova the highest ranking snp selected evaluation study along region selected based window approach selected snp individually genotyped piglet included pool well piglet intermediate immunocrits association analysis conducted fitting animal model using estimated genetic_parameter nineteen snp nominally_associated immunocrit value nine remained significant bonferroni_correction located genomic_region chromosome conclusion pooling strategy reduced cost scan genome identified genomic_region associated piglet ability acquire colostrum each method rank snp pooled analysis contributed unique validated marker suggesting multiple analysis reveal qtl single analysis', 'fine_mapping quantitative_trait locus qtl ultrasound measurement carcass_merit trait collected hybrid steer conducted using snp marker_covering entire genome these snp marker evaluated using_bayesian shrinkage_estimation method empirical critical significant threshold_determined permutation based permuted datasets trait control type error_rate the analysis identified total qtls seven ultrasound_measure trait including ultrasound_backfat ultrasound marbling ultrasound ribeye_area qtls seven carcass_merit trait carcass_weight grade fat average_backfat ribeye_area lean_meat yield marbling yield_grade proportion_phenotypic variance accounted single qtl ranged mean ultrasound_backfat carcass marbling cmar score proportion_phenotypic variance accounted significant qtl identified single trait ranged carcass_weight cmar', 'ten evolutionary conservative sequence high identity level homological sequence mammal specie revealed region casein gene cluster five novel snp located inside evolutionary conservative region identified the binding_site revealed present one allelic_variant four detected snp snp considered rsnps significant difference allelic_frequency revealed beef cow group dairy_cow group two rsnps different allele two rsnps shown associated milk performance trait holstein_dairy cow significant difference protein_percentage found cow genotype genotype polymorphism the group animal genotype polymorphism significantly different milk_yield first lactation milk fat_yield milk_protein yield for last trait difference significant also cow genotype rsnp', 'quantitative_trait locus qtl analysis wool trait experimental data merino_sheep presented total animal distributed family genotyped_microsatellite marker four ovine_chromosome the marker_covering densely spaced average_distance respectively body_weight wool trait measured first_second shearing analysis conducted three hypothesis single qtl controlling single trait multimarker_regression model two linked qtls_controlling single trait using maximum_likelihood technique iii single qtl controlling one trait also using maximum_likelihood technique one qtl identified several wool trait average curvature fibre first_second shearing clean_wool yield measured second_shearing weight staple strength first shearing coefficient_variation fibre diameter second_shearing addition one qtl detected affecting weight measured second_shearing the result single trait method hypothesis showed additional qtl segregating greasy fleece weight first shearing clean_wool yield trait second_shearing pleiotropic qtls_controlling one trait found clean_wool yield average curvature fibre clean greasy fleece weightand staple length measured second_shearing', 'this association study_aimed identify locus associated somatic_cell score lascs standard_deviation somatic_cell score one first study_combine detailed phenotypic genotypic cow data research dairy_herd located different country the combined data_set contained individual per lactation thereby aimed capture temporary increase somatic_cell score associated infection phenotypic_data analysis consisted record_cow genotypic_data consisted single_nucleotide polymorphism snp using animal model association individual snp phenotypic_data estimated account risk false_positive false_discovery rate threshold set the analysis showed lascs significantly_associated snp bos_taurus autosome_bta snp likewise associated snp addition significantly_associated snp relatively association found suggesting lascs controlled_multiple locus distributed_across genome relatively_small effect increased knowledge genetic regulation lascs may aid identification gene play_role mastitis_resistance such knowledge help understand_genetic mechanism leading mastitis discovery target mastitis therapeutic', 'loinmax quantitative_trait locus qtl found segregated australian poll_dorset sheep map distal_end sheep chromosome reported increase musculus_longissimus dorsi area weight respectively the_aim study comprehensively evaluate direct effect genetic background typical stratified structure sheep industry recommended use united_kingdom crossbred_lamb either carrying single copy produced scottish mule ewe bluefaced leicester scottish_blackface artificially inseminated semen two poll_dorset ram heterozygous unexpectedly one ram also heterozygous qtl affect overall carcass muscling this accounted nesting status carrier within sire statistical_analysis lamb weighed scanned_using computed tomography average age_day ultrasound scan measurement along lamb weight taken average age_day lamb slaughtered_carcass weighed classified fat cover conformation_score based meat livestock commission mlc carcass classification scheme scanned_using video image_analysis via_system longissimus_lumborum mll width measured scanning greater lamb heterozygous compared mll carrier_lamb also significantly deeper measured ultrasound muscle_depth third lumbar_vertebra scanning fifth lumbar_vertebra consequently mll area measured using scanning significantly_higher lamb_carrying single copy compared additional trait measured leg_muscle dimension average muscle density tissue proportion significantly affected significantly affect total carcass lean_fat weight mlc conformation fat score classification using previously derived algorithm via could detect significant effect predicted weight saleable meat yield loin primal_cut primal_cut total carcass', 'quantitative_trait locus qtl increased loin muscularity previously identified purebred texel_sheep crossbred_lamb born mule ewe mated heterozygous texel sire evaluated range carcass trait lamb genotyped classified carrier single copy study effect carcass attribute investigated using subjective classification score conformation fatness measurement video image_analysis via_system addition refined prediction_equation estimate weight primal joint leg chump loin breast shoulder obtained calibrating via_system computer tomography measurement loin region the new refined prediction model increased accuracy_prediction primal_cut average compared previously derived standard via_prediction equation the coefficient determination via_system predict vivo measurement ranged measurement musculus_longissimus lumborum mll area width depth lumbar spine length loin_muscle volume loin muscularity index using via estimate loin_muscle trait significant increase depth mll found associated conformation fatness score shape carcass measured individual length_width area via significantly influenced primal meat yield estimated using standard refined via_prediction equation significantly affected however carcass found significantly increased carrier_lamb the weight dissected mll estimated using via information greater carrier compared conclude neither current industry carcass evaluation system conformation fatness standard via_system able_identify effect loin region moment however calibration via_system measurement resulted improved via_prediction equation primal meat yield also showed_moderate potential estimate loin_muscle trait measured detect partially effect trait', 'genomic imprinting important epigenetic phenomenon phenotypic level detected difference two heterozygote class gene imprinted gene important development placenta embryo hypothesized imprinted gene might_involved female_fertility trait therefore performed association study imprinted gene related female_fertility trait two commercial_pig population for_purpose snp fifteen evolutionary conserved imprinted region genotyped pig two pig population single snp association study used detect additive_dominant imprinting_effect related four reproduction trait total number_piglet born number_piglet born_alive total weight piglet_born total weight piglet_born alive several snp showed_significant additive_dominant effect one snp showed_significant imprinting_effect the snp significant imprinting_effect closely_linked gene involved thyroid metabolism the imprinting_effect snp explained approximately phenotypic_variance corresponded approximately additive_genetic variance population imprinting_effect qtl significant similar effect first population the result study indicate_possible association imprinted gene female_fertility trait pig', 'the_aim present_study identify polymorphism analyze endometrial gene expression porcine itih cluster could explain difference_prolificacy sow derived iberian intercross qtl number_piglet born_alive nba total number_piglet born_tnb previously detected chromosome sequencing mrna done several polymorphism segregating within population found three gene significant association nba found two snp four four snp haplotype significant snp calculated segregation analysis marker_assisted association test indicated allele coming meishan breed favorable effect nba three gene interestingly significant snp located_within von willebrand domain itih protein binding_site molecule essential synthesis extracellular matrix cumulus expansion gene expression analysis also revealed difference expression_level gene regarding prolificacy performance high_low uterus sample apical basal', 'female hormone fsh target fsh receptor fshr expressed granulose cell inducing maturation ovarian_follicle hypothesized genetic variant fshr gene influence litter_size affecting number_corpus lutea region sus_scrofa chromosome contains quantitative_trait locus corpus_lutea polymorphism detected exon_flanking region porcine fshr gene positional_candidate statistically_significant quantitative_trait locus finally animal duroc meishan cross genotyped three fshr snp position correlated phenotype litter_size corpus luteum number three haplotype identified population haplotype associated greater number_corpus lutea also seemed associated increased litter_size although association significant some polymorphism resulting_amino acid substitution gene excluded polymorphism possibly responsible number_corpus lutea', 'gestation_length maternal_ability important improve sow reproduction efficiency offspring survival map quantitative_trait locus qtl gestation_length maternal_ability related trait including piglet_survival rate average body_weight piglet_weaning sow white_duroc erhualian_resource population phenotyped scan_performed microsatellite_marker covering_whole pig genome qtl analysis carried_using composite regression_interval mapping method via qtl_express the result showed total number_born piglet significantly_correlated gestation_length three qtl detected pig chromosome_ssc gestation_length the qtl achieved significant level qtl consistent_previous report four suggestive qtl identified maternal_ability related trait including qtl survival_rate piglet_weaning qtl average body_weight piglet_weaning', 'enterotoxigenic_escherichia coli_etec major cause diarrhoea neonatal postweaning pig one etec fimbria adhere small intestinal epithelium lead development diarrhoea the genetic_architecture susceptibility_etec remains elusive pig study determined vitro adhesion_phenotype etec total animal white_duroc erhualian_intercross performed genome_scan using analysis microsatellite_marker detect_quantitative trait locus qtl porcine susceptibility_etec the two analysis consistently revealed significant qtl pig chromosome moreover determined adhesion_phenotype purebred erhualian white_duroc pig the result showed founder_breed segregating adhesion_phenotype le percentage erhualian_pig adhesive etec compared white_duroc pig', 'adipocyte_size number correlated fat_deposition major concern human_health pork_producer identify_quantitative trait locus qtl adipocyte_size number pig total animal day white_duroc erhualian_cross measured area perimeter volume number adipocyte abdominal_fat genome_scan performed animal parent_grandparent microsatellite_marker spanning pig genome five chromosomal_region showed effect trait measured predominantly adipocyte_size pig chromosome_ssc neither qtl reported study the qtl adipocyte_size detected study perfectly correspond_previously reported qtl fatness trait the significant association evidenced locus favorable_allele decreasing adipocyte_size unusually originated obese erhualian breed only suggestive qtl detected adipocyte number the result shed_new light understanding_genetic basis fatness trait pig', 'used_analyze polymorphism lep gene swine breed composite swine breed yorkshire landrace meishan bamei the association study polymorphism several economic trait carried population the result obtained showed genotype effect average_backfat thickness_lean meat percentage locus animal genotype lower test daily_gain genotype locus lean_meat percentage individual genotype higher genotype linkage_disequilibrium analysis among lep revealed gene independent this represented two gene could combined together within one genotype order facilitate breeding objective trait addition method allowing simultaneous_detection fragment lep gene developed', 'report complete_genome scan quantitative_trait locus qtl affecting milk_protein percentage italian cattle population applying selective_dna pooling strategy daughter_design ten sire chosen sire daughter high_low tail estimated_breeding value used_construct milk dna_pool sire pool genotyped dinucleotide microsatellites_covering cattle autosome sire marker allele_frequency pool obtained shadow correction peak height electropherograms after_quality control pool data eight sire used subsequent analysis the qtl heterozygosity estimate lower similar study cattle population multiple marker mapping identified qtl located chromosome the sire also genotyped seven polymorphic_site six candidate_gene casein kappa ghr prlr located_within qtl region found study the result confirmed excluded involvement analysed marker causative polymorphic_site identified qtl the qtl identified combined genotype data candidate_gene help identify_quantitative trait gene clarify complex qtl pattern observed chromosome overall result consistent italian_holstein population selection high', 'this_study aimed search new genetic variant bovine gene molecular_marker meat_quality carcass trait analysis_revealed three snp located nucleotide position identified based genbank_accession number sequence analysis_revealed snp located_intron exon showing allele_frequency respectively genetic_variability heterozygosity polymorphic information content_pic estimated locus respectively snp located exon characterized associated desirable increase marbling_score meat_quality grade hanwoo the statistical_analysis revealed additive_effect genotype snp significantly greater genotype trait these_finding suggest snp useful candidate locus maximize economic benefit cattle population', 'several quantitative_trait locus qtl different meat_quality trait localized arm_porcine chromosome position association analysis performed commercial landrace lce crossbred population slaughtered approximately average age_day record performance growth fat meat accretion meat_quality intramuscular_fat imf minolta minolta minolta polymorphism within positional_candidate gene cloned homologous region human chromosome resistin causing substitution insulin receptor complement factor adipsin located position respectively current usda usmarc map porcine chromosome following allele_frequency lce retn insr cfd the effect allele within candidate_gene recorded trait estimated using animal model significant effect found semimembranosus imf retn minolta retn cfd difference phenotypic mean homozygote retn either retn cfd explained imf minolta respectively suggestive effect imf cfd minolta insr cfd minolta insr also observed our_result support localization qtl meat_quality trait region suggest several gene affecting different meat_quality trait', 'candidate_gene analysis quantitative_trait locus mapping outbreed experimental genomewide_association study holstein reported chromosome region contribute great variability degree spotting cattle particular important region affecting trait localized bovine_chromosome region containing transcription_factor mitf_gene sequenced total mitf_gene cattle different breed including animal spotted breed italian_holstein italian_simmental animal solid coloured breed italian_brown reggiana identified single_nucleotide polymorphism snp the allele_frequency one polymorphism clearly different spotted breed this result confirmed genotyping additional animal four breed total different haplotype_inferred sequenced animal considering similarity among haplotype spotted group cattle showed_significant difference haplotype distribution supported analysis molecular variance amova two genotyped snp enlarged sample cattle variability mitf_gene clearly explained difference spotted phenotype time evident gene genetic factor determining piebaldism italian_holstein italian_simmental cattle breed', 'gastrointestinal_nematode one main health_issue sheep breeding identify locus affecting resistance haemonchus_contortus genome_scan carried_using romane martinik black belly backcross lamb the entire population challenged haemonchus_contortus consecutive experimental infection fecal_egg count_fec packed_cell volume measured subgroup lamb extreme fec necropsied determine total worm burden length female worm sex ratio worm population abomasal serum mucosal immunoglobulin igg response pepsinogen concentration measured another subset lamb for qtl detection microsatellite_marker used well illumina_beadchip provided snp marker quality_control linkage association joint linkage association analysis performed qtlmap_software linkage_disequilibrium estimated within pure breed association analysis carried either considering breed origin haplotype four qtl region sheep chromosome oar identified key player among many qtl small_moderate effect qtl affecting pepsinogen concentration exactly matched pepsinogen locus region affecting fec infection found the snp marker outperformed microsatellites linkage analysis taking advantage helped refine_location qtl mapped', 'cytokine proposed modulate skeletal_muscle adipose_tissue mass present_study resource_population gushi_chicken crossed_anka broiler used investigate genetic effect chicken gene two single_nucleotide polymorphism snp identified exon gene mean polymerase_chain fragment_length polymorphism dna_sequencing association two snp chicken fatness muscle_fiber trait determined using linkage_disequilibrium haplotype_construction association analysis both snp associated abdominal_fat weight leg_muscle fiber_diameter leg_muscle fiber density haplotype two linked snp associated abdominal_fat weight fat_thickness skin leg_muscle fiber_diameter the result suggested gene might associated causative_mutation quantitative_trait locus qtl controlling fatness trait muscle_fiber trait chicken', 'muscle characteristic myofiber_diameter density total number important trait broiler breeding production present_study snp major gene located_vicinity quantitative_trait locus affecting breast_muscle weight including in vegfa figf chosen genotyped_laser mass_spectrometry broiler population one_hundred twenty bird slaughtered age body_weight breast_muscle weight myofiber_diameter density total number determined_bird six snp low_minor allele_frequency excluded analysis the remaining snp used association study muscle characteristic the result showed snp significant effect myofiber_diameter snp significant effect myofiber density mutation figf strongly_associated total fiber_number additionally bird genotype mutation significantly larger myofiber number bird genotype the snp identified present_study might used potential marker broiler breeding', 'two functional_positional candidate_gene selected region chicken chromosome based biological role also several quantitative_trait locus qtl mapped associated performance fatness carcass trait chicken the growth_factor gene associated several physiological_function related growth the lysine demethylase gene participates epigenetic regulation gene involved cell_cycle our objective find association selected polymorphism snp gene performance fatness carcass trait chicken resource_population gene snp detected gene nine snp detected snp associated body_weight haematocrit percentage also feed_intake percentage abdominal_fat gizzard genotype sex_interaction snp genotype sex_interaction affected body_weight feed_intake percentage abdominal_fat carcass gizzard haematocrit strong association diplotype sex_interaction abdominal_fat observed also association body_weight feed_intake percentage carcass drum thigh gizzard haematocrit our_finding suggest gene might_play important_role abdominal_fat deposition chicken the gene strong candidate explain qtl mapped region', 'resource_population gushi_chicken crossed_anka broiler used investigate genetic effect chicken gene growth adipose accumulation association three snp broiler trait determined using linkage_disequilibrium haplotype_construction association analysis the mutation associated body_weight week_age carcass_weight evisceration_weight weight haplotype mutation associated body_weight week carcass_weight evisceration_weight weight associated significant dominance_effect the result_suggest gene may linkage causative_mutation qtl controlling growth trait chicken contrast human study polymorphism associated fat related trait', 'the pioneering work professor soller among_others use genetic marker analyze quantitative_trait provided_opportunity discover genetic_architecture livestock identifying quantitative_trait locus qtl the recent_availability single_nucleotide polymorphism snp panel advanced study capitalizing linkage_disequilibrium position across genome study genomic_prediction model used identify_genomic region associated mean_standard deviation egg_weight three age commercial brown egg_layer line total segregating snp evaluated simultaneously using genotyped individual family the corresponding phenotypic_record represented individual measurement family mean progeny novel approach using posterior_distribution window variance monte_carlo markov_chain sample used_describe genetic_architecture make statistical inference region largest_effect qtl region chromosome found explain large_proportion genetic_variance mean_standard deviation weight egg laid specific age additional region smaller effect chromosome showed suggestive association mean egg_weight region chromosome standard_deviation egg_weight week_age the genetic_architecture analyzed trait characterized limited number gene genomic_region large effect many region small polygenic_effect the region chromosome used improve mean_standard deviation egg_weight selection', 'background genome_wide association study litter_size norwegian white sheep nw conducted using recently developed ovine snp_chip illumina after genotyping progeny_tested artificial_insemination ram gwas analysis performed estimated_breeding value_ebv litter_size result identified sheep chromosome close growth_differentiation factor known strong candidate_gene increased ovulation size sequencing coding_region extreme sire high_low blup value revealed single_nucleotide polymorphism responsible substitution position this polymorphism previously identified belclare cambridge sheep found associated fertility snp showed stronger_association litter_size single snp illumina_ovine snp_chip based estimated_breeding value daughter ram homozygous produce minimum additional lamb compared daughter ram conclusion identified missense_mutation bioactive part protein show strong association litter_size nw based nw breeding history marked increase allele_frequency ram population since hypothesize allele originate finnish_landrace imported norway around because widespread_use finnish_landrace fact ewe homozygous allele reported fertile expect commercial impact mutation high', 'study used illumina_beadchip conduct_association gwa_analysis milk_production trait dairy sheep analyzing commercial population_spanish churra_sheep the studied population_consisted total churra ewe belonging family available record milk_yield milk_protein fat_yield milk_protein fat_content the significant association identified reached_significance located chromosome these_result confirm segregation previously_reported qtl affecting suggest qtl significant pleiotropic_effect further association detected significance_level chromosomal_region the marker showing highest significant association located third intron lalba gene functional_positional candidate underlying association sequencing gene churra ram studied resource_population identified additional polymorphism one polymorphism identified located_within coding gene sequence predicted cause_amino acid_change protein different approach including gwa_analysis combined_linkage linkage_disequilibrium study concordance test qtl segregating status sire utilized ass role mutation putative qtn genetic effect detected our_result strongly support polymorphism likely causal_mutation studied qtl affecting although rule possibility snp perfect linkage_disequilibrium true causal polymorphism', 'scan_performed detect_quantitative trait locus qtl resistance_gastrointestinal nematode haemonchus_contortus double_backcross population red_maasai dorper sheep the mapping population comprised six sire_family lamb total the lamb artificially challenged contortus month_age nine phenotype measured fecal_egg count packed_cell volume decline two weight trait five worm trait subset population lamb selectively_genotyped microsatellite locus covering_autosome qtl mapping performed model_assumed qtl allele either fixed segregating within breed combined model additive qtl effect fitted additive_dominance qtl effect fitted overall qtl significant level identified combination trait chromosome particular_interest region chromosome putative qtl nine trait region chromosome putative qtl three trait favorable qtl allele disease_resistance originated red_maasai dorper breed always fixed within breed significant dominance_effect case anticipate study combination work relevant study help_elucidate biology disease_resistance', 'background genomic analysis potential impact selective_breeding program identifying marker serve proxy trait expensive difficult_measure also identifying gene affecting trait interest enhances understanding_underlying biochemical pathway end conducted genome_scan seven rainbow_trout family single broodstock_population identify_quantitative trait locus qtl effect stress_response crowding measured plasma_cortisol concentration our goal estimate number major gene large effect trait broodstock_population identification qtl result genome_scan including microsatellite_marker representing chromosome resulted novo construction genetic map good agreement ncccwa genetic map unique set qtl detected two trait defined observing low correlation repeated measurement plasma_cortisol concentration response_stress highly_significant qtl detected three independent analysis many additional suggestive significant qtl also identified with method qtl analysis regression_interval mapping variance_component method determined significant suggestive qtl explain phenotypic trait variation respectively conclusion the cortisol_response crowding stress complex trait controlled broodstock_population multiple qtl least chromosome these qtl largely different others previously identified similar trait documenting population specific genetic variant independently affect cortisol_response way may result different impact growth also mapping qtl multiple trait associated stress_response detected trait specific qtl indicate significance first plasma_cortisol measurement defining trait fine_mapping qtl lead towards_identification gene affecting stress_response may_influence approach selection economically_important stress_response trait', 'the performance genome_scan serum_lipid trait family duroc_pig allowed detect several pig chromosomal_region significant effect phenotype current_work aimed refine position chromosome significant qtl serum triglyceride_concentration genotyping additional microsatellites allowed reduction confidence_interval qtl genomic interval marker sequencing experiment performed characterize variability gene lipoprotein protein tribbles homolog locus map region way polymorphism identified coding_region untranslated_region respectively association analysis genotype reveal significant effect serum_lipid concentration suggesting variation two locus explain segregation qtl however highly_significant association observed gluteus_medius saturated_fatty acid_content light finding potential involvement muscle lipid_metabolism deserves explored', 'meat_quality important consumer meat processing industry commonly used measure porcine meat_quality color meat the_purpose study identify snp associated meat_quality trait finnish_yorkshire using_illumina beadchip the association snp quality trait tested weighted linear_model the relatedness sample accounted random_polygenic genetic effect accompanying full relationship_matrix the original ebv evaluation deregressed analysis the statistical_significance snp established using bonferroni_correction adjust multiple_testing three genomic_region significant meat_quality trait the region chromosome significant measured loin ham redness measured loin the smallest region obtained measured loin the allele_substitution effect unfavorable allele corresponds polygenic_effect the second significant region chromosome around megabases associated lightness measured loin the significant snp allele_substitution effect corresponding polygenic_effect the third region located chromosome around significant measured ham the best snp allele_substitution effect corresponding polygenic_effect the significant association due known substitution the candidate_gene chromosome associated color high affinity motif hand the significant region chromosome color contains several gene data needed identify_causative gene our_result indicate instead known substitution substitution causative variation finnish_yorkshire also new major qlt found chromosome the significant snp identified study used selection', 'reproductive_efficiency great_impact economic_success pork production ovulation_rate early component reproduction efficiency contributes number pig born litter better_understand underlying_genetics ovulation_rate genomewide_association study undertaken sample dna collected tested using_illumina porcine_beadchip female ovulation measurement ranging never farrowed measurement taken parity total snp tested using bayes option_gensel after bayes analysis snp assigned sliding_window consecutive snp order beginning first snp ending last snp sscx the window analyzed using predict option_gensel from predict analysis putative qtl selected overlap window group overlap across chromosome highest genetic_variation these putative qtl submitted statistical testing using bootstrap option_gensel putative qtl tested found_statistically significant ten qtl found sscx sixteen qtl found_statistically significant level six additional qtl significant level these qtl accounted total genetic_variance the compelling candidate_gene region include estrogen receptor growth_differentiation factor inhibin these qtl combined information gene found region provide_useful information could_used marker_assisted selection marker_assisted management genomic_selection application commercial_pig population', 'this_study designed_investigate single_nucleotide polymorphism intron liver fatty protein gene junmu white swine using conformational_polymorphism the association polymorphism meat_quality trait also studied the cloning sequencing result_indicated polymorphism intron due mutation position yielding three genotype association analysis_revealed polymorphism significant effect marbling genotype marbling marbling the polymorphism also highly_significant effect intramuscular_fat content genotype higher intramuscular_fat content significant difference however significant conclusion concerning trait could drawn tentatively conclude candidate_gene quantitative_trait gene associated meat_quality trait', 'osteopontin_opn recognized important cytokine extracellular protein crossroad inflammation homeostasis previous_study found opn gene polymorphism associated milk performance trait somatic_cell score_sc parameter used_estimate genetic value udder_health dairy_cattle study assessed whether genetic_variation impact promoter_activity immune_response level opn secreted milk the influence dna polymorphism promoter_activity confirmed vitro measure impact genetic_variation opn secretion milk measured opn level plasma milk throughout lactation cow grouped opn haplotype associated high_low sc for opn level plasma remained low throughout lactation although concentration milk cow increased late_lactation moreover macrophage cow expressed lower proinflammatory response_infection regarding immune cell response cow genetic potential secrete higher opn level late_lactation macrophage expressing fewer proinflammatory cytokine situation might explain genetic association low somatic_cell although opn favorable role late_lactation remain elucidated tissue_remodeling property associated opn may beneficial reducing_incidence infection transition period lactating_cow', 'bovine_tuberculosis btb significant veterinary financial problem many part world association specific host gene susceptibility mycobacterial_infection tuberculosis reported several specie the_objective study identify evaluate relationship polymorphism snp gene susceptibility_btb chinese_holstein cow dna_sample chinese_holstein cow case_control collected kunming city yuxi city dali city china snp gene assessed using polymerase_chain reaction_pcr restriction_fragment length chain_reaction association testing statistical_analysis identified six snp associated susceptibility_btb chinese_holstein cow the frequency genotype respectively significantly_higher case_control also allele respectively associated greater relative risk case_control the distribution two haplotype tggaca cagaca significantly different case_control overall study suggested gene significantly_associated susceptibility_btb chinese_holstein cow haplotype tggaca cagaca could_used genetic marker breeding_program breeding cow high resistance btb', 'recent study confirmed qtl region pig chromosome associated reproduction trait pig within region genetic_variation largest chromosome the qtl region chromosome therefore studied identify gene known contribute litter_size the superoxide dismutase gene localized around pig obvious_candidate gene present_study cloned_sequenced porcine gene the amino_acid sequence highly_conserved human_mouse rat pig expression study quantitative_pcr showed differential level transcript tissue investigated sequence comparison sow high_low estimated_breeding value_ebv litter_size revealed total eight single_nucleotide polymorphism snp noncoding sequence snp coding_region one intronic snp genotyped sow high_low ebv litter_size allele_frequency differed significantly two group sow indicating polymorphism chromosome locus impact litter_size the sow homozygous genotype conceive three piglet compared genotype making snp possible marker litter_size however genotype negatively_correlated important trait selection danish pig production', 'increased disease_resistance improved general immune_capacity would_beneficial welfare productivity_farm animal classical_swine fever csf contagious disease farm_animal the immunoglobulin igg_blocking percentage csf virus csfv serum essential_diagnostic parameter_veterinary practice addition lysozyme part innate_immune system identify_quantitative trait locus qtl igg_blocking percentage csfv lysozyme_concentration igg_blocking percentage lysozyme_concentration serum measured composite pig population challenge modified_live csf vaccine through mapping mqreml analysis solar software several qtl lysozyme_concentration igg_blocking percentage csfv identified respectively within qtl region known gene revealed may_serve candidate_gene pig', 'background feed_efficiency one major component determining cost animal production residual_feed intake_rfi defined difference_observed expected feed_intake given certain production residual_feed intake calculated based regression individual daily_feed intake_dfi initial test weight average_daily gain_residual feed_intake except also regressed respect backfat shown sensitive accurate measure feed_efficiency livestock knowledge genomic_region mechanism affecting rfi pig lacking the study_aimed identify genetic marker candidate_gene rfi component trait well pathway associated rfi danish duroc_boar association system genetic analysis result phenotypic genotypic record using_illumina porcine_beadchip available boar fifteen locus significantly_associated respectively among snp significantly_associated implying existence common mechanism controlling two rfi measure significant qtl region component trait rfi dfi detected pig chromosome_ssc dfi the snp within ssc_ssc dscam ssc might interesting marker rfi measure functional_annotation gene size flanking significant snp indicated regulation protein lipid metabolic_process gap junction inositol phosphate metabolism insulin signaling_pathway significant biological_process pathway rfi respectively conclusion the study detected novel genetic variant qtls ssc rfi indicated significant biological_process metabolic_pathway involved rfi the study also detected novel qtls component trait rfi these_result improve knowledge genetic_architecture potential biological_pathway underlying rfi would_useful investigation key candidate_gene rfi development biomarkers', 'the improvement meat_quality production trait high priority pork industry many trait show low_moderate heritability difficult_expensive measure their improvement targeted breeding_program challenging requires knowledge genetic molecular background for study genotyped artificial_insemination boar commercial_line derived swiss large_white breed using beadchip evenly spaced snp across pig genome obtained estimated_breeding value_ebv various trait including exterior meat_quality reproduction production the subsequent association analysis allowed_identify four qtl suggestive_significance three trait ranging single qtl ebv one hour post_mortem carcass length pig chromosome_ssc ssc respectively two qtl ebv rear_view hind leg ssc_ssc', 'hepatocyte nuclear member hepatocyte nuclear factor family play_important role_regulating expression gene involved_development differentiation normal function liver pancreatic cell well maintenance glucose homeostasis amplification refractory mutation system pcr new method offering fast detection extreme simplicity negligible cost snp genotyping paper characterize polymorphism bovine gene three chinese_indigenous cattle breed six novel snp identified including mutation coding_region others intron the statistical_analysis indicated snp affected growth trait markedly qinchuan_cattle year_birth besides haplotype involving snp site bovine gene identified effect growth trait also analyzed the result showed haplotype predominant accounted qinchuan nanyang_jiaxian cattle breed respectively taat extremely predominant test population suggested individual adapted environment furthermore combined haplotype_constructed guarantee reliability analysis result qinchuan_cattle there also significant difference body_length these_finding benefit application dna marker related growth trait selection_ma improve performance beef_cattle', 'feed_conversion ratio_fcr economically_important trait pig feed account significant proportion cost involved pig production study used snp_chip panel porcine_beadchip identify association fcr snp marker study genetic_architecture trait after_quality control total snp could mapped porcine_autosome ssc using pig genome_assembly used analysis deregressed_estimated breeding_value used response_variable total duroc_pig fcr data genotype data the linkage_disequilibrium adjacent marker two association mapping approach used linear_mixed model lmm based regression analysis bayesian_variable selection approach bvs total significant snp association chromosome identified lmm analysis out snp crossed significance_threshold these snp located ssc bvs analysis total snp located chromosome posterior_probability equal bayes_factor thirteen snp identified lmm bvs these snp located chromosome_ssc hypoxia inducible factor alpha subunit inhibitor ladybird homeobox possible candidate_gene affecting fcr ssc respectively the study_provides list snp associated fcr also offer valuable_information genetic_architecture candidate_gene trait', 'background the availability snp assay including enables identification novel quantitative_trait locus qtl improvement resolution location previously_mapped qtl performed series association study_gwas using genotype scored animal beef_cattle breed observation twelve body_weight calving_ease carcass trait result total qtl defined genome window_explaining additive_genetic variance identified general qtl identified analysis bigger sample_size four pleiotropic_closely linked qtls located primarily primarily identified one breed several pleiotropic_closely linked qtl also identified some identified qtl region harbor gene known large effect variety trait cattle mstn others harbor promising_candidate gene including ncapg tigar gene_ontology analysis_revealed gene involved ossification adipose_tissue development identified pleiotropic qtl also mapk_signaling pathway identified common pathway affected gene located_near pleiotropic qtl conclusion_this largest gwas ever performed beef_cattle led discover several novel pleiotropic qtl cumulatively account significant percentage additive_genetic variance third additive_genetic variance birth mature weight calving_ease direct hereford these_result improve_understanding biology growth body_composition cattle', 'canada reproductive_disorder known affect profitability dairy_cattle herd recorded producer voluntary basis since previous_study shown feasibility using health data genetic_evaluation despite low_heritability estimate limited availability phenotypic information sufficient genetic_variation observed trait indicate genetic_progress although slow achieved analysis performed health data reproductive_disorder including retained_placenta retp metritis metr cystic ovary cyst using traditional blup genomic_blup association study functional analysis carried unravel significant genomic_region biological_pathway better_understand genetic_mechanism underlying retp metr cyst heritability_estimate posterior standard_deviation parenthesis cyst metr retp respectively moderate strong genetic_correlation found metr retp averaged trait sire proof reliability increased approximately percentage point incorporation genomic data using linear_model biological_pathway associated gene underlying studied trait identified contribute_better understanding_biology health disorder dairy_cattle', 'background carcass fatness important trait pig breeding_program following market request breeding plan fresh pork consumption usually designed reduce carcass fat_content increase lean_meat deposition however italian pig_industry mainly devoted production protected designation origin dry cured ham pig slaughtered around live_weight breeding goal aim maintaining fat coverage measured backfat_thickness avoid excessive desiccation ham this objective shaped genetic pool italian_heavy pig breed decade study applied_selective genotyping approach within population performance tested italian_large white pig within population selectively_genotyped pig extreme divergent backfat_thickness estimated_breeding value illumina_beadchip performed genome_wide association study identify locus associated trait result identified single_nucleotide polymorphism additional one these marker located_throughout chromosome the largest_number found porcine chromosome significant marker located chromosome single_nucleotide polymorphism intronic region gene already recognized assembly gene_ontology analysis_indicated enrichment gene_ontology term associated nervous_system development regulation concordance result large genome_wide association study human obesity conclusion further_investigation needed evaluate effect identified single_nucleotide polymorphism associated backfat_thickness trait practical application breeding_program reported result could improve_understanding biology fat metabolism deposition could also relevant mammalian_specie including human confirming role neuronal gene obesity', 'there growing public concern reducing saturated fat intake desaturase_scd lipogenic enzyme responsible biosynthesis oleic_acid desaturating stearic_acid here describe total mutation promoter_region pig scd_gene provide_evidence allele promoter_region enhances fat desaturation ratio muscle increase opposite homozygote without affecting fat_content intramuscular_fat content backfat_thickness mutation could affect functionality protein found coding_region first proved purebred_duroc line haplotype single_nucleotide polymorphism snp promoter_region additively associated enhanced muscle subcutaneous_fat liver show association consistent period overlapping generation line result haplotype displayed greater scd mrna_expression muscle the effect haplotype validated internally comparing opposite homozygote sibling externally using experimental crossbreds second snp excluded causative_mutation using new previously_published data restricting causality snp last source genetic_variation within haplotype this mutation positioned core sequence several putative transcription_factor binding_site several plausible mechanism allele enhances consequently proportion monounsaturated saturated fat', 'average_daily gain_adg feed_efficiency important factor assessing productivity_farm animal myostatin_mstn previously called member transforming_growth factor tgfβ superfamily negative_regulator embryonic_development adult homeostasis skeletal_muscle study genotype mstn snp duroc_pig determined the individually significantly_higher adg body_weight lower age individual dose dependent genetic additive_effect found negative effect allele adg body_weight the allele also increased age copy respectively the mstn allele increased age copy respectively overall two mutated mstn allele negative effect adg body_weight increased age the present_study provided_evidence mstn affected growth duroc_pig the effect mutated allele additive maximal effect resulting two copy allele selection allele expected increase adg body_weight decrease age duroc_pig might used porcine breeding_program', 'background better_understand genetic determination udder_health performed association study_gwas population german_holstein bull daughter_yield deviation dyd somatic_cell score_sc available for study used genetic information informative single_nucleotide polymorphism snp inferred_haplotype block result when accounting analyzed population snp haplotype six genomic_region significant bonferroni threshold the size identified region ranged genomic_region chromosome coincided known qtl affecting_sc additional genomic_region found chromosome particular_interest region chromosome qtl mastitis trait significant snp sc different holstein population coincide result identified region except region chromosome significant snp present significant haplotype the minor_allele identified snp chromosome major allele snp chromosome favorable lower sc difference somatic_cell count scc alternative snp allele reached conclusion the result_support polygenic_nature genetic determination sc confirm importance previously_reported qtl provide_evidence segregation additional qtl sc holstein_cattle the small size region identified facilitate_search causal genetic_variation affect gene function', 'the slick hair coat slick dominantly inherited trait typically associated tropically adapted cattle criollo descent spanish colonization cattle new world the trait interest relative climate change due association improved subsequent increased productivity previous_study localized slick_locus region chromosome bta identified signature_selection region derived senepol cattle the current_study compare three breed including senepol carora romosinuano three additional lineage ancestral breed association_gwa haplotype analysis signature_selection run_homozygosity roh identity state ibs calculation used identify consensus region slick_locus contains possible candidate_gene three specific haplotype pattern identified slick individual zero frequency individual admixture analysis identified common genetic pattern three slick breed slick_locus principal_component analysis pca admixture result_show senepol romosinuano sharing higher degree genetic similarity one another much lesser degree similarity carora variation gwa haplotype analysis ibs calculation accompanying population structure information support potentially two mutation one common senepol romosinuano another carora effecting gene contained within refined location slick_locus', 'genotyped single_nucleotide polymorphism snp candidate_gene italian_holstein sire minor_allele frequency used evaluate association single trait milk_yield milk fat_yield milk_protein yield milk fat_percentage milk_protein percentage milk somatic_cell count mscc complex index longevity fertility type pft using deregressed_proof adjustment familial relatedness snp significantly_associated proportion false_positive different trait mscc pft eight longevity eight eight five two fertility particular snp promoter_region prlr gene associated eight nine trait polymorphism highly associated casein gene marker associated several trait confirming role casein gene cluster affecting milk_yield milk quality health trait other snp gene located chromosome associated pft mscc kit this latter association may suggest biological link degree piebaldism holstein immunological function affecting somatic_cell count mastitis_resistance other significant snp acaca crh fasn lep lgb also known paep src thrsp gene these_result provide information complement qtl mapping association study holstein', 'the_aim study detect polymorphism leptin gene determine association polymorphism growth_carcass trait nellore_cattle the single_nucleotide polymorphism snp well microsatellite downstream genotyped the measure body_weight ultrasound examination rib_eye area back rump_fat thickness performed different period animal management during first period animal fed grass mineralized salt libitum second period received grass concentrate third concentrate after slaughter animal data_collected classification typification carcass significant association found variable assessed snp conversely snp associated rump_fat thickness muscle color associated rump_fat thickness first period subcutaneous_fat thickness second weight animal third length carcass slaughter these_result suggest snp microsatellite might_useful selection nellore_cattle', 'fatty_acid composition porcine intramuscular_fat affect dietetic value technological_property meat the desaturase_scd gene strong_positional functional_candidate fatty_acid composition our sequence analysis breed duroc_pietrain polish_landrace polish_large white revealed novel snp sequence novel snp novel indels untranslated_region utr transcript_level scd subcutaneous_fat significantly greater muscle tissue interbreed comparison revealed greater transcript_level fat tissue polish_landrace found association abundance scd transcript fatty_acid composition tissue performed association analysis snp indel production trait polish_large white synthetic_line the pronounced association observed polymorphism occurs within predicted target_site microrna line polymorphism significantly_associated daily_gain general model feed_conversion ratio fatness trait the tendency significant observed polish_large white breed when breed analyzed together association highly_significant daily_gain feed_conversion ratio conclude promising marker porcine trait', 'shank color domestic_chicken varies black blue green yellow white controlled combination melanin xanthophyll dermis epidermis dermal shank pigmentation chicken determined inhibitor dermal melanin located distal_end long arm chromosome controlling dermal melanin pigmentation although previous_study focused identification linear relationship barring recessive white skin causal_mutation yet identified relation mutant dermal pigment inhibiting allele locus study first used affymetrix_axiom genotyping_array includes snp snp chromosome perform_association study pure_line tibetan hen dermal pigmentation shank tibetan hen yellow shank refine_location association analysis conducted plink_software using standard test bonferroni_correction used adjust multiple_testing the study revealed snp located chromosome current assembly chicken genome significantly_associated dermal shank pigmentation chicken none located known gene the interval refined partly converged previous result suggesting gene near refined genome region however genomic context region complex there snp marker developed genotyping_array within interval region snp marker passed quality_control additionally gap side refined interval the replication study may needed_confirm functional significance newly_identified snp', 'the homolog modulates adipogenesis hematopoiesis osteogenesis process present_study detected potential polymorphism gene individual qinchuan_cattle using method herein identified five novel polymorphism snp analyzed association measured trait four five analyzed polymorphism associated least_one following trait body_weight chest_depth chest_circumference back_fat thickness area_rea best knowledge research first_report association gene polymorphism growth meat_quality trait qinchuan_cattle summary result study suggest gene used candidate_gene beef_cattle breeding', 'study conducted applicability genomic data improve_accuracy selection process livestock association study_gwas provide_valuable information enhance_understanding genetics complex trait the_aim study identify_genomic region gene play_role birth_weight weaning_weight adjusted day_age weight adjusted day_age lyw canchim cattle gwas_performed mean generalized score gqls_method using genotype bovinehd_beadchip estimated_breeding value lyw data_consisted animal canchim breed genetic group derived crossing charolais sire canchim zebu dam after_applying false_discovery rate_correction significance_level total snp significantly_associated lyw respectively these snp surveyed corresponding gene surrounding gene within distance the gene lectin domain family_member highlighted considering function development brain skeletal system respectively the gqls_method identified region chromosome associated birth_weight weaning_weight weight canchim animal new candidate region body_weight trait detected interesting biological_function previously_reported the observation qtl report body_weight trait covering area surrounding gene snp herein identified provides_evidence association future study targeting area could provide knowledge uncover genetic_architecture underlying growth trait canchim cattle', 'beef steer variation feed_efficiency phenotype evaluated previously snp panel ten marker bovine_chromosome associated average_daily gain_adg identify gene region responsible variation adg genotyping additional marker performed several marker nominally_associated adg three including marker withstand bonferroni_correction located_within protein_kinase gamma_subunit gene additional population steer genotyped validation one marker located_within locus approached significant association gain evaluate difference transcript abundance measured expression liver_muscle rumen intestine steer extreme feed_efficiency phenotype collected two season difference transcript abundance detected small_intestine liver_muscle correlation gene expression_level rumen average_daily feed_intake adfi detected season however direction differed season lastly evaluated protein_kinase ampk subunit difference among adg adfi found phosphorylated form ampk associated adfi rumen these data suggest mature protein ampk involved feed_efficiency trait beef steer this_first evidence suggest rumen ampk may contributing adfi cattle', 'enterotoxigenic_escherichia coli_etec major_determinant diarrhea mortality neonatal young pig susceptibility_etec governed intestinal receptor specific bacterium inherited monogenic dominant trait identify receptor gene first mapped locus region pig chromosome using genome_scan microsatellite_marker scan high_density marker chromosome refined locus interval recombination breakpoint analysis defined locus within region further mapping using informative snp revealed significant marker proximal gene region association study collection diverse outbred_population strongly supported likely responsible gene characterized porcine gene_encodes two transcript both transcript characteristic pt region mucin enriched distinct tandem_repeat predicated heavily forming binding_site bacterium binding_site concordantly independent pig homozygous across diverse breed resistant etec susceptible_animal broad breed panel carry least_one allele altogether conclude susceptibility towards etec governed gene pig the finding immediate translation breeding_practice allows establish efficient accurate diagnostic_test selecting susceptible_animal moreover finding improves understanding mucin play_crucial role defense enteric pathogen revealed first_time direct interaction enteric bacteria poorly_understood mammal', 'porcine syndrome pfts condition affect newly weaned_piglet characterised progressive debilitation leading death absence infectious nutritional management environmental_factor study present first_report pfts south america result association study identify genetic marker associated appearance condition crossbred swine population four chromosomal_region associated pfts predisposition one located sscx one two region region harbour important functional_candidate gene involved human depression might important_role pfts our_finding contribute increasing knowledge syndrome investigated since identification aetiology disease', 'objective three association study_gwas gwas conducted explore_genetic mechanism_underlying variation pig teat_number method performed three gwas teat_number three pig population including white resource_population chinese_erhualian pig population chinese_sutai pig population result detected single_nucleotide polymorphism snp surpassed significant level sus_scrofa chromosome_ssc resource_population corresponding four locus pig teat_number highlighted vertnin_vrtn lysine demethylase two interesting_candidate gene locus significant associated snp identified gwas conclusion the result verified complex genetic_architecture pig teat_number the causative_variant teat_number may different three population', 'pig susceptibility enterotoxigenic_escherichia coli_etec strain locus determined dominant allele recessive allele determining resistance the susceptible allele also appeared associated higher growth_rate even discordant result single_nucleotide polymorphism snp exon mucin gene shown close linkage_disequilibrium locus used marker identify susceptible pig substituting invasive villous adhesion test herein analyzed snp italian local_breed applied_selective genotyping approach italian_large white italian_landrace italian_duroc comparing allele_frequency distribution group pig extreme estimated_breeding value_ebv average_daily gain_adg backfat_thickness bft evaluate marker associated trait allele associated susceptibility_etec associated higher adg bft italian_large white respectively higher adg italian_landrace this polymorphism poorly informative italian_duroc antagonistic association allele susceptibility_etec growth performance evidence complexity applying marker_assisted selection pig breeding', 'background the gene_encodes subunit adenosine monophosphate activated protein_kinase ampk protein play_key role energy_metabolism skeletal_muscle single_nucleotide polymorphism snp gene associated important pork_quality trait the_objective study_investigate relationship gene expression gene snp variation promoter meat_quality phenotype pork result gene expression found correlate number trait relating glycolytic_potential intramuscular_fat imf three phenotypically diverse cross comprising large_white duroc_pietrain sire breed the majority association observed large_white cross there significant association genotype locus gene expression large_white cross population ten novel snp identified within region spanning promoter three major haplotype_inferred two tagging snp characterised haplotype within promoter_region studied these two snp subsequently genotyped larger population consisting large_white duroc_pietrain purebred four major haplotype including promoter snp inferred large_white breed associated imf longissmus thoracis lumborum ltl driploss associated imfl trait ltl phult min ltl min semimembranosus_muscle associated driploss phult minolta duroc breed association observed driploss phusm association observed remaining haplotype duroc breed the pietrain breed monomorphic promoter_region the locus associated several trait across three breed imf large_white pietrain breed significant difference promoter function observed three main promoter haplotype tested vitro conclusion gene expression_level porcine associated meat_quality phenotype relating glycolytic_potential imf large_white breed snp variation promoter_region gene associated gene expression meat_quality phenotype', 'growth_carcass trait economically_important quality characteristic beef_cattle complex quantitative_trait controlled_multiple gene study candidate_gene encoding heart fatty protein encoding proteasome subunit atpase investigated qinchuan_beef cattle china dna_sequencing method used detect mutation gene qinchuan_cattle mutation exon mutation exon identified the association single_nucleotide polymorphism growth_carcass trait qinchuan_cattle analyzed the mutation significantly_associated body_length dressing_percentage mutation body_length hip_width indicating mutation effect growth_carcass trait qinchuan_beef cattle breed thus result study suggest gene polymorphism could_used genetic marker selection improving qinchuan_beef cattle', 'bone_morphogenetic protein expression detected testis role organ well elucidated evaluated polymorphism gene chinese_holstein bull investigated possible association sperm quality trait including semen_volume per ejaculate sperm density fresh_sperm motility thawed sperm_motility acrosome integrity rate abnormal_sperm rate single_nucleotide polymorphism intron gene identified bull age found significant effect fresh_sperm motility abnormal_sperm rate significant effect genotype fresh_sperm motility also observed least_square analysis showed genotype bull significantly lower fresh_sperm motility genotype bull conclusion considered potential genetic marker sperm quality based association fresh_sperm motility', 'background subfertility one challenge facing dairy_industry average holstein heifer conception_rate hcr proportion heifer_conceive maintain pregnancy per breeding estimated locus associated hcr validated independent cattle population limiting usefulness selection furthering understanding mechanism involved successful pregnancy therefore_objective identify locus associated hcr first artificial_insemination service repeated service required heifer_conceive tbrd validate locus previously associated fertility breeding health record holstein heifer obtained heifer bred observed estrus pregnancy determined day via palpation heifer dna genotyped using_illumina bovinehd_beadchip association analysis gwaa performed additive_dominant recessive_model using efficient_mixed model association expedited emmax method relationship_matrix two phenotype the gwaa compared heifer pregnant first_service heifer open following first_service included never conceived the tbrd gwaa compared heifer_conceive across variable number service comparison locus previously associated fertility tbrd considered locus validation linkage_disequilibrium result the gwaa identified locus associated additive_dominant recessive_model respectively the tbrd gwaa identified qtl associated additive_dominant recessive_model respectively locus previously associated fertility linkage_disequilibrium locus shared tbrd tbrd locus conclusion locus associated tbrd identified validated used improve hcr genomic_selection better_understand possible mechanism associated subfertility', 'background meat bos_taurus bos_indicus breed important_source nutrient human intramuscular_fat imf influence flavor nutritional_value impact human_health human_consumption fat contains high level monounsaturated_fatty acid mufa reduce concentration undesirable cholesterol ldl circulating blood different feeding practice genetic_variation within breed influence amount imf fatty_acid composition meat however difficult costly determine fatty_acid composition precluded beef_cattle breeding_program selecting healthier fatty_acid profile study employed single_nucleotide polymorphism snp_chip genotype nellore steer bos_indicus breed bayesian_approach identify_genomic region putative candidate_gene could involved deposition composition imf result genomic_region snp window associated imf deposition composition explain genetic_variance identified chromosome many region previously detected breed the gene present region identified help explain genetic_basis deposition composition fat cattle conclusion the genomic_region gene identified contribute_better understanding_genetic control fatty_acid deposition lead selection_strategy improve meat_quality human_consumption', 'the prevention unpleasant boar_taint main reason castration male_piglet this_study aimed_investigate malodorous compound skatole affected single_nucleotide polymorphism atg porcine cytochrome gene boar two commercial_crossbred population raised different farm investigated skatole_androstenone backfat averaged melted fat respectively the frequency genotype respectively boar highest average skatole level compared applying suggested sensory threshold level skatole_androstenone carcass may unacceptably tainted proportion tainted carcass significantly_higher within genotype compared genotype effective reduction tainted carcass appears feasible applying marker_assisted selection', 'fescue_toxicosis common syndrome poor growth reproductive_performance beef_cattle grazing tall_fescue infected lolium arundinaceum schreb together decreased feed_intake decreased growth_rate tissue necrosis due vasoconstriction depressed circulating serum prolactin_concentration typically observed cattle afflicted fescue_toxicosis polymorphism within kell blood group complex family_member gene located previously_reported associated rump_fat thickness residual_feed intake average_daily feed_intake average_daily gain cattle association also reported genotype effectiveness dopamine antagonist iloperidone treatment schizophrenia human domperidone related dopamine antagonist mediates effect fescue_toxicosis livestock including restoring depressed concentration prolactin population beef_cattle grazing tall_fescue used examine association genotype circulating prolactin_concentration the snp significantly_associated serum prolactin_concentration explained_phenotypic variation effect genotype snp tested across five breed significant association within angus simmental breed these_result suggest may_play role_mediating negative effect fescue_toxicosis polymorphism within gene may_useful marker selection genetic resistance debilitating effect tall_fescue', 'micrornas_mirnas group evolutionarily conserved small noncoding rna regulatory_function increasing evidence suggests polymorphism mirna gene associated phenotypic_variation affecting mirna expression function here identified two single_nucleotide polymorphism snp porcine locus linked located_downstream mirna precursor sequence within primary region association study muscle_fiber characteristic meat_quality trait performed total pig representing three pig breed berkshire landrace_yorkshire the snp significantly_associated type_type iia_muscle fiber_number area composition respectively meat_quality trait notably polymorphism also significantly_associated altered expression primary transcript ultimately leading comparable change level precursor mature furthermore altered level correlated variation muscle_fiber composition our data suggest may candidate_gene associated muscle_fiber type composition', 'genomic information could_used efficiently improve trait expensive_measure sex limited expressed late life this_study analyzed phenotypic_variation explained major snp window age_puberty gilt indicator reproductive_longevity association study using snp explained_phenotypic variation age_puberty training_set all snp top window_explained phenotypic_variance compared explained informative marker evaluation population consisting subsequent batch predictive_ability snp major window higher compared variance captured informative snp window the phenotypic_variance explained evaluation population varied snp major window used compared explained informative snp the correlation phenotype genomic_prediction value based snp effect estimated training population marginal compared effect retrained evaluation population informative snp major window increase genetic gain could obtained genomic_selection included sex compared female alone the pleiotropic role major gene could exploited_selection age_puberty reproductive_longevity', 'numerous report described genetic marker genomic_region qtl associated pork_quality palatability validation study reported therefore snp marker candidate_gene eight qtl region analyzed association pork_quality palatability trait pork loin loin collected three slaughter facility selected represent wide_range pork_color marbling phenotypic_data recorded included objective subjective measure color_marbling purge loss shear_force cooking_loss data_analyzed sa proc_mixed loin fit random effect result_indicated marker tested useful industry others segregating population linkage_disequilibrium marker causative genetic_variation fluctuates among population limiting universal utility gene largest_effect pork_quality cast', 'skeletal_muscle inositol phosphatase skip identified phosphatase hydrolyzes phosphatidylinositol negatively regulates phosphatidylinositol signaling skeletal_muscle study two new single_nucleotide polymorphism snp porcine_skip intron detected the locus intron showed_significant association meat trait whereas locus intron showed_significant association carcass trait expression analysis showed porcine_skip upregulated gestation meishan fetus higher prolonged expression skip compared large_white gestation ectopic expression porcine_skip decreased cell_proliferation promoted serum cell_cycle arrest phase our_result suggest skip play negative regulatory role skeletal_muscle development partly preventing cell_proliferation', 'previous_research found quantitative_trait locus exists affecting calving conformation trait bos_taurus autosome may related increased calf birth_weight routinely recorded united_state birth_weight data large intensively managed dairy eastern germany management_system similar commonly found united_state used develop selection index predictor predicted_transmitting ability_pta birth_weight the predictor included body depth rump width sire calving_ease sire gestation_length sire stillbirth stature strength genetic phenotypic correlation heritabilities united_state substituted german value birth_weight pta predicted bull genetic_evaluation association study conducted predicted birth_weight pta genomic_blup procedure used routine evaluation united_state allele_substitution effect predicted single_nucleotide polymorphism snp genotype available predictor animal gene set enrichment_analysis performed snp largest_effect expressed additive_genetic standard_deviation several snp related growth development found among snp largest_effect including marker located_within near kbp nrac pign the gene set enrichment_analysis identified kyoto encyclopedia gene genome regulation actin cytoskeleton pathway enriched that pathway includes rock gene involved placental function human well developmental gene fak pak prediction_equation derived one population useful identifying gene gene network associated phenotype directly measured second population this approach identify gene associated trait used_construct birth_weight predictor locus affect birth_weight', 'gastrointestinal parasitic infection main health constraint small ruminant production causing loss weight death red_maasai sheep adapted tropical_environment extreme parasite exposure constant especially highly_pathogenic haemonchus_contortus this breed reported resistant gastrointestinal_parasite infection hence considered invaluable resource study association host_genetics resistance the_aim study identify polymorphism strongly_associated host_resistance double_backcross population derived red_maasai dorper sheep using gwas analysis the animal genotyped represented resistant_susceptible individual based tail phenotypic distribution average faecal_egg count avfec avfec packed_cell volume avpcv live_weight avlwt adjusted fixed_effect association analysis run using emmax revised significance_level calculated using permutation_test the top five significant snp marker observed five different chromosome avfec result confirmed emmax significant region trait one region included cluster significant snp chromosome chr linkage_disequilibrium this genomic location contains annotated gene involved cytokine_signalling haemostasis mucus biosynthesis only_one association detected chr significant avpcv avlwt the result generated reveal candidate immune variant gene involved differential response_infection provide additional snp marker information potential aid selection resistance_gastrointestinal parasite sheep similar genetic background double_backcross population', 'micrornas class small rna molecule repress gene expression primarily level genetic_variation microrna gene may_contribute phenotypic difference altering expression micrornas target here identified single_nucleotide polymorphism snp genomic_region porcine cluster associated respectively all snp located_within primary micrornas allele_frequency determination different pig breed berkshire landrace_yorkshire association study muscle_fiber characteristic lean_meat production meat_quality trait performed snp the snp associated percentage type_iia iib fiber muscle_fiber area composition meat_quality trait including drip_loss lightness backfat_thickness parameter lean_meat production addition found significant association snp total muscle_fiber number loin_eye area muscle furthermore snp significantly affected level mature respectively primarily regulating processing primary micrornas precursor micrornas interestingly altered level correlated phenotypic_variability among genotype snp our data suggest polymorphism porcine cluster genetic factor affecting muscle meat_quality trait', 'fatty_acid composition one important trait beef the_aim study identify candidate genomic_region fatty_acid composition association study single_nucleotide polymorphism snp_array japanese_black cattle total individual snp used study applied rapid_association using_mixed model regression grammar genomic control approach estimate association genotype fatty_acid composition addition two snp fatty_acid synthase_fasn desaturase_scd gene also genotyped association analysis_revealed significant snp several fatty_acid located fasn gene located_within region fasn mutation significant effect trait also detected one significant snp two snp the region around harbored two significant snp snp scd region showed_strongest association this_study demonstrated novel candidate region fatty_acid composition', 'micrornas abundant class small rna regulate gene expression genetic_variation microrna sequence may associated phenotype difference influencing expression micrornas target this_study identified two single_nucleotide polymorphism snp genomic_region microrna locus chicken two snp one upstream middle sequence producing mature_microrna genotypic distribution two snp large difference among chicken breed line especially commercial_line chinese_indigenous breed snp only snp significantly_associated residual_feed intake_rfi population derived broiler well pure huiyang bearded chicken the bird genotype snp lower rfi higher expression mature_microrna genotype snp also found expression mature_microrna significantly_associated rfi these_finding suggest become candidate_gene related rfi genetic_variation may_contribute change rfi altering expression_level mature_microrna chicken', 'the number_vertebra economically_important trait affect carcass length meat production pig major quantitative_trait locus qtl thoracic vertebral_number repeatedly identified pig chromosome_ssc dissect_genetic basis major locus herein genotyped large sample animal experimental_population chinese western origin using dna chip association study consistently identified locus across population mapped locus region sharing assay refined locus segment harbor two gene including vrtn vrnt proposed strong candidate major locus western modern breed further resequenced vrtn gene using dna_sample parental animal known qtl genotype progeny testing concordance test revealed candidate causal_variant genotype showed perfect segregation qtl genotype tested animal integrative analysis evolutional constraint functional element supported two vrtn variant complete_linkage disequilibrium phase likely causal_mutation the promising variant significantly affect number_thoracic vertebra one vertebra large_scale outbred animal segregating rather high frequency western_pig relatively low frequency number chinese breed altogether show vrtn variant significantly_associated number_thoracic vertebra chinese western_pig the finding_advance understanding_genetic architecture vertebral_number pig furthermore finding economical importance provides robust breeding tool improvement vertebral_number meat production chinese_indigenous pig western_commercial pig', 'displacement abomasum_lda one common disorder digestive system many dairy breed particularly holstein_dairy cow performed association study german_holstein cow including case_control all cow genotyped using_illumina bovine beadchip_illumina san_diego after_quality control genotype total informative single_nucleotide polymorphism snp left analysis used mixed_linear model approach association study lda total snp located bovine bos_taurus chromosome bta showed association lda nominal two snp located showed_significant association lda pathway analysis_indicated gene involved calcium metabolism diabetes mellitus factor pathogenesis lda_german holstein_cow', 'background infectious bovine keratoconjunctivitis ibk beef_cattle commonly known pinkeye bacterial disease_caused moraxellabovis ibk characterized excessive tearing ulceration cornea perforation cornea may also occur severe case ibk considered important ocular disease cattle production due decreased growth performance infected individual subsequent economic effect ibk economically_important lowly_heritable categorical disease trait mass selection unaffected_animal successful reducing disease_incidence study determine chromosomal_region associated ibk_susceptibility the_objective study detect polymorphism snp marker linkage_disequilibrium genetic variant associated ibk american angus cattle result the proportion_phenotypic variance_explained marker whole_genome analysis ibk incidence classified two three nine category analysis using categorisation two three nine ibk score showed location chromosome associated ibk disease the genomic location chromosome overlap qtls associated bovine spongiform_encephalopathy clinical_mastitis somatic_cell count conclusion result analysis_indicated underlying genetic factor confer ibk_susceptibility also ibk severity treating ibk phenotype trait cause information loss analysis these_result help overall understanding_genetics ibk potential provide information future use breeding_scheme', 'variation porcine gene associated meat_quality trait backfat_thickness landrace pig respectively however investigated yet whether genotype influence lipid composition with aim genotyped two_missense substitution one silent polymorphism duroc barrow distributed five family phenotyped serum_lipid concentration intramuscular_fat content composition trait level relevant association posterior_probability allele_substitution effect zero observed genotype serum cholesterol chol ldl concentration day well genotype longissimus_dorsi saturated_fatty acid_content level found relevant association genotype diverse lipid composition trait discrepancy allele_substitution effect estimated family might produced many factor number individual marker allele_frequency informativeness family unaccounted random genetic environmental effect epistasis difference linkage phase amount linkage_disequilibrium causal marker mutation this lack consistency across family combined fact mutation synonymous two polymorphism conservative suggests association found causative', 'discovery genetic mutation significant association economically_important trait would benefit beef_cattle breeder objective identify silico approach new snp gene involved digestive function metabolic_process examine association identified snp feed_efficiency performance trait the association snp daily_dmi adg midpoint metabolic weight mmwt residual_feed intake_rfi feed_conversion ratio_fcr ratio average_daily dmi_adg tested discovery validation population using univariate animal model_fitted asreml substitution_effect allele snp protease serine trypsin associated fcr dmi gain rfi although significant validation population phase association remained cholecystokinin receptor cckbr gene genotype associated rfi whereas genotype associated rfi dmi substitution allele associated dmi_rfi substitution allele snp associated adg fcr gain dmi validation_dataset snp gene cckbr significant rfi dmi phase association snp significantly_associated fcr phase association allele snp validated decreasing dmi_rfi fcr substituting allele snp associated decreasing dmi_rfi validation study new snp reported gene cckbr associated feed_efficiency performance trait beef_cattle the association snp fertility carcass meat_quality trait must still tested', 'association study_gwas widely applied disentangle genetic_basis complex trait cattle breed classical gwas approach marker panel far conclusive especially complex trait this due intrinsic limitation gwas assumption made step association signal functional variation here applied strategy prioritize association found milk_production quality trait classical approach three italian dairy_cattle breed different sample_size italian_brown italian_holstein italian_simmental although classical regression single marker revealed single significant association italian_holstein approach identified specific gene breed associated milk physiology mammary_gland development standard method yet established step variation functional unit gene strategy proposed may_contribute revealing new gene play significant role complex trait investigated amplifying low association signal using approach', 'the_objective study_investigate association single_nucleotide polymorphism snp five candidate_gene meat_color marbling water_holding capacity whc young_bull five beef breed sweden the polymorphism leptin gene snp desaturase gene gene associated variation meat_color trait exposure air the polymorphism diacylglycerol gene snp associated level beef_marbling there association snp calpastatin gene cast meat_quality trait association tested snp whc trait value', 'bone_morphogenetic protein bmps peptide growth_factor belonging transforming_growth superfamily member bmp family support white adipocyte_differentiation study focused singularly promotes differentiation brown preadipocytes haplotype involving single_nucleotide polymorphism snp site bovine gene identified effect body_weight analyzed haplotype combined haplotype revealed linkage_disequilibrium assessed cattle population individual representing three main cattle breed_china the result showed haplotype predominant accounted nanyang_qinchuan jiaxian cattle breed respectively the statistical_analysis indicated snp associated body_weight body_length heart_girth month nanyang_cattle population whereas significant association haplotype combined haplotype our_result provide_evidence snp haplotype associated growth trait may utilized genetic marker selection beef_cattle breeding_program', 'background this_first study based association approach investigates link ovine footrot score molecular polymorphism texel_sheep using ovine snp_array snp single_nucleotide polymorphism quality_control our_aim identify molecular predictor footrot resistance method this_study used data animal selected texel_sheep population sheep average scoring record per animal from subset animal extreme trait value footrot selected genotyping based phenotypic_record estimated_breeding value_ebv footrot used association analysis result seven snp significant level association analysis reveal significant snp associated footrot based current state knowledge ovine genome difficult clearly link function gene contain significant snp potential role footrot linkage_disequilibrium analysed one factor influence power detecting qtl quantitative_trait locus mean distance two snp population analysed estimated declined distance two snp respectively conclusion based relatively_small number genotyped animal study first_step search genomic_region involved resistance footrot using ovine snp_array seven snp found significant level major significant qtl identified', 'selective_dna pooling approach applied identify qtl conjugated linoleic_acid cla vaccenic_acid milk content italian_brown swiss dairy_cattle milk sample animal higher value correction environmental_factor animal lower value trait five family pooled separately the pool genotyped using_illumina beadchip sire allele_frequency compared high_low tail sire marker level snp sire_heterozygous procedure implemented_perform data analysis selective_dna pooling design correction_multiple test applied using proportion false_positive among test result bta showed largest_number marker association cla association snp trait found several chromosome bioinformatics survey identified gene important_role pathway milk fat fatty_acid metabolism within snp marker associated fatty_acid content', 'the association study_gwas result presented average_daily gain_adg nellore_cattle phenotype male bos_indicus animal information adg feedlot polymorphism snp obtained database added information illumina_bovine snp illumina imputation used after_quality control imputation snp remained association analysis using package rapid_association using_mixed model regression_method genomic_region six significant snp significance found chromosome the significant snp explained_phenotypic variance allele_substitution effect important gene lepr fggy located_near region overlapped quantitative_trait locus qtls described several production trait other region marker suggestive effect identified this_study showed region major effect adg bos_indicus feedlot this information may_useful increase efficiency selecting trait understand physiological process_involved regulation', 'heavy_pig used italy produce fresh meat ham salami lard fatty_acid profile determines dietary organoleptic quality product the_objective study polymorphism two gene code enzyme fatty_acid metabolism namely desaturase_scd fatty_acid desaturase also investigated polymorphism sterol regulatory_element binding_protein gene regulates scd transcription significant association scd found ratio oleic stearic_acid concentration fat stearic oleic_acid the concentration arachidonic linoleic_acid ratio linoleic_acid significantly_associated polymorphism polymorphism associated oleic_acid concentration ratio arachidonic linoleic_acid our_finding suggest scd polymorphism associated dietary quality heavy_pig meat product', 'the somatotropic axis consists gene involved muscular development these gene potential region study identify possible qtl economically_important trait beef_cattle the_aim study verify existence ghr polymorphism nellore_cattle verify influence selection mutation analyse association molecular_marker body_weight different age yearling hip height carcass fat_thickness loin_eye area six hundred animal centro apta bovinos corte genotyped technique the association analysis performed general mixed_model taking consideration effect one marker model taking consideration interaction two molecular_marker only molecular_marker ghr polymorphic however found selection the association ghr marker loin_eye area observed well effect interaction marker female body_weight day_age the interaction effect considered situation interactivity two gene known', 'glycolytic_potential skeletal_muscle economically_important pig_industry effect pork processing yield previously_mapped major quantitative_trait locus qtl chromosome white_duroc erhualian_intercross herein_performed system genetic analysis identify_causal variant underlying phenotype qtl pqtl first conducted association analysis intercross sutai_pig population the qtl refined interval based drop method performed expression qtl eqtl mapping using muscle transcriptome data animal within qtl interval one gene colocolizated pqtl peaked snp the gene_encodes catalytic subunit phosphorylase kinase phk function cascade activation glycogen breakdown deep sequencing revealed point_mutation splice acceptor site intron resulting deletion open_reading frame generating premature stop_codon the aberrant transcript induces decay leading lower protein level weaker enzymatic activity affected animal the mutation cause increase decrease capacity pork these effect consistent_across sutai population well duroc_landrace yorkshire hybrid pig the unfavorable allele exists predominantly pig the finding_provide new_insight understanding risk_factor affecting glucose metabolism would greatly contribute genetic_improvement meat_quality duroc related pig', 'association analysis using_illumina porcine_beadchip performed identify snp significantly_associated porcine maternal_infanticide previously hypothesised good animal model human puerperal_psychosis extreme_form postnatal mood disorder animal selected carefully phenotyped unrelated infanticide control group representing extreme phenotypic spectrum four different line permutation sliding_window analysis analysis see haplotype linkage_disequilibrium compared identify concordant region across analysis interval sscs constant contained gene associated psychiatric neurological disorder significant multiple line the strongest near gws consistent candidate region across analysis breed one located one peak syntenic candidate region bipolar disorder another syntenic candidate region human puerperal_psychosis from analysis two region reached genome_wide significance gws first significant one duroc based breed syntenic region human associated cognition neurotism second significant two breed contained expressed brain', 'major_histocompatibility complex mhc best characterized genetic region controlling disease_resistance immune_response chicken mhc gene also involved various function productive trait reproductive success the genetic_diversity mhc iranian indigenous_chicken khorasan studied association mhc allele production trait determined the mhc polymorphism ascertained genotyping microsatellite locus fragment analysis microsatellite_marker genetic indicator mhc located microchromosome strongly_associated serologically defined mhc haplotype total different allele genotype identified chicken allele highest frequency allele lowest high level heterozygosity good genotype frequency fit equilibrium observed population the association study also revealed significant influence mhc allele body_weight egg_weight egg_laying intensity weight sexual_maturity khorasan population the information obtained study indicates high mhc genetic_diversity association mhc allele important production trait khorasan chicken these data would applicable designing breeding genetic resource conservation indigenous_chicken population', 'gene important gene closely_related type npc mutation gene tend cause type lysosomal storage disorder previous_study shown protein play_important role subcellular lipid transport homeostasis platelet function formation basic metabolic activity process development study explore association gene variation body_size trait qinchuan_cattle detected four novel coding single_nucleotide polymorphism csnps bovine gene including one missense_mutation three synonymous_mutation population genetic analysis individual association correlation csnps bovine body_size trait conducted research missense_mutation locus found significantly related heart_girth hip_width body_weight two synonymous_mutation locus also showed_significant effect hip_width one_synonymous mutation locus showed_significant effect body_weight combined haplotype showed_significant effect body_size trait heart_girth hip_width body_weight this_study provides_evidence gene might_involved regulation bovine growth body development may_considered candidate_gene marker_assisted selection_ma beef_cattle breeding industry', 'improving immune_capacity may increase profitability_animal production enables animal better cope infection hematological trait play pivotal role animal immune_capacity disease_resistance thus far study conducted using swine snp_chip panel unravel genetic_mechanism immune capability domestic animal study using_mixed regression analysis carried association study using porcine_beadchip immune_response piglet hematological trait seven leukocyte trait seven erythrocyte trait four platelet trait immunized classical_swine fever_vaccine after adjusting multiple_testing based permutation significant snp identified leukocyte trait erythrocyte trait platelet trait respectively reached_significance level among snp mean platelet volume located linkage_disequilibrium block four gene interest located_within block providing genetic evidence genomic segment may_considered candidate region relevant platelet trait other candidate_gene interest red_blood cell hemoglobin red_blood cell_volume distribution_width also found near significant snp our association study_provides list significant snp candidate_gene offer valuable_information future dissection molecular_mechanism regulating hematological trait', 'leptin hormone affecting regulation body_composition energy_balance meat_quality mammal the_objective study evaluate association novel single_nucleotide polymorphism coding_region leptin gene carcass meat_quality trait chinese steer two snp genotyped crossbred bull the trait measured included dressing_percentage dressed weight marbling_score muscle color score backfat_thickness fatty_acid content etc statistical_analysis revealed two snp exon leptin gene associated carcass meat_quality trait the genotype showed higher dressed weight thickness loin mc fcs intramuscular_fat content polyunsaturated_fatty acid_content also showed_significant association carcass trait dressing_percentage living qib fatty_acid content steer our_finding suggested polymorphism leptin might one important genetic factor influence carcass yield meat_quality beef_cattle may_useful marker meat_quality trait future selection_program beef_cattle breeding production', 'background independent study shown several single_nucleotide polymorphism snp human fto fat mass obesity associated gene associated obesity snp also identified pig fto gene among associated selected trait cross commercial population study using commercial_pig population experimental meishan_pietrain population investigated association one fto snp several growth_carcass trait association analysis performed fto polymorphism either alone combination polymorphism flanking locus method snp exon porcine fto genotyped tested association growth_carcass trait proportion genetic_variance four pig chromosome gene fto lipe selected trait evaluated using model result linkage analysis placed fto arm pig chromosome approximately commercial population allele fto snp significantly_associated back_fat depth allele muscling trait meishan_pietrain pig heterozygote allele pietrain sow allele meishan boar significantly_associated trait compared homozygote allele pietrain allele meishan breed model gene fto showed high association the contribution genetic_variance polymorphism fto gene highest back_fat depth meat area musculus_longissimus lumborum thoracis tissue metabolite dehydrogenase conclusion_our result_show pig fto influence back_fat depth commercial population meishan_pietrain pig genotype heterosis occurs several trait', 'the protein also known one four subunit ubiquitin protein ligase complex previously shown involved_regulation initiation development muscle_mass present_study investigated polymorphism gene cattle seven bovine breed using dna_sequencing polymerase_chain fragment_length polymorphism restriction site method four novel single_nucleotide polymorphism snp identified within bovine deposited genbank database the association study four snp growth trait performed nanyang_cattle notably snp shown significantly_associated body_length nanyang_cattle based four snp haplotype identified the main haplotype aata occurred frequency additionally phylogenetic_analysis showed geographical distance essential gene flow among seven cattle breed indigenous bovine breed displayed genetic difference comparison hybrid bovine breed foreign origin herein describe first_time comprehensive study variability bovine gene predictive genetic potential body_length phenotype', 'performed scan informative_microsatellites commercial duroc population growth_fatness carcass meat_quality phenotype available importantly meat_quality trait recorded two different muscle gluteus_medius longissimus_thoracis lumborum ltl find whether trait determined genetic factor level three qtl identified carcass_weight meat redness_yellowness analysis allowed detect significant qtl muscle loin_depth rib backfat_thickness bft vivo ham_weight carcass_weight bft last rib redness interestingly low positional_concordance meat_quality qtl map obtained ltl matter fact three significant qtl colour trait detected study specific this result suggests qtl effect might modulated certain extent genetic environmental_factor linked muscle function anatomical_location', 'calving cattle affected_calf morphology dam characteristic described two different trait maternal_calving ease ability generate dam good physiological predisposition calving direct_calving ease ability generate calf easily born the_aim study identify region cattle genome harboring gene possibly affecting direct_calving ease piedmontese cattle breed population bull scored direct_calving ease ebv analyzed snp marker panel snp perform scan the strongest_signal detected chromosome snp associated direct_calving ease found three gene located region encoding leucine aminopeptidase involved oxytocin hydrolysis ncapg encoding condensin_complex associated cattle fetal_growth carcass size lcorl associated height human cattle confirm result scan genotyped additional snp within gene analyzed association direct_calving ease the result additional analysis fully confirmed finding gwas particularly indicated probable gene involved linkage_disequilibrium analysis showed high correlation snp located_within lcorl indicating possible selection_signature due either increased fitness breeder selection trait', 'the serpin peptidase inhibitor clade nexin plasminogen_activator inhibitor type member gene_encodes plasminogen_activator inhibitor type pai major physiological inhibitor plasminogen_activator play_role obesity insulin resistance woman men detected snp intron substitution exon mapped gene position linkage_map chromosome association analysis conducted generation meishan_large white mlw cross record weight end test lifetime daily_gain test time daily_gain loin_depth backfat_depth well european_wild boar_meishan population trait recorded carcass_composition meat_quality analysis performed across_entire mlw population male animal show trait significantly_associated locus studied female animal snp associated loin_depth nominal adjusted value equal difference homozygote entire population female animal significantly_associated adjusted descending order muscling growth fat accretion male animal meat_quality studied population allele effect opposite direction implies snp marker linkage_disequilibrium causative_mutation', 'leptin signalling play fundamental role growth_fatness body_composition the_aim study_investigate porcine lep gene sequence iberian_landrace experimental_cross identify polymorphism associated productivity quality trait because documented effect trait lepr polymorphism lep_lepr polymorphism interaction jointly investigated the lep gene sequencing allowed_identification polymorphism eight novel three intronic snp lep lep lep genotyped association analysis carried analysis lep fully linked lep revealed additive_effect live carcass_weight dominant effect several backfat_thickness measurement novel effect lep_lepr polymorphism fatty_acid composition subcutaneous_fat detected probably mediated effect fatness the result reported suggest allele lep_lepr fixed iberian pig would lead increase growth_fatness saturated_fatty acid_content fat could explained increased feed_intake', 'the factor klf family transcription_factor play_critical role cell_differentiation phenotypic modulation physiologic function proposed regulate adipogenesis gluconeogenesis the_objective study establish association gene polymorphism chicken growth_carcass trait population_gushi chicken_crossed anka_broiler used investigate genetic effect chicken gene indel_mutation within intron detected polymerase_chain fragment_length polymorphism method_developed genotype individual association analysis showed single_nucleotide polymorphism snp significantly_associated chicken growth_carcass trait the chicken genotype generally significantly_higher body_weight size genotype gene expression genotype showed bird carrying higher expression_level genotype the result suggested polymorphic_site may_serve useful target marker_assisted selection chicken growth_carcass trait', 'background major economic trait chicken egg_weight receives widespread interest breeding production consumption however limited information available underlying genetic_architecture longitudinal trend herein measured ew nine time_point onset laying week_age conducted comprehensive association study_gwas hen derived reciprocal_cross white_leghorn dongxiang_chicken result egg_weight age except first_egg weight few exhibited high_heritability estimate strong genetic_correlation found among ew nine separate univariate screen suggested signal showing significant association longitudinal ew after multivariate conditional analysis four variant three chromosome remained independent contribution the minor_allele two locus exerted consistent positive substitution_effect ew two negative the four locus together accounted_phenotypic variance few ew week_age obtained five candidate_gene ncapg harbor snp causing substitution genome partitioning analysis_indicated strong linear correlation variance_explained chromosome length provided_evidence follows highly polygenic_nature inheritance conclusion identification significant genetic cause together implicate ew different age greatly advance_understanding genetic_basis behind longitudinal ew would helpful illuminate future_breeding direction select desired egg size', 'enterotoxigenic_escherichia coli_etec expressing fimbria major pathogenic bacteria causing diarrhoea neonatal piglet previous_study revealed susceptibility_etec autosomal mendelian dominant trait locus controlling receptor located marker pinpoint locus validate previous_finding performed association study_gwas using two generation population consisting piglet phenotype susceptibility_etec vitro adhesion test the dna piglet parent_genotyped using_illumina beadchip snp available susceptibility respectively association analysis quality_control summary significant snp detected associated susceptibility respectively significance_level from significant finding two novel candidate_gene firstly identified promising gene underlying susceptibility swine according function position our_finding herein provide novel evidence unravelling genetic_mechanism diarrhoea risk piglet', 'increase plumage_color uniformity understand_genetic background korean chicken performed association study different plumage_color korean_native chicken analyzed snp_chip chicken gemma method gwas estimated genetic heritability plumage_color the estimated heritability suggests plumage coloration polygenic trait found new locus associated feather pigmentation level result infer additional genetic effect plumage_color the result used selecting breeding chicken plumage_color uniformity', 'association study routinely used identify_genomic region associated trait interest however ignores important class genomic association epistatic_interaction interaction analysis single_nucleotide polymorphism snp using highly dense marker detect epistatic_interaction difficult task due multiple_testing computational demand however important revealing complex trait heredity this_study considers analytical method detect statistical interaction pair locus investigated modelling procedure model without snp estimate variance_component model snp using variance_component estimate thus avoiding iteration iii using significant snp epistasis analysis fitted model field data growth ultrasound_measure subcutaneous_fat thickness brahman_cattle the study demonstrated usefulness modelling epistasis analysis complex trait revealed extra source genetic_variation identified potential candidate_gene affecting concentration growth ultrasound scan measure fat_depth trait information epistasis add understanding complex genetic network form fundamental basis biological system', 'immotile sperm defect ists expanded finnish_yorkshire population end the causal_mutation defect recent insertion within gene chromosome even_though homozygous boar eliminated population infertility amount affected boar increased rapidly selection defect established elucidate associated effect ists defect production trait investigated association insertion prlr haplotype reproduction trait finnish_yorkshire population two data_set including sow genotyped presence insertion analysed association reproduction trait proc_mixed procedure_sa inc software package analysing multivariate mixed_model dmu used study effect polymorphism reproduction trait the within gene associated litter_size first_parity the gene located adjacent candidate_gene litter_size pig prlr haplotype within prlr exon analysed data_set association reproduction trait however association detected within analysed data_set indicating prlr sequence_variant causal cause identified effect litter_size', 'tcap also known telethonin one titin interacting protein involved_regulation development normal sarcomeric structure study cloned cdna promoter sequence porcine_tcap gene contained coding_region quantitative_pcr analysis showed porcine_tcap highly_expressed skeletal_muscle heart kidney during postnatal muscle_development tcap expression day_day large_white meishan pig one single_nucleotide polymorphism exon tcap gene identified detected chain_reaction association analysis_revealed polymorphism significant association carcass trait analysis porcine_tcap promoter different cell line demonstrated promoter addition found porcine_tcap promoter activated myod myog myotubes indicated tcap may_play role_regulation porcine_skeletal muscle_development these_finding provide_useful information investigation function tcap porcine_skeletal muscle', 'the oncogene family zinc_finger gene mediates vertebrate hedgehog signaling play_essential role induction patterning numerous cell type invertebrate vertebrate development study total single_nucleotide polymorphism snp identified polymerase_chain stranded conformational_polymorphism dna_pool sequencing including exon boundary within bovine gene haplotype combined genotype revealed linkage_disequilibrium assessed individual representing three main cattle breed_china the statistical_analysis indicated associated body_weight birth_month nanyang_cattle population significant association detected combined genotype body_weight five different age our_result provide_evidence polymorphism gene associated growth trait may used selection beef_cattle breeding_program', 'body_measurement trait influenced gene environmental_factor play numerous important_role value assessment productivity economy study investigated association genetic polymorphism zinc_finger btb domain_containing gene body_measurement trait native_chinese cattle using direct dna_sequencing individual different cattle subpopulation novel polymorphism identified genotyping within region exon linkage_disequilibrium association analysis_revealed two coding exon polymorphism polymorphism missense_mutation valine gtc isoleucine atc associated body_length withers_height rump_length furthermore analysis snp marker show significant effect total population these_result clearly suggest gene among target gene body_measurement trait bovine breeding provide data establishment animal model using cattle study big animal body type', 'background fat_content fatty_acid composition swine becoming increasingly studied effect sensory nutritional quality meat qtl quantitative_trait locus fatty_acid composition backfat previously detected porcine chromosome iberian_landrace intercross more recently association study detected genomic_region muscle fatty_acid composition iberian_landrace backcross population strong_positional candidate_gene qtl contains polymorphism promoter_region associated percentage_palmitic palmitoleic_acid muscle adipose_tissue here combination association approach used_analyze backfat fatty_acid composition animal iberian_landrace intercross genotyped snp single_nucleotide polymorphism distributed_along result two snp region identified the strongest statistical signal region observed palmitoleic_acid content elongation ratio positional_candidate gene region two novel microsatellites nine snp identified significant association microsatellite genotype detected the snp although statistically_significant strongest_signal region addition expression liver adipose_tissue varied_among animal association detected polymorphism gene region polymorphism showed strong association percentage_palmitic palmitoleic fatty_acid elongation ratio backfat conclusion_our result_suggest polymorphism studied causal_mutation qtl region however result_support hypothesis polymorphism pleiotropic_effect backfat intramuscular fatty_acid composition role determination qtl region', 'background study perform_association study_gwas bovine milk_fatty acid summer_milk sample this_study replicates previous_study performed gwas bovine milk_fatty acid based_winter milk sample population fatty_acid summer winter_milk genetically similar trait therefore compare region detected summer_milk region previously detected winter_milk gwas discover region explain genetic_variation summer winter_milk result the gwas summer_milk sample resulted region associated one milk_fatty acid result agreement association previously detected gwas fatty_acid winter_milk sample including eight region considered individual study the high correlation effect snp found significant gwas imply effect snp similar winter summer_milk fatty_acid conclusion the gwas fatty_acid based summer_milk sample agreement association detected gwas fatty_acid based_winter milk sample association agreement gwas likely involved fatty_acid synthesis compared region detected one gwas therefore worthwhile pursue study', 'many genetic factor influence growth feed_intake bird current_study evaluated association previously_reported snp chicken leptin_receptor lepr gene gain_bwg feed_intake feed_conversion ratio_fcr four snp low_minor allele_frequency removed genotype quality_control the experimental_population consisted pedigreed male genetically unrelated yellow_chicken strain chicken chicken the age age measured individually the bwg_fcr calculated based interval the result_indicated found strong_linkage disequilibrium this linkage_disequilibrium block significantly_associated strain fcr strain respectively addition gtacgtac diplotype_highest bwg strain the association revealed study suggests need functional study role lepr gene regulating feed_intake fcr chicken', 'riboflavin vitamin essential vitamin elderly people adolescent particular poor riboflavin status western diet milk dairy_product primary source riboflavin little_known natural variation within among bovine breed genetic environmental_factor affect riboflavin_content milk part milk genomics initiative aim_study quantify milk riboflavin_content using hplc major danish dairy breed the result showed substantial interbreed difference milk riboflavin_content milk danish_jersey cow contained significantly_higher level riboflavin milk milk danish_holstein cow milk furthermore genetic analysis_revealed high_heritabilities breed danish_holstein danish_jersey genomic association study found significant single_nucleotide polymorphism false_discovery rate associated riboflavin_content milk jersey cow significant single_nucleotide polymorphism holstein_cow spread different autosome promising quantitative_trait locus the best candidate_gene found within identified quantitative_trait locus riboflavin transporter gene among significant marker holstein_cow', 'mtpap mitochondrial poly polymerase gene play_role stabilizing level mitochondrial mrna controlling poly length human mitochondrial mrna study partial cdna_sequence porcine_mtpap gene obtained contained coding_region flanked partial the porcine_mtpap gene assigned using radiation_hybrid imprh panel chromosome electric location method analysis showed mtpap expressed analyzed tissue higher expression heart liver skeletal_muscle fat one single_nucleotide polymorphism mtpap gene identified detected ddei association genotype economic trait showed different genotype significantly_associated juiciness individual genotype displayed significantly_higher juiciness compared genotype the transcription_factor expression mtpap analyzing series mtpap promoter reporter construct using assay system indicated mtpap gene maybe play_critical role fat_deposition regulation regulated transcription_factor these_finding provide important basis understanding porcine_mtpap regulation function swine', 'association study trait generally limited sample_size accurate phenotypic_data the_objective study utilise data primiparous_cow experimental_farm ireland united_kingdom netherlands sweden identify_genomic region associated feed utilisation complex fat protein corrected milk_yield fpcm dry_matter intake_dmi body condition score bcs phenotypic_data single_nucleotide polymorphism snp available animal genetic_parameter trait estimated using linear animal model pedigree_information univariate association analysis undertaken using_bayesian stochastic search variable_selection performed_using gibbs sampling the variation phenotype explained snp chromosome related size chromosome relatively consistent trait possible exception bcs dmi for bcs dmi fpcm snp bayes_factor respectively olfactory gene gene involved sensory smell process overrepresented kbp window around significant snp potential candidate_gene involved function linked insulin epidermal growth_factor tryptophan', 'actinobacillus pleuropneumoniae among important pathogen worldwide pig production the agent cause severe economic_loss due decreased performance acute_chronic pleuropneumonia increased incidence death therapeutic used sustainable manner vaccination always available discovering host defence disease mechanism might lead new method prophylaxis the_aim present_study detect_quantitative trait locus qtl associated pleuropneumoniae under controlled condition animal family known difference founder population regarding pleuropneumoniae resistance challenged pleuropneumoniae serotype aerosol followed detailed clinical radiographic ultrasonographic pathological bacteriological examination pig genotyped_microsatellite marker significant qtl identified sus_scrofa chromosome_ssc they explained_phenotypic variance one qtl reached_significance level five associated phenotypic trait multiple regression analysis_revealed combinatory effect marker respiratory health score clinical score occurrence death the result_indicate genetic background pleuropneumoniae resistance swine provide_new insight_genetic architecture porcine pleuropneumonia the result helpful identifying underlying gene mechanism', 'the_objective study_investigate distribution variant haplotype among breed perform_association analysis variant haplotype broiler trait chicken six breed used study variation distribution chicken resource_population used measure growth trait carcass trait meat_quality trait serum biochemistry parameter variant located promoter_region coding variant mutation detected linkage_disequilibrium test showed three variant moderate linkage_disequilibrium breed haplotype_constructed the distribution presented clear difference among breed association analysis showed associated leg_muscle weight jejunum length ileum length leg_muscle fibre density leg_muscle fibre diameter associated spleen weight ileum length body_weight hatch metatarsus length_week significant effect chicken liver weight heart weight body_weight week serum albumin glucose diplotypes significantly_associated body_weight hatch heart weight pancreas weight duodenum length leg_muscle fibre density lactate dehydrogenase', 'background china consumer often prefer indigenous broiler chicken commercial breed characteristic meat_quality requested within traditional culinary custom however indigenous breed slower commercial_broiler mean yet reached full economic value therefore combining valuable meat_quality native_chicken efficiency commercial_broiler interest study generated intercross slow growing native broiler breed huiyang beard chicken fast growing commercial_broiler breed high quality chicken line used map locus explaining difference growth_rate breed result genome_scan identify locus affecting trait revealed nine distinct qtl six chromosome many qtl pleiotropic conformed correlation pattern observed phenotype most mapped qtl found location growth qtl reported population although effect greater population genome_scan pair interacting_locus identified number additional qtl genomic_region the epistatic_pair explained_residual phenotypic_variance seven epistatic qtl mapped region containing candidate_gene ubiquitin mediated proteolysis pathway suggesting importance pathway regulation growth chicken population conclusion the qtl detected using standard genome_scan accounted significant fraction observed phenotypic_variance population furthermore gene known pathway present interesting_candidate exploration this_study thus located several qtl region promising_candidate study increase understanding_genetic mechanism_underlying trait chicken', 'background comparison quantitative_trait locus qtl growth parameter growth_curve assist understanding_genetics ultimately physiology growth record body_weight week_age growth_rate successive age interval female chicken roslin cross available analysis these data analysed detect compare qtl body_weight growth_rate parameter gompertz_growth function result over qtl identified body_weight specific age also detected nearest preceding subsequent growth stage the sum significant suggestive additive_effect bodyweight specific age accounted_phenotypic variation single qtl body_weight chromosome week_age largest additive_effect phenotypic_variation qtl similar_position accounted_phenotypic variation week_age age specific qtl growth_rate detected suggesting specific gene affect developmental_process different stage growth relatively qtl influencing gompertz_growth curve_parameter detected overlapped locus affecting growth_rate dominance_effect generally significant week_age exceeded additive_effect case evidence epistatic qtl pair found conclusion the result_confirm location body_weight body_weight gain growth identified previous_study consistent qtl parameter gompertz_growth function chromosome explained relatively large_proportion observed growth variation across different age also harboured detected qtl gompertz parameter confirming importance controlling growth very qtl detected body_weight gain week_age probably reflecting effect difference reproduction random environmental effect', 'ctsd cathepsin key_enzyme yolk formation primarily_affect egg yolk weight egg_weight however recent research mostly focused genomic structure ctsd gene enzyme role pathology le known enzyme function chicken paper correlation ctsd polymorphism egg quality trait analyzed local shandong chicken breed ctsd polymorphism investigated polymerase_chain reaction single strand_conformation polymorphism sequencing analysis two variant found associated egg quality trait one variant located exon novel another variant located_intron previously referred overall result_indicated ctsd would_useful candidate_gene selection_program improving yolk trait', 'polymorphism occurring seed region micrornas_mirnas could influence target gene lead phenotypic_variation the_purpose research explore_genetic effect mutation resident conserved seed region growth meat trait resource_population the ndei polymerase_chain fragment_length polymorphism method association analysis used_analyse polymorphism the mutation associated body_weight week_age shank_girth week_age breast bone_length week_age pelvis breadth_week age subcutaneous_fat thickness associated body_weight week_age our_result useful resource subsequent study mirna function provide_basis molecular technique chicken breeding', 'residual_feed intake_rfi measure feed_efficiency important economic_environmental trait beef production selection low rfi feed_efficient cattle could maintain level production decreasing feed cost methane emission however rfi difficult_expensive trait measure identification single_nucleotide polymorphism snp associated rfi may_enable rapid cost effective genomic_selection feed_efficient cattle association study_gwas conducted multiple breed followed identify genetic variant associated rfi component trait average_daily gain_adg feed_intake irish beef_cattle expression quantitative_trait locus eqtl analysis conducted_identify functional effect variant snp associated rfi adg the variant exhibited strongest_association rfi eqtl identified variant allele negatively_correlated rfi associated increased expression liver influence basal metabolic rate suggesting mechanism genetic_variation may_contribute rfi this_study identified snp may_useful genomic_selection rfi understanding_biology feed_efficiency', 'background host_genetics shown play_role porcine reproductive_respiratory syndrome_prrs economically_important disease swine_industry region sus_scrofa chromosome_ssc previously_reported strong association serum viremia weight_gain pig experimentally_infected prrs_virus prrsv the_objective identify haplotype associated favorable phenotype investigate additional genomic_region associated host_response prrsv determine predictive_ability genomic estimated_breeding value gebv based region based rest_genome phenotypic_data snp genotype eight trial pig different commercial cross used address objective result across eight trial heritability_estimate viral_load area curve serum viremia day_post infection weight_gain day_post infection respectively genomic_region associated identified chromosome genomic_region associated identified chromosome apart region region associated two trait explained le genetic_variance due strong_linkage disequilibrium region unique haplotype identified across population four associated favorable phenotype through accuracy ebv based region high rest_genome little predictive_ability across population conclusion trait associated response_prrsv infection growing_pig largely_controlled genomic_region relatively_small effect exception accuracy ebv based region high compared rest_genome these_result show selection region could_potentially reduce effect prrs growing_pig ultimately reducing economic_impact disease', 'recent_advance genotyping_technology provided_opportunity map gene using association complex trait marker association study_gwas based either single marker haplotype identified genetic variant underlying genetic_mechanism quantitative_trait prompted achievement study examining economic trait cattle verify consistency two method using real data current_study conducted construct_haplotype structure bovine genome detect relevant gene genuinely affecting carcass trait meat_quality trait using_illumina bovinehd_beadchip young_bull genotyping data introduced reference_population identify gene beef_cattle genome significantly_associated foreshank_weight triglyceride_level total haplotype_block detected genome the region high linkage_disequilibrium extended approximately size haplotype_block ranged additionally individual snp analysis analysis detected similar region common snp two representative trait total snp bovine genome significantly_associated foreshank_weight triglyceride_level respectively comparison haplotype_block containing majority significant snp strongly_associated foreshank_weight triglyceride_level respectively addition snp high linkage_disequilibrium detected gnaq gene potential hotspot may_play crucial_role regulating carcass trait component', 'myostatin negative_regulator muscle growth development mammal variation ovine myostatin gene mstn demonstrated associated variation muscularity sheep polymerase_chain conformational_polymorphism used look single_nucleotide polymorphism snp amplicon promoter_region ovine mstn sequence analysis_revealed two previously identified snp resulted three haplotype the effect snp growth_carcass trait investigated romney lamb general_linear model revealed sheep genotype higher loin meat yield proportion loin yield genotype the genotype associated increase three weight trait birthweight tailing weight_weaning weight compared genotype found association growth_rate this_suggests effect originates birth haplotype associated decrease birthweight tailing weight_weaning weight haplotype associated increased loin yield proportion loin yield the snp may value genetic marker improved romney breeding', 'background inherited developmental disease cause severe animal_welfare economic problem dairy_cattle the use small number bull_artificial insemination carry risk recessive defect rapidly enrich population recent_year increasing number finnish_ayrshire calf identified sign ptosis intellectual disability retarded growth mortality constitute inherited disorder classified pirm_syndrome result established cohort nine calf unaffected performed association study_gwas map disease region bovine_chromosome whole_genome unaffected carrier affected progeny unaffected_animal another breed identified substitution mutation last nucleotide exon ubiquitin protein ligase encoding gene transcript analysis_revealed exon skipping affected animal resulting altered protein lacking amino_acid located conserved catalytic site protein mutation screening ayrshire bull currently used finland indicated high carrier frequency also found pirm_syndrome might connected recently identified haplotype frequency united_state ayrshire population conclusion describe pirm_syndrome cattle associated mutated gene the bovine phenotype resembles human kaufman oculocerebrofacial syndrome also caused mutation pirm_syndrome might connected recently identified haplotype associated reduced fertility ayrshire population this_study enables development genetic test efficiently reduce high frequency mutant ayrshire significantly improving animal health reducing economic_loss', 'background mastitis major disease dairy_cattle occurring response environmental exposure infective agent great_economic impact dairy_industry somatic_cell count scc log transformation somatic_cell score_sc trait used indirect measure resistance mastitis decade selective_breeding selective_dna pooling sdp approach applied identify_quantitative trait locus qtl sc valdostana red pied cattle using_illumina bovine beadchip result total snp reached_significance association sc snp annotated within gene involved immune_response mastitis btas largest_number marker association trait found these region identified novel genomic_region related mastitis snp window confirmed already_mapped the largest_number significant snp exceeding threshold significant signal found bta located conclusion the genomic_region identified study contribute_better understanding_genetic control mastitis immune_response cattle may allow inclusion detailed qtl information selection_program', 'physical_appearance trait head comb size type beard wattle size feathered foot used distinguish breed chicken also may associated economic trait study linkage analysis used identify candidate region gene physical_appearance trait potentially provide knowledge molecular_mechanism underlie trait the linkage analysis conducted population derived chicken commercial_broiler line polymorphism analyzed using_illumina chicken snp beadchip the data used map quantitative_trait locus gene six physical_appearance trait region significant level linkage_group crest trait identified likely closely_linked qtl significant level comb weight partly overlap region identified previous_study identified chicken gallus_gallus chromosome for beard wattle trait identical region including gene identified two qtl significant level feathered foot trait one region another region identified these candidate region gene provide important genetic information physical_appearance trait chicken', 'background four trait related carcass performance identified economically_important beef production carcass_weight carcass fat carcass conformation progeny cull cow carcass_weight although cattle primarily utilized milk_production also important_source meat beef production export because great_interest understanding_underlying genomic structure influencing trait several association study identified region bovine genome associated growth_carcass trait however_little known mechanism_underlying biological_pathway involved this_study aim detect region bovine genome associated carcass performance trait employing panel snp using measure genetic_merit predicted_transmitting ability irish animal candidate_gene biological_pathway identified trait investigation result following adjustment false_discovery quantitative_trait locus qtl associated least_one four carcass trait using single snp regression_approach using_bayesian approach qtl associated posterior_probability least_one four trait total unique bovine gene mapped human orthologs within qtl found associated trait using_bayesian approach using information significantly pathway identified across trait the significantly biological_pathway peroxisome_receptor ppar signaling_pathway conclusion large number genomic_region putatively associated bovine carcass trait detected using two different statistical approach notably several significant association detected close_proximity gene known role animal growth glucagon leptin several biological_pathway including ppar signaling shown involved various aspect bovine carcass performance these core gene biological_process may form foundation investigation identify_causative mutation involved trait result reported support_previous finding suggesting conservation key biological_process involved growth metabolism', 'entropion inward rolling eyelid allowing contact eyelash cornea may_lead blindness corrected although many mammalian_specie including human dog afflicted congenital_entropion specific gene gene region related development entropion reported mammalian_specie date entropion domestic_sheep known genetic component therefore used domestic_sheep model system identify_genomic region containing gene associated entropion association conducted congenital_entropion columbia polypay rambouillet sheep genotyped snp marker prevalence entropion breed represented logistic_regression performed plink additive allelic recessive dominant genotypic inheritance model two significant empirical snp identified specifically marker empirical genotypic model near nln empirical dominance model six additional suggestive snp nominal identified including marker near additive model dominance model genotypic model genotypic model recessive_model this_first report specific gene region associated congenital_entropion mammalian_specie knowledge further none gene previously associated eyelid trait these_result represent first analysis gene region associated entropion provide target region development sheep genetic marker selection', 'background feed_efficiency jointly determined productivity feed requirement economically_relevant trait beef_cattle production_system the_objective study identify associated component feed_efficiency nelore_cattle using_illumina bovinehd_beadchip snp genotype nelore steer the trait analyzed included average_daily gain_adg dry_matter intake_dmi ratio_fcr feed_efficiency residual_feed intake_rfi maintenance efficiency efficiency gain partial_efficiency growth peg relative growth_rate rgr the bayes analysis completed gensel_software parameterized fit fewer marker animal genomic window containing snp locus accounted genetic_variance considered qtl region candidate_gene within window_explained genetic_variance selected putative function based david gene_ontology result qtl snp window identified chromosome umd the amount genetic_variance explained individual qtl window feed_efficiency trait ranged some qtl minimally overlapped previously_reported feed_efficiency qtl bos_taurus the qtl region described study harbor gene biological_function related metabolic_process lipid protein metabolism generation energy growth among positional_candidate gene selected feed_efficiency cxadr conclusion some genomic_region positional_candidate gene reported study previously_reported feed_efficiency trait bos_indicus comparison published result indicates different qtls gene may involved control feed_efficiency trait nelore_cattle population compared bos_taurus cattle', 'genomic_region associated milk_fatty acid_composition detected bos_taurus autosome_bta based single_nucleotide polymorphism snp genotype the_aim study imputed snp genotype identify candidate_gene associated milk composition phenotype consisted gas_chromatography measurement based_winter summer_milk sample phenotype genotype available animal winter_milk animal summer_milk sample analysis showed several snp region located mbp strong association this region characterized based haplotype summer_milk sample example haplotype explained almost genetic_variance two group haplotype distinct predicted effect could defined suggesting_presence one causal_variant predicted haplotype effect tended increase however proportion genetic_variance explained haplotype tended decrease this indication quantitative_trait locus qtl region involved either elongation process early termination novo synthesized although many gene present qtl region gene characterized yet the strongest_association found close progesterone receptor membrane component gene yet associated milk composition therefore clear candidate_gene associated milk composition could identified qtl', 'paratuberculosis caused_mycobacterium avium ssp paratuberculosis_map cause_economic loss present dairy_herd worldwide different study used different diagnostic_test detect infection_status basis association_gwa study inconsistent result therefore aim_study identify compare genomic_region associated map susceptibility cohort cattle using different diagnostic_test the gwa study performed german_holstein within assay using cow tested map fecal culture additional four different commercial genotyping performed illumina_bovine beadchip the result using fecal culture elisa test led identification different genetic locus two polymorphism showed_significant association however significant association map_infection could_confirmed our_result show definition important impact outcome gwa study paratuberculosis', 'background female_fertility important maintenance production dairy_cattle herd two qtl region previously detected nordic_holstein validated danish_jersey nordic_red investigated present_study refine qtl location refined qtl region imputed_full sequence_data the gene region studied ascertain possible effect fertility trait result screened number_insemination ai rate nrr day first last_insemination ifl interval calving_first insemination icf range whereas screened icf range bovine snp_array marker breed reached_significance analyzing imputed_sequence data qtl position_narrowed two region two region total gene identified analyzed using sequence_data breed the highest two region identified region region snp within two region annotated intergenic conclusion screening female_fertility trait suggested qtl female_fertility specific missense_mutation showed_strongest association fertility trait the annotated snp intergenic variant possible stage poorly annotated associated polymorphism located undiscovered gene fertility trait complex trait many different biological physiological factor determine_whether cow fertile therefore expected simple explanation obvious_candidate gene likely network gene intragenic variant explain variation trait', 'supernumerary_teat represent common abnormality bovine udder association study performed based proportion occurrence supernumerary_teat daughter holstein_bull the heritability caudal_supernumerary teat without mammary_gland study the largest_proportion heritability attributable bta the strongest evidence association five snp chromosome referred qtl the mode_inheritance qtl dominant these_finding reveal occurrence caudal_supernumerary teat without mammary_gland holstein_cattle influenced qtl chromosome polygenic part the data support high potential snp qtl region marker breeding caudal_supernumerary teat', 'significant snp associated shear_force sensory trait confirmed hanwoo_beef korean cattle significant association detected one single_nucleotide polymorphism snp chromosome shear_force slightly higher number snp significantly_associated shear_force sensory trait further snp significantly_associated shear_force tenderness_juiciness flavor likeness respectively the snp threshold explained_phenotypic variance significant snp accounted_phenotypic variance conclusion shear_force sensory evaluation moderately affected locus minimally affected locus study required using large sample_size high marker_density', 'one duplicated segment chicken chromosome causal_mutation phenotype however understanding_biological process formation also interest chicken breeding feather development theory one_hundred valid single_nucleotide polymorphism snp snp database used_perform association study chromosome xinghua chicken two snp respectively significantly_associated feathering phenotype this result_indicated causal_mutation formation xinghua chicken consistent_previous report showed locus ranged chromosome microarray expression implemented six female xinghua chick compared chick upregulated downregulated known gene chick gene expressed chick one least significantly differentially_expressed gene directly related keratin region feathering gene prolactin receptor prlr gene significantly differentially_expressed gene expression prlr chick chick wenchang chick also higher expression_level prlr one this_study suggested increasing prlr expression resulted special variant chicken chromosome caused phenotype', 'the_objective study validate association significant snp identified previous association study carcass_weight cwt commercial_hanwoo population genotyped snp located steer korea hanwoo feedlot bull snp five snp namely found significantly_associated cwt these five significant marker spanned region the significant marker cwt study allele_substitution effect accounted additive_genetic variance commercial_hanwoo population the snp marker found significantly_associated cwt eye_muscle area could_potentially exploited_selection hanwoo cattle also genotyped variation map gene already_reported associated height identify significant association carcass_weight however association observed hanwoo commercial population', 'whole_genome selection represents important tool improving parameter related production livestock order build genomic_selection index within particular breed important identify polymorphism significant association desired trait marker association approach based illumina_beadchip used identify_genomic region affecting birth_weight weaning_weight daily weight_gain dwg purebred_crossbred creole cattle population genotyped individual blanco orejinegro bon romosinuano romo cebú breed crossbreed bon cebú romo cebú tested genetic control model total single_nucleotide polymorphism snp related evaluated trait associated highest number snp for statistical correction bonferroni_correction used from result identified snp strong association dwg respectively many snp located important coding_region bovine genome ontology interaction discussed herein the result could contribute identification gene involved physiology beef_cattle growth development new strategy breeding management via genomic_selection improve productivity creole cattle herd', 'mastitis mammary disease frequently affect dairy_cattle despite considerable research development effective prevention treatment strategy mastitis continues significant issue bovine veterinary medicine identify major gene affect mastitis dairy_cattle chromosomal_region bos_taurus autosome_bta selected genome_scan mastitis phenotype using_imputed single_nucleotide polymorphism array association analysis using variant targeted region carried map causal_variant using sequence_data breed the quantitative_trait locus qtl discovery population comprised holstein_bull qtl confirmed nordic_red jersey_cattle the targeted region imputed_sequence level the highest association signal clinical_mastitis observed bta holstein_cattle confirmed nordic_red cattle the peak association region bta contained gene vitamin protein precursor neuropeptide receptor based known biological_function good_candidate affecting mastitis however strong_linkage disequilibrium region prevented conclusive determination causal gene different qtl bta located holstein_cattle affected mastitis addition qtl bta confirmed segregate nordic_red cattle qtl bta confirmed jersey_cattle although several candidate_gene identified targeted region possible identify gene polymorphism causal factor region', 'improving trait underlie meat_quality major challenge beef industry the_objective paper detect qtl linked sensory meat_quality trait french beef_cattle breed genotyped young_bull sire belonging charolais_limousin blonde_breed respectively using_illumina beadchip_illumina san_diego after estimating relevant genetic_parameter using vce software performed linkage_disequilibrium linkage analysis meat trait intramuscular_fat content muscle lightness shear_force tenderness score heritability coefficient largely ranged however reached maximum intramuscular_fat content tenderness score respectively charolais breed the meat texture trait shear_force tenderness score strongly genetically_correlated charolais_limousin breed blonde_breed indicating different measure approximately trait the genetic_correlation tenderness intramuscular_fat content differed across breed using significance_threshold qtl detection found significant position across autosomal_chromosome trait charolais blonde_breed contrast significant position limousin_breed few qtl common across breed detected qtl intramuscular_fat content located_near myostatin gene charolais blonde_breed mutation gene reported blonde_breed therefore suggests unknown mutation could segregating breed confirmed certain breed marker calpastatin calpain gene region affect tenderness also found new qtl several qtl chromosome significantly_associated meat_tenderness blonde_breed overall result greatly contribute goal building panel marker used_select animal high meat_quality', 'the analysis studied many researcher effect multiple snp simultaneously estimated tested multiple linear_regression the association analysis usually higher power lower rate detecting causative snp single marker analysis sma several method proposed simultaneously_estimate test multiple snp effect research fast method called meml mixed_model based lasso algorithm developed simultaneously_estimate multiple snp effect improved lasso prior assigned snp effect estimated searching maximum joint posterior mode the residual polygenic_effect included model absorb many tiny snp effect treated missing data algorithm series simulation experiment conducted validate proposed method result showed compared smma new method dramatically decrease rate the new method also applied dataset association study milk_production trait chinese_holstein cattle totally significant snp nearby gene found the number significant snp remarkably fewer smma found significant snp among significant snp also found smma several qtls gene confirmed furthermore also got positional_candidate gene potential function effecting milk_production trait these novel finding research valuable investigation', 'variation ovine gene analysed using strand conformational_polymorphism effect growth_carcass trait assessed new_zealand romney lamb produced unrelated ram among four allelic_variant detected presence variant found associated increased proportion shoulder yield absent present tended associated increased shoulder yield lean_meat yield shoulder expressed percentage hot_carcass weight absent present association detected growth trait carcass trait', 'the glucocorticoid receptor ubiquitously acting transcription_factor responsible mediating physiological response_stress adaptation environmental_condition genetic_variation gene may therefore contribute multiple phenotypic alteration influence relevant trait animal production here_examined effect two mutation porcine leading amino_acid exchange domain meat_quality carcass_composition addition explored influence transcriptional_activity vitro commercial crossbreed pietrain_german large_white german_landrace herd genotype relevant trait collected used_perform association analysis the single_nucleotide polymorphism snp significantly_associated conductivity meat_color score these effect highly consistent considering physiological relationship trait association analysis snp also revealed significant effect closely connected meat_quality trait addition snp showed association carcass trait mainly related muscle deposition the molecular_mechanism action amino_acid substitution remains obscure neither showed_significant influence transcriptional_activity our study emphasizes important candidate_gene trait pig work necessary clarify molecular background identified association', 'the ppara peroxisome gene_encodes nuclear_receptor play_important role fatty_acid catabolism transcriptional regulation gene involved fatty_acid oxidation considered candidate_gene fatness trait pig the_aim study search functional polymorphism untranslated_region utr association production trait postnatal ppara transcript_level skeletal_muscle longissimus semimembranosus commercial_pig breed polish_landrace polish_large white plw duroc_pietrain pulawska altogether novel polymorphism snp indel found utr the silico_analysis revealed putative microrna target_sequence analyzed region the substitution widely distributed_across breed located_near putative target_sequence the relative ppara transcript_level higher homozygous animal snp the luciferase_assay revealed probably act negative_regulator ppara expression pig adipocytes observe effect allele interaction putative target_sequence hypothesize predominant haplotype differing site including present different architecture utr could affect level transcript the snp analyzed plw significantly_associated backfat_thickness point intramuscular_fat content suggestive association found snp fatty_acid content subcutaneous visceral fat tissue plw duroc_pietrain pig the ppara mrna_level higher semimembranosus_muscle general comparison trend found breed except tested day_age the effect breed highly_significant general comparison common expression_pattern muscle among different age group conclude snp ppara gene considered breed useful genetic marker adipose_tissue accumulation', 'major gene yet reported sheep explains variation milk fat_content the coding_region carboxylase_alpha acaca gene play_important role novo fatty_acid synthesis investigated mutation reported study genomic_region encoding three promoter acaca gene directly sequenced sheep three different breed snp identified allele_frequency snp significantly differed breed the snp potentially altered either gene regulatory_element putative binding_site transcription_factor made evident silico_analysis the association analysis milk trait performed one snp piii genbank showed_significant allelic_substitution effect altamurana gentile breed respectively because snp located binding_site paired box protein transcription_factor shown function efficient promoter element piii transcript expressed_mammary gland snp piii acaca gene might affect variation fat_content sheep milk', 'present_study single_nucleotide polymorphism cfb complement factor gene analyzed commercial_pig population greece gene coding properdin protein play integral role uterine epithelium growth found qtl region many gene associated specific reproductive trait gene considered affect various reproductive trait pig present_study associated gene genotype litter_size sow tnb total number_born nba number_born alive sow genotype gave statistically_significant lower value tnb_nba genotype our_result support concept belongs group gene control litter_size sow thus gene could_used selection programme genetic_improvement reproductive characteristic livestock', 'product nucleobindin gene purportedly play_important role energy_homeostasis experiment conducted determine expression fat depot may controlled pig test_hypothesis regulates appetite secretion gilt prepubertal gilt used study expression fat effect intracerebroventricular injection food intake pituitary hormone secretion growing_pig gilt barrow age sexually mature gilt used test association snp gene growth trait the expression similar subcutaneous_fat compared perirenal fat injection receptor agonist hormone alter expression mrna hypothalamus reduced mrna_expression subcutaneous_fat submaintenance feeding reduced alter expression mrna visfatin leptin increased expression adiponectin mrna fat central injection suppressed feed_intake secretion greater injection saline single_nucleotide polymorphism porcine gene associated adiposity growing_pig age_puberty gilt associated puberty these data indicate expressed fat depot pig level expression sensitive stimulation pathway hypothalamus confirmed herein regulate appetite pig affect gonadotropic axis prepubertal pig association snp porcine gene puberty suggests regulation appetite pig affect growth may important consequence adult phenotype', 'the genetic_improvement reproductive trait number_teat essential success pig_industry opposite snp association study consider continuous phenotype gaussian assumption trait characterized discrete variable could_potentially follow distribution poisson therefore order access complexity counting random_regression considering snp simultaneously covariate gwas modeling bayesian inference tool become necessary currently another point deserves highlighted gwas genetic dissection complex phenotype candidate_gene network derived significant snp present full bayesian treatment snp association analysis number_teat assuming alternatively gaussian poisson distribution trait under framework significant snp effect identified hypothesis test using highest posterior density interval these snp used_construct associated candidate_gene network aiming explain genetic_mechanism behind reproductive trait the bayesian model comparison based deviance posterior_distribution indicated superiority gaussian model general result_suggest presence significant snp mapped gene besides predicted gene interaction_network consistent mammal known breast biology development prolactin receptor signaling cell_proliferation captured known regulation binding_site provided candidate_gene trait ick', 'previous_research several wnt signaling_pathway gene including transcription_factor catenin protein mmtv integration site family_member differentially_expressed stimulated preovulatory ovarian_follicle large_white chinese taihu sow present research three gene selected candidate_gene litter_size trait pig four mutation detected eleven pig population result_indicated major allele tested pig population major allele several chinese_native pig breed association analysis four mutation litter_size large_white div_pig showed signficant difference total number_born tnb number_born alive_nba among three genotype significance additive_effect appeared locus suggesting two mutation might reliable marker pig selection breeding', 'background porcine chromosome harbor four qtl strongly affecting backfat_thickness bft ham_weight intramuscular_fat content_imf loin_eye area lea the confidence_interval qtl overlap span approximately this_study therefore attempt fine_map qtl joint_analysis two population large_white meishan white_duroc erhualian constructed inra jxau respectively furthermore determine_whether qtl caused mutation three positional_candidate gene involved_lipid biosynthesis result linkage_map average_distance marker initial qtl interval created used the qtl bft lea narrowed resulting joint_analysis for imf two linked qtl revealed inra population jxau population causing wider imf qtl linkage analysis using two subset inra dam family demonstrate bft qtl segregating meishan pig moreover haplotype comparison dam suggest within refined qtl region recombination coldspot flanked_marker unlikely contain qtl gene two snp gene identified showed_significant association bft known polymorphism two gene unlikely causal_mutation conclusion the candidate qtl region greatly reduced qtl likely located_downstream recombination coldspot the segregation sscx qtl bft within meishan breed provides opportunity make effective use meishan chromosome crossbreeding further study attempt identify impact additional dna sequence cnv expression variation three gene surrounding gene trait', 'mutation growth_differentiation factor bone_morphogenetic protein significantly_associated reproductive_performance mammal objective_present study identify polymorphic_site elucidate association genotype egg_production polymorphism detected dna_sequencing three snp detected lead substitution leu phe predicted affect protein function result association analysis_indicated effect total egg_production age age_first laying afe affected influenced afe the diplotype_highest conclusion may significantly improved selection genotype maternal line shaobo hen', 'calpastatin associated rate post_mortem degradation structural_protein due regulation calpain activity present research association polymorphism within intron porcine cast gene several meat_quality trait analyzed the cast gene polymorphism affected meat_colour water whc texture parameter toughness firmness cohesiveness chewiness resilience measured longissimus_dorsi semimembranosus_muscle the analysis performed numerous breed maintained poland suggested interesting polymorphism greatest effect whc regardless breed analyzed effect meat firmness toughness breed interestingly almost breed significant effect mutation intramuscular_fat content_imf detected the provided data confirmed use cast gene genetic marker breeding_programme allows performing selection focussed improving quality pork', 'background_improving feed_efficiency major_goal poultry production order_reduce production cost increase possibility using alternative feedstuffs decrease volume manure however spite economic_environmental impact quantitative_trait locus qtl reported trait thus undertook detection qtl chicken cross line_divergently selected low high digestive efficiency week_age bird measured growth day feed_intake feed_conversion ratio day breast abdominal_fat yield day anatomy digestive tract density relative weight length duodenum jejunum ileum ratio proventriculus gizzard_weight examined evaluate excretion trait fresh dry weight water_content nitrogen phosphorus ratio day gizzard jejunum content day measured set single_nucleotide polymorphism distributed gallus_gallus gga autosome chromosome one unassigned linkage_group used qtl detection result using qtlmap_software developed linkage analysis interval_mapping detected qtl feed_intake feed_efficiency trait seven growth six body_composition ten excretion nine qtl significant four feed_intake one feed_efficiency four anatomy carried many qtl different type trait position conclusion_this study identified several qtl region involved control digestive efficiency chicken further study_needed identify gene underlie effect validate commercial population different breeding environment', 'background boar_taint offensive urine odour affecting smell taste cooked pork mature male pig androstenone_skatole fat molecule responsible pig production_system male required breeding castrated shortly birth reduce risk boar_taint there_evidence genetic_variation predisposition boar association study_gwas performed identify locus effect boar_taint five_hundred danish landrace boar high level skatole fat matched litter mate low level skatole measured androstenone dna boar genotyped using_illumina beadchip_after quality_control test snp associated boar_taint performed phenotyped individual snp empirical significance_threshold set permutation for androstenone heritability approach combining_information multiple snp used_estimate genetic_variation attributable individual autosome result highly_significant association found variation skatole level snp within gene chromosome encodes enzyme involved degradation skatole nominal_significance found effect skatole associated snp including region reported previously significance found association snp androstenone_level nominal_significance association snp the regional analysis confirmed large effect androstenone suggest explains genetic_variation androstenone the autosomal heritability analysis also suggest large effect associated androstenone detected using gwas conclusion significant snp association found skatole_androstenone landrace pig the study agrees evidence gene effect skatole breakdown liver autosomal heritability_estimate uncover cluster smaller genetic effect individually exceed threshold gwas significance', 'myostatin transforming_growth superfamily member well documented negative_regulator muscle growth development myostatin amino_acid synthesized precursor protein polymorphism myostatin gene makoei sheep investigated pcr conformation polymorphism technique sscp genomic dna sheep isolated whole blood myostatin intron segment amplified standard pcr using primer four sscp pattern representing four different genotype identified the frequency genotype respectively allele_frequency respectively observed heterozygosity there significant deviation equilibrium locus analysis myostatin gene sequence revealed heterozygous snp agreement result obtained sscp analysis concluded sscp analysis quick sensitive reliable technique determination dna polymorphism the effect genotype trait investigated genotype found associated birth_weight phenotypic association detected genotype association myostatin variant weight_gain detected conclude polymorphism ovine myostatin gene associated birth_weight weight_gain iranian makoei sheep', 'background like human immunodeficiency virus hiv ovine lentivirus ovlv cause lifelong infection ovlv infects one quarter sheep induces pneumonia body condition wasting there vaccine prevent ovlv infection treatment infected animal however breed difference prevalence proviral_concentration indicated genetic_basis susceptibility ovlv recent study identified variant ovlv susceptibility the_objective identify additional locus associated odds control_ovlv infection finding this association study_gwas included sheep rambouillet polypay columbia breed serological status proviral_concentration phenotype analytic model accounted breed age well genotype this approach identified nominal empirical provided additional genomic_region associated odds_infection provided region associated control infection nominal rapid decline linkage_disequilibrium distance suggested many region included gene gene region associated odds_infection included empirical gene region associated control infection included zinc_finger cluster these association provide target mutation discovery sheep susceptibility ovlv aside gene associated previously lentiviral infection specie_knowledge further data specie suggest functional hypothesis future testing gene ovlv lentiviral infection specifically bind may_regulate required enveloped virus assembly human cytomegalovirus zinc_finger transcription_factor associated positive selection repression retroviral replication bind may_regulate known regulator hiv infectivity', 'identify molecular_marker candidate_gene associated reproductive trait analysis performed jinghai_yellow chicken analyze body_weight first_oviposition bwf age_first oviposition afe weight egg first_oviposition few egg_weight age_day number egg produced day_age egg hatchability multiple selection index egg_production msi the result showed seven single_nucleotide polymorphism snp associated reproductive trait bonferroni_correction the seven snp respectively these snp located_close proximity within sequence five candidate_gene including ttl pcnx additional snp could associated reproductive trait identified bonferroni_correction identification candidate_gene well snp may associated reproductive trait greatly advance_understanding genetic_basis molecular_mechanism underlying reproductive trait may practical significance breeding_program improvement_reproductive trait jinghai_yellow chicken', 'kit mutation detected different cancer subtypes including melanoma the gene also extensively studied farm_animal prominent role coat_color the present_work aimed detecting kit variant porcine model cutaneous_melanoma libechov minipig melim sequencing exon_intron border snp one indel identified coding snp three mutation likely affect protein conformation promising variant located exon genotyped melim duroc cross association analysis conducted several trait this variant showed_significant association melanoma development tumor ulceration cutaneous invasion conclusion although kit gene would major causal gene melanoma development pig genetic_variation could influencing trait', 'traditional selection sow reproductive_longevity ineffective due_low heritability late expression trait incorporation dna marker selection_program potentially practical approach improving sow lifetime_productivity using resource_population crossbred gilt explored pleiotropic source variation influence age_puberty reproductive_longevity trait recorded breeding age_puberty significantly affected probability female would produce first_parity litter the genetic_variance explained window sow genome compared across trait uncovered region influence age_puberty lifetime number parity allelic_variant snp located exhibited additive_effect associated early expression puberty greater average number lifetime parity combined analysis snp showed increase number favorable_allele positive impact reproductive_longevity increasing number parity the region located harbor allele arginine vasopressin receptor gene receptor associated social reproductive behavior vole human candidate observed effect this region characterized high level linkage_disequilibrium different line could exploited_selection program across population increase sow reproductive_longevity', 'the proteomics approach used investigate difference porcine_skeletal muscle identified one differential_expression protein present_study gene cloned sequence analyzed using bioinformatics method mrna_expression detected sequence analysis showed porcine gene contains orf encoding residue nucleotide utrs respectively the mrna widely expressed tissue tested especially highly_expressed parorchis fat the expression_pattern similar large_white meishan breed showing expression upregulated day birth downregulated postnatal development skeletal_muscle comparing two breed mrna_abundance large_white highly_expressed meishan developmental_stage moreover synonymous_mutation exon identified association analysis trait meat_quality showed significantly_associated rlf fmp ifr imf imw these_result suggested probably play_key role porcine_skeletal muscle_development may provide_insight molecular_mechanism responsible difference meat_quality', 'obesity complex condition exponentially rising prevalence rate linked severe disease like type diabetes economic welfare consequence led raised interest better_understanding biological genetic background date whole_genome investigation focusing single genetic variant achieved limited success importance including genetic interaction becoming evident here aim perform integrative genomic analysis pig resource_population constructed aim maximize genetic_variation phenotype genotyped using snp_chip firstly genome_wide association_gwa analysis performed obesity index locate candidate genomic_region validated using combined_linkage disequilibrium linkage analysis investigated evaluation haplotype_block built weighted interaction snp hub wish differentially wired network using genotypic correlation amongst snp resulting gwa_analysis gwa result snp module detected wish analysis investigated functional enrichment_analysis the functional_annotation snp revealed several gene associated obesity moreover gene enrichment_analysis identified several significantly_associated pathway gwa study result may_influence obesity obesity related disease metabolic_process wish network based genotypic correlation allowed_identification various gene_ontology term pathway related obesity related trait identified gwa study conclusion first study develop genetic obesity index employ system genetics porcine model provide important insight_complex genetic_architecture associated obesity many biological_pathway underlie', 'play_important role numerous cellular process_involved regulation embryonic_development protein synthesis glycogen metabolism_inflammatory mitosis apoptosis study obtained cdna promoter sequence porcine gene analyzed genomic organization mapped comparative_mapping method moreover analysis_revealed porcine gene widely expressed many tissue high expression_level observed brain spleen addition seven polymorphism detected promoter_region porcine gene association analysis_revealed mspi polymorphism significant association loin_muscle area average_backfat thickness fat_thickness buttock fat_thickness these_result provide_useful information investigation function porcine gene', 'single_nucleotide polymorphism snp_array containing marker employed association study_gwas identify variant associated lean_meat ham lmh lean_meat percentage lmp within porcine large intercross population for individual lmh lmp measured slaughter age_day total animal genotyped the gwas revealed snp showed_significant association lmh lmp rapid_association using_mixed model control approach nineteen significant snp mapped distal_end sus_scrofa chromosome_ssc major known gene responsible muscle_mass located conditioned analysis genotype strongest associated snp included_fixed effect model showed_significant snp derived single quantitative_trait locus the two association snp disappeared conditioned analysis suggested association signal false association derived using population the present result expected lead novel_insight muscle_mass different pig breed lay preliminary foundation study identification_causal mutation subsequent application selection_program improving muscle_mass pig', 'brahman_cattle important tropical region due ability tolerate excessive heat parasite however brahman_cattle exhibit lower carcass quality characteristic compared bos_taurus breed the_objective study evaluate potential association single_nucleotide polymorphism snp six candidate_gene carcass quality composition trait population brahman steer steer evaluated american brahman breeder association carcass evaluation project gonzales texas carcass trait measured included hot_carcass weight ribeye_area marbling_score yield_grade quality_grade dressing percent shear_force score six previously_described candidate_gene chosen snp analysis based previous association growth_carcass trait candidate_gene utilized current_study included calpastatin_cast calpain thyroglobulin growth_hormone insulin growth_factor adiponectin six unique snp three candidate_gene cast significantly_associated carcass quality trait marbling_score quality_grade genotypic effect observed significant snp differing level performance observed animal inheriting different genotype although multiple snp current_study significantly_associated growth_carcass trait validated larger population prior implementation_selection strategy', 'objective the_objective present_study validate gene genomic_region associated carcass_weight using single_nucleotide polymorphism snp_chip hanwoo cattle breed method commercial_hanwoo steer genotyped geneseek genomic_profiler beadchip_after applying quality_control criterion call_rate minor_allele frequency_maf total autosomal snp left association_gwa analysis the gwa test performed_using mixed_linear model age slaughter fitted_fixed effect sire included covariate the level significance set corresponding bonferroni_correction multiple independent test result employing emmax approach based mixed_linear model account population_stratification relatedness identified locus significantly_associated carcass_weight additive_dominant model respectively the second significant snp bovine_chromosome allele_substitution effect some identified region previously_reported associated quantitative_trait locus carcass_weight several beef_cattle breed conclusion_this first association study using snp_chip commercial_hanwoo steer locus newly_identified study may_help better dna marker determine increased beef production commercial_hanwoo cattle further study using larger_sample size allow confirmation candidate identified study', 'background formation vertebral column critical developmental_stage mammal the strict control process resulted little variation number_vertebra across mammalian_specie variation within mammalian_specie the pig quite unique considerable_variation exists number_thoracic vertebra well number_lumbar vertebra least two gene identified affect number_vertebra pig yet considerable genetic_variation still exists therefore association_gwa analysis conducted_identify additional genomic_region affect trait result total animal phenotyped number rib thoracolumbar vertebra well successfully genotyped_illumina porcine_beadchip after data editing snp marker included gwa_analysis these animal also phenotyped kyphosis window_explained least genomic variation vertebra count region significant kyphosis vertnin genotype significantly affected vertebral count well the region largest_effect number_lumbar vertebra thoracolumbar vertebra located hox gene cluster largest association thoracic_vertebra number hox gene cluster genetic marker significant region accounted approximately genomic variation le genomic variation kyphosis described qtl region region associated kyphosis vertebra count conclusion the importance hox gene family vertebral development highlighted significant association detected family further evaluation region characterization variant within gene expand_knowledge vertebral development using natural genetic variant segregating commercial swine', 'the hpa_axis exerts large range effect metabolism immune_system inflammatory process brain function together sympathetic nervous_system also important neuroendocrine system both system influence production trait carcass_composition meat_quality the hpa_axis may critical target genetic selection robust animal indeed numerous study various specie demonstrated importance genetic factor shaping individual hpa_axis phenotype genetic polymorphism found level axis including hormone production adrenal cortex stimulation adrenocorticotropic hormone acth hormone bioavailability receptor postreceptor mechanism the_aim present experiment extend finding brain neurochemical system involved stress_response end number candidate_gene sequenced molecular polymorphism association studied stress neuroendocrine production trait genetically_diverse population consisting female pig advanced_intercross highly divergent breed large_white meishan the breed high production potential lean_meat low hpa_axis activity breed low growth_rate fat large litter highly viable high hpa_axis activity candidate_gene chosen catecholaminergic serotonergic pathway pituitary control cortisol production among gene previously demonstrated differentially_expressed adrenal_gland pig cortisol receptor sixty new polymorphism found the association study carcass meat_quality trait endocrine trait showed number significant result monoamine oxidase maoa polymorphism growth_rate lean content intramuscular_fat important trait carcass value dopamine_receptor carcass_composition vasopressin receptor meat_quality trait the effect polymorphism neuroendocrine parameter hpa_axis catecholamine indicates information regarding biological_mechanism action', 'background obesity excess fat tissue body underlie variety medical complaint including heart disease stroke cancer the pig excellent model organism study various human disorder including obesity well foremost agricultural specie order_identify genetic variant associated fatness used selective genomic approach sampling dna animal extreme end fat lean spectrum using estimated_breeding value derived total population size animal dna breed sire line large_white duroc white pietrain composite line titan used interrogate illumina_porcine genotyping beadchip order_identify significant association term single_nucleotide polymorphism snp copy_number variant cnvs result sampling animal end ebv estimate breeding_value spectrum whole population could assessed using le animal without losing statistical_power indeed several significant snp genome_wide significance_level discovered linked gene_ontology previously correlated fatness nt sst quantitative analysis data identified putative cnv region containing gene whose ontology suggested fatness related function pparα conclusion selective_genotyping ebv either end phenotypic spectrum proved cost effective mean identifying snp cnvs associated fatness estimated major effect large population animal', 'the main goal study screen polymorphism porcine adiponectin adipoq gene promoter analyse influence transcription identify association production trait pig region adipoq gene promoter analysed pig seven novel polymorphism found luciferase_assay performed human embryonic kidney cell primary porcine adipose mesenchymal stem cell padmscs investigate affect promoter_activity indel found influence promoter strength vitro cell line genotype showed greater luciferase_activity genotype padmscs insertion genotype adipoq promoter showed greater luciferase_activity deletion genotype association study performed two novel polymorphism indel showed_significant correlation loin measurement polish_landrace synthetic_line pig', 'the ghrelin ghrl ghrelin receptor ghsr growth_factor receptor gene crucial effect body_weight body_weight gain_bwg feed_intake feed_conversion ratio_fcr many_specie however study association ghrl_ghsr bwg_fcr reported chicken study snp ghrl_ghsr gene genotyped_laser mass_spectrometry the_objective study examine association ghrl_ghsr gene polymorphism day_day age bwg_fcr interval two yellow population total bird the result showed ghrl significantly_associated bwg_fcr for ghsr significant effect fcr showed_significant association bwg strongly_associated fcr_furthermore haplotype based three snp ghrl significantly_associated fcr meanwhile haplotype comprising showed_significant effect fcr therefore concluded identified snp analyzed haplotype study might_useful broiler breeding_program', 'background beef_cattle require dietary mineral optimal health production reproduction concentration mineral tissue least partly genetically determined mapping genomic_region affect mineral_content bovine longissimus_dorsi muscle contribute identification gene control mineral_balance transportation absorption excretion could associated metabolic_disorder method applied association strategy genotyped nelore steer family illumina_bovinehd beadchip association analysis performed mineral_content longissimus_dorsi muscle using_bayesian approach_implemented gensel_software result muscle mineral_content bos_indicus cattle moderately_heritable estimate ranging our_result suggest variation mineral_content influenced numerous qtl quantitative_trait locus qtl explained_additive genetic_variance iron content detected bovine_chromosome most candidate_gene present qtl region mineral_content involved signal transduction signaling_pathway via integral also called intrinsic membrane_protein transcription regulation metal ion binding conclusion_this study identified qtl candidate_gene affect mineral_content skeletal_muscle our_finding provide first_step towards understanding_molecular basis mineral_balance bovine muscle also serve basis study mineral_balance organism', 'most association study pinpointing variant performed within breed the availability_sequence data key_ancestor several cattle breed enables immediate assessment frequency variant population different mapping population imputation large validation population the_objective study validate effect putatively causative_variant milk_production trait male_fertility stature german_fleckvieh animal using targeted sequence imputation used sequence_data animal impute missense_mutation ghr prlr fleckvieh holstein animal the accuracy imputed genotype exceeded variant association testing imputed variant revealed consistent antagonistic effect ghr variant milk_yield protein fat_content respectively breed the allele_frequency polymorphism changed considerably past indicating target recent selection milk_production trait the prlr variant associated yield trait fleckvieh holstein suggesting may linkage_disequilibrium mutation affecting yield trait rather causal the reported effect variant milk_production male_fertility stature could_confirmed our_result demonstrate imputation candidate causal_variant sequence_data feasible enabling rapid validation large independent population', 'background previous association analysis identified qtl region chromosome percentage_normal sperm scrotal_circumference brahman tropical composite cattle these trait important studied indicator male_fertility correlated female_sexual precocity reproductive_longevity the_aim investigate candidate_gene region identify putative_causative mutation influence trait addition tested identified mutation female_fertility growth trait result using combination bioinformatics molecular assay technology twelve snp eleven gene genotyped cattle population three nine snp explained_additive genetic_variance percentage_normal sperm scrotal_circumference respectively the snp major influence percentage_normal sperm mapped gene gene scrotal_circumference one snp explained_additive genetic_variance scrotal_circumference month the tested snp also associated weight measurement female_fertility trait conclusion the strong association snp located chromosome gene male_fertility trait validates qtl the implicated gene became good_candidate used genetic_evaluation without detrimentally influencing female_fertility trait', 'background_improving meat_quality including taste tenderness critical protection development market sheep meat phenotypic selection measure meat_quality constrained fact parameter measured carcass_composition impact meat_quality measured_live animal using advanced imaging technology computed tomography since carcass_composition trait heritable potentially amenable improvement genomic_selection conducted association study_gwas scottish_blackface lamb detailed carcass_composition phenotype including bone fat muscle component captured using genotyped single_nucleotide polymorphism snp using_illumina chip result confirmed carcass_composition trait heritable moderate_high heritabilities the gwas analysis_revealed multiple snp quantitative_trait locus qtl associated effect carcass_composition trait significant level particular identified region ovine_chromosome associated bone weight bone area harboured snp value respectively the region effect fat area fat density fat weight muscle density identified plausible positional_candidate gene qtl also detected snp reached_significance threshold value associated muscle density using regional_heritability mapping approach also detected region reached_significance bone_density conclusion identified qtl particularly associated effect muscle fat bone trait based available evidence indicates trait genetically_correlated meat_quality trait associated snp potential_application selective_breeding improved meat_quality further_research required determine_whether effect associated qtl caused single gene several gene', 'transition nuclear protein tnps major protein found chromatin condensing spermatid implicated spermatogenesis male_fertility study dna_sample collected chinese_holstein bull sequenced identify genetic variant region_utr investigate genetic_variation gene common haplotype this_study also conducted determine_whether variation affect bovine semen_quality trait expression_level fragment_length polymorphism bioinformatics_analysis quantitative_pcr qpcr fluorescence assay result showed one new polymorphism snp one reported snp found gene bioinformatics_analysis result revealed locus located region respectively association study revealed bull agag aggg haplotype_combination exhibited lower deformity rate haplotype_combination the qpcr result showed relative mrna_expression bull haplotype_combination significantly_higher bull haplotype_combination microrna qpcr result suggested expression downregulated adult bull testicular tissue compared fetal bull testicular tissue contrast expression downregulated luciferase_assay result also indicated expression directly targeted murine leydig tumor cell line these_result provide first indication translational suppression snp altered binding mediated translational suppression could involved_regulation expression may_influence morphological characteristic chinese_holstein bull sperm propose snp may_help select semen_quality trait chinese_holstein bull dairy_industry', 'attainment puberty key developmental event influenced genetic environmental_factor examining age attainment puberty observed closely_related ram davisdale line whose daughter differed age attained puberty candidate_gene approach used identify mutation may underlie observed difference four ram divergent phenotype daughter age onset_puberty selected sequencing the coding_region gene known role_regulating reproductive function searched polymorphism snp altered amino_acid sequence protein interest three snp leptin_receptor gene lepr sequenom assay developed determine genotype snp daughter son founding sire higher percentage ewe lamb homozygous lepr mutation failed undergo puberty age undergo puberty first breeding season average approximately day older homozygous ewe heterozygous ewe intermediate measurement given predicted change protein function produced mutation lepr strong association genotype onset_puberty phenotype propose mutation lepr underlies observed difference age onset_puberty davisdale line furthermore animal likely provide_useful model better_understand role leptin regulation puberty', 'background feed contributes total production cost_poultry industry increasing feed cost prompt geneticist include feed_intake efficiency selection goal breeding_program present_study used chicken population association study_gwas detect potential genetic variant candidate_gene associated daily_feed intake_feed efficiency including residual_feed intake_rfi feed_conversion ratio_fcr method total hen white_leghorn dongxiang reciprocal_cross phenotyped feed_intake efficiency week_week genotyped using chicken single_nucleotide polymorphism snp genotyping_array univariate_bivariate conditional association study_gwas performed gemma efficient_mixed model association algorithm the statistical_significance threshold association inferred simplem method result identified eight genomic_region contained least_one genetic variant showed_significant association genomic_region gallus_gallus gga chromosome coincided known quantitative_trait locus qtl affect feed_intake layer particular_interest eight snp region consistently associated univariate_bivariate gwas explained_phenotypic variance respectively the gene considered promising_candidate for rfi haplotype_block harbored significant snp associated the major allele favorable lower rfi phenotypic difference opposite homozygous genotype strong signal detected bivariate gwas fcr conclusion the result demonstrated polygenic_nature feed_intake gwas identified novel variant confirmed qtl previously_reported feed_intake chicken genetic variant associated feed_efficiency may used genomic breeding_program select efficient layer', 'association study_gwas provide powerful approach identifying quantitative_trait locus without prior knowledge location function identify locus associated wool production trait performed association study total chinese_merino sheep_junken type genotyped single_nucleotide polymorphism snp present_study five wool production trait examined fiber_diameter fiber_diameter coefficient_variation fineness dispersion staple length crimp detected significant snp fiber_diameter fiber_diameter coefficient_variation fineness dispersion crimp trait chinese_merino sheep about significant snp marker located_within known predicted gene including ywhaz tspear nbea gene our_result confirm result previous_report also provide suite novel snp marker candidate_gene associated wool trait our_finding useful exploring genetic control wool trait sheep', 'the growth_hormone gene play_important role physiological_function organism the current_study aimed_investigate correlation polymorphism regulatory region exon untranslated_region utr sheep gene sheep growth trait the dna adult sheep analyzed dna_sequencing polymerase_chain reaction conformation polymorphism two allele genotype allele genotype allele genotype found within regulatory region exon utr respectively tibetan sheep association analysis_indicated statistically_significant difference score weight length heart_girth within regulatory region weight length wither height heart_girth within exon weight length wither height heart_girth within utr among different genotype for exon poll_dorset sheep individual genotype showed lower score genotype with regard utr poll_dorset sheep genotype showed higher score genotype', 'background current trend sheep farming practice rely animal greater level behavioral autonomy phenotype actively contributes sustainability animal production social_reactivity reactivity human relevant behavioral trait sheep known strong gregariousness weak tolerance handling previously_reported moderate_high heritabilities identify locus underlying behavior performed genome study romane lamb result the experiment carried male_female lamb allocated family average lamb per family reared outside after weaning lamb individually exposed standardized behavioral_test combining social isolation exposure human handling confinement novelty arena test corridor test isolation box test shearing test broad_range behavior including vocalization locomotion vigilance flight distance well cortisol_response handling collected all lamb genotyped using_illumina beadchip qtl detection performed linkage association joint linkage association analysis using qtlmap_software five main qtl region identified sheep chromosome ovis_aries region oar among many qtls small_moderate effect the qtls showed_significant association social_reactivity the qtls found associated reactivity human overlapping qtls identified different trait measured behavioral_test supporting_hypothesis different genetic factor influence social_reactivity tolerance human conclusion the result study using ovine snp data suggest domestic_sheep behavioral response social separation exposure human polygenic influence the relevant qtls reported present_study contain interesting_candidate gene previously_described associated various emotional social_behavior mammal', 'background understanding_underlying pleiotropic relationship_among quantitative_trait necessary order predict correlated response artificial_selection the availability_sequence data cattle provided_opportunity examine_whether pleiotropy responsible overlapping qtl multiple economic trait present_study examined qtl affecting cattle stillbirth calf_size adult_stature located genomic_region result genome_scan using_imputed whole_genome sequence_variant revealed one qtl large effect service sire calving index sci body_conformation index bci location chromosome nordic_red cattle the targeted region analyzed sci bci component trait the qtl peak included lcorl ncapg gene reported influence fetal_growth adult_stature several specie the qtl exhibited large effect calf_size stature nordic_red cattle two deviant haplotype resolved increased calf_size birth affected adult body_conformation however haplotype also resulted increased calving_difficulty calf_mortality due increased calf_size birth haplotype location overlapped however linkage_disequilibrium site low suggesting two independent mutation responsible similar effect the difference prevalence two haplotype nordic_red subpopulation suggested independent origin different population conclusion result study identified qtl large effect body_conformation service sire calving trait chromosome cattle present robust evidence variation lcorl ncapg locus affect calf_size birth adult_stature suggest two deviant haplotype within qtl due two independent mutation', 'background gastrointestinal_nematode one serious cause disease domestic ruminant worldwide there_considerable variation resistance_gastrointestinal nematode within sheep breed appears due underlying genetic_diversity through selection resistant_animal rapid genetic_progress demonstrated research commercial flock recent_advance genome sequencing genomic technology provide_new opportunity understand ovine host_response gastrointestinal_nematode molecular level identify polymorphism conferring nematode_resistance result divergent_line romney perendale sheep selectively bred high_low faecal nematode egg_count genotyped using ovine beadchip the resulting snp data analysed selective_sweep locus associated resistance susceptibility gastrointestinal_nematode infection population differentiation using fst peddrift revealed sixteen region included candidate_gene involved chitinase activity cytokine response two sixteen region identified contained within previously identified qtls associated nematode_resistance conclusion study identified fourteen novel region associated resistance susceptibility gastrointestinal_nematode result study support_hypothesis host_resistance internal nematode_parasite likely controlled number locus moderate small effect', 'litter_size sheep determined mainly ovulation_rate several polymorphism identified growth_differentiation factor gene result increase prolificacy sheep screening databank brazilian sheep breeder association triplet delivery identified flock prolific ile france ewe after resequencing point_mutation identified resulting_amino acid_change cleavage site propeptide this new allele called vacaria fecg flock ewe evaluated first three breeding season vacaria heterozygote higher averaging compared ewe the also influenced age increasing second_third breeding season flock segregating allele higher mutant sheep averaging heterozygote ewe analysis homozygote reproductive_tract morphology revealed uterine ovarian hypoplasia ovarian_follicle continue develop small antral stage although abnormal oocyte morphology altered arrangement granulosa cell after collapse oocyte follicle remaining cell formed cluster persisted ovary this snp useful improve selection dam prolificacy also model investigate processing fate follicular cell remain oocyte demise', 'background bovine milk provides important mineral essential human_nutrition dairy_product quality for changing mineral composition milk improve dietary need human_nutrition technological_property milk thorough understanding_genetics underlying milk mineral_content important therefore aim_study estimate genetic_parameter individual mineral danish_holstein danish_jersey milk detect genomic_region associated mineral_content milk using association study_gwas approach result for high_heritabilities found high_heritabilities found furthermore intermediate heritabilities found the gwas revealed total significant snp marker detected total significant snp marker detected comparing list significant marker revealed snp common breed this snp marker closely_linked gene even_though found significant snp marker significant snp overlap conclusion the result_show show high_heritabilities combination gwas result open possibility select specific mineral bovine milk', 'the uncoupling_protein play_important role_regulation lipolysis thermogenesis adipose_tissue genetic_variation within three region promoter intron_exon ovine gene investigated using polymerase_chain conformational_polymorphism analysis these revealed three promoter variant designated two intron variant the association genetic_variation variation lamb carcass trait postweaning growth investigated new_zealand romney suffolk_sheep the presence lamb genotype associated decreased subcutaneous carcass fat_depth proportion total lean_meat yield loin meat increased proportion total lean_meat yield meat contrast two copy associated increased proportion total lean_meat yield shoulder meat decreased yield association found postweaning growth these_result suggest ovine potential gene marker carcass trait', 'the finnish_landrace finnsheep well known sheep breed used many_country source genetic material increase fecundity local_breed analysis date indicated mutation large effect ovulation_rate responsible exceptional prolificacy finnsheep the_objective study ascertain known mutation large effect ovulation_rate sheep dna sequence_variant within candidate_gene implicated high_prolificacy finnish_landrace breed using material line developed divergent selection ovulation_rate genotyping result showed none known mutation fecbb fecxb fecxg fecxgr fecxh fecxi fecxl fecxo fecxr fecge fecgh fecgt present sample finnsheep thus contribute exceptional prolificacy breed however dna sequence analysis identified previously known mutation whose frequency differed significantly high_low ovulation_rate line while analysis ovulation_rate data finnsheep failed establish significant association trait analysis data belclare sheep revealed significant association ovulation_rate ewe heterozygous exhibited increased ovulation_rate compared wild type effect ovulation_rate heterozygote significantly lower_mean homozygote this finding brings number mutation large effect ovulation_rate sheep including fecbb fecge fecxo fecxgr number mutation within tgfβ superfamily positive effect prolificacy homozygous state', 'daughter sired bull believed carrier major gene high ovulation_rate evaluated ovulation_rate genotyped effort test_hypothesis segregation major gene map gene location total daughter produced four consecutive year university research farm all evaluated ovulation_rate average four estrous cycle using transrectal ultrasonography the sire daughter genotyped using snp_chip genotype phenotype data used linkage analysis subsequently daughter recombinant within qtl region sire genotyped successively snp_chip refine_location causative polymorphism positional_candidate gene within region examined polymorphism sanger sequencing pcr amplicons encompassing coding flanking_region gene sire dna used template pcr reaction strong_evidence major gene ovulation_rate observed gene localized bovine_chromosome subsequently reduced location region chromosome the location identified correspond_previously identified major gene ovulation_rate this region contains three candidate_gene iqch while candidate_gene screening failed_identify causative polymorphism three polymorphism identified used haplotype track inheritance high ovulation_rate allele descendant carrier sire', 'single_nucleotide polymorphism snp promoter_region bovine ankyrin associated tenderness intramuscular_fat level beef the_objective study characterise novel dna variant coding_region bovine test association beef quality trait region cdna amplified sequenced charolais cattle using five set overlapping primer eighteen snp identified predicted exon confirmed silico translation indicated three snp genotyped crossbred cattle associated meat_quality data associated texture score associated juiciness haplotype chap associated lightness_redness ultimate well sarcomere length allele gene could potential target selection improve range meat_quality trait beef', 'identifying genomic_region particularly individual gene associated semen_quality trait may important improving sire fertility via selective_breeding the_aim study estimate variance_component effect single_nucleotide polymorphism snp illumina_beadchip illumina_san diego semen production trait find candidate_gene trait the analyzed data_set originates polish dairy_cattle population consists bull kept artificial_insemination station for bull semen production trait collected sperm_concentration semen_volume number_spermatozoon motility motility score multitrait mixed_model used_estimate genetic_parameter the parameter obtained used_estimate snp effect trait separately mixed_model used polish direct genomic value project additionally gene located_vicinity significant snp selected candidate_gene for motility significant snp located autosome identified for sperm_concentration found significant snp chromosome chromosome for semen_volume motility score significant snp detected respectively all snp located chromosome for number_spermatozoon significant snp observed six snp located chromosome chromosome chromosome this_study clearly indicated key_role chromosome determination semen_quality emphasized including trait genetic_evaluation strongly considered', 'sheep chromosome largest_number qtls reported significantly_associated resistance_nematode this_study aimed_identify single_nucleotide polymorphism snp within candidate_gene located sheep chromosome well gene involved major immune_pathway total snp identified across candidate_gene panel unrelated sheep genotyped animal belonging breed across asia europe south america the variation evolution immune_pathway gene assessed sheep population across region significantly differ diversity load pathogen the mean minor_allele frequency_maf vary asian european sheep reflecting absence ascertainment bias phylogenetic_analysis revealed two major cluster south asian south east asian south west asian breed clustering together european south american sheep breed clustered together distinctly analysis molecular variance revealed strong phylogeographic structure locus located immune_pathway gene unlike microsatellite genome_wide snp marker understand influence natural selection process snp locus located chromosome utilized reconstruct haplotype diversity showed_significant deviation selective neutrality reduced median network reconstructed haplotype showed balancing selection force locus preliminary association snp genotype phenotype recorded day_post challenge revealed significant difference fecal_egg count body_weight change packed_cell volume two four six snp locus respectively conclusion present_study report strong phylogeographic structure balancing selection operating snp locus located_within immune_pathway gene further snp locus identified study found potential future large_scale association study naturally exposed sheep population', 'background calving_difficulty perinatal_mortality prevalent cattle production_system genetic component trait yet little_known underlying genomic architecture particularly beef breed therefore performed association study using genotype elucidate genomic architecture trait identify region bovine genome associated result genomic_region associated calving_difficulty direct_maternal perinatal_mortality detected using two statistical approach single_nucleotide polymorphism regression_bayesian approach data included genotype charolais_limousin bull several novel previously identified genomic_region detected association differed breed for_example two genomic association one chromosome explained genetic_variance direct_calving difficulty charolais population respectively imputed_sequence data used refine genomic_region responsible significant association several candidate_gene chromosome identified four highly_significant missense variant detected within three gene nevertheless contained missense variant putative impact direct_calving difficulty based sift_polyphen score using_imputed sequence_data refined genomic_region chromosome associated maternal_calving difficulty population found strongest_association intronic variant pclo gene performed across three breed calving_performance trait identify common variant associated trait three breed our_result suggest portion genetic_variation calving_performance common three breed conclusion the genomic architecture calving_performance complex mainly influenced many polymorphism small effect identified several association moderate effect size majority indicating allele exist calving_performance linkage phase genotyped allele causal_mutation varies breed', 'fatty_acid binding_protein fabps bind fatty_acid involved intracellular transport known bovine fabp gene mapped region chromosome contains quantitative_trait locus milk trait this_study investigated association haplotype milk_production trait jersey cow polymerase_chain strand conformational_polymorphism analysis variable region gene revealed three haplotype five single_nucleotide polymorphism snp identified two exon three intron associated increased milk_protein percentage present absent associated increased milk_yield present absent tended associated decrease protein_percentage increase protein_yield cow genotype produced le milk higher protein_percentage cow this suggest affect milk_yield milk_protein content economically_important trait study gene warranted', 'melatonin_receptor mediate function melatonin play_important role adipocyte_differentiation energy lipid_metabolism the_aim study identify single_nucleotide polymorphism snp bovine melatonin_receptor determine snp associated body_measurement trait bmts meat_quality trait mqts_qinchuan cattle identified three synonymous_mutation one missense_mutation gene qinchuan_cattle sequencing association analysis_indicated four snp associated bmts_mqts further combined haplotype_constructed guarantee reliability analysis result individual diplotypes greater chest_depth heart_girth loin_muscle area back_fat combination pertaining mutation study exhibited higher mrna_expression gene among individual genotype genotype these_result suggest genotype could_used molecular_marker combined genotype future selection bmts_mqts qinchuan_cattle', 'ovine lentivirus ovlv lentivirus found many_country cause interstitial pneumonia mastitis arthritis cachexia sheep there preventive vaccine cure breed difference suggest selective_breeding might improve odds_infection control_ovlv although variant consistent association odds_infection variant gene associated host control_ovlv multiple animal set proviral_concentration diagnostic measure ovlv control related severity lesion recent association study identified region including four zinc_finger gene associated proviral_concentration one rambouillet flock refine region tested additional variant identified small variant near showed consistent association proviral_concentration three animal set these animal set contained rambouillet polypay crossbred sheep multiple location management condition strikingly one flock exceptionally high prevalence including yearling mean proviral_concentration possibly due needle sharing the best estimate proviral_concentration genotype obtained animal tested showed insertion homozygote le half proviral_concentration genotype future work test additional breed management condition viral subtypes identify functional property haplotype deletion variant track knowledge_first genetic variant consistently associated host control_ovlv multiple sheep_flock', 'background the sensitivity association study detection quantitative_trait locus qtl depends density marker examined statistical_model used this_study compare performance three marker_density refine six previously detected qtl region mastitis trait marker snp single_nucleotide polymorphism chip imputed marker snp_chip imputed sequencing data seq each dataset contained data danish_holstein cattle comparison performed_using linear_mixed model bayesian_variable selection model bvs result after_quality control snp six targeted region remained seq_data respectively general association pattern snp trait similar three marker_density tested using statistical_model with model seq snp significantly_associated mastitis whereas bvs_model seq significant snp bayes_factor observed total seq significant snp identified model addition one qtl peak seq_data detected according qtl intensity profile snp bin bvs_model conclusion the power_detect significant association increased increasing marker_density the bvs_model resulted clearer boundary linked qtl model using seq_data six targeted region refined candidate qtl region udder_health the comparison candidate qtl region known gene suggested dck lifr may_considered candidate_gene mastitis_susceptibility', 'most published genomewide_association study_gwas sheep investigated recessively inherited monogenic trait the_objective ass feasibility performing gwas dominant trait genetic_basis already known total manchega rasa aragonesa sheep segregate solid black white coat pigmentation genotyped using beadchip previous analysis manchegas demonstrated complete association pigmentation trait allele gene setting priori expectation gwas multiple method used identify quantify strength population substructure black white animal allelic association testing performed snp following correction substructure gwas identified strongly_associated snp also closest_gene the finding strongly supported permutation random_forest analysis importantly gwas identified unlinked snp slightly lower random_forest analysis_indicated false_positive suggesting interpretation based approach beneficial the result_indicate combined analytical approach successful study modest number animal available substantial population_stratification exists', 'the efficiency association analysis gwas depends power_detection quantitative_trait locus qtl precision qtl mapping study three different strategy gwas applied detect qtl carcass quality trait korean cattle hanwoo linkage_disequilibrium single locus regression_method ldrm combined_linkage linkage_disequilibrium analysis_ldla bayescπ approach the phenotype steer collected weaning_weight wwt yearling_weight ywt carcass_weight cwt backfat_thickness bft longissimus_dorsi muscle_area marbling_score marb also genotype data steer sire scored illumina_bovine single_nucleotide polymorphism snp_chip for two former gwas method threshold value set false_discovery rate level threshold value set latter model top five window comprised adjacent snp chosen significant variation phenotype four major additive qtl three method high concordance found bos_taurus autosome_bta wwt cwt bft bft several candidate_gene glutamate receptor ionotropic ampa family sequence_similarity member thymocyte high_mobility group box tox may identified close qtl our_result suggests use different linkage_disequilibrium mapping approach provide reliable chromosome region pinpoint dna maker causative gene region', 'association study_gwas performed investigate seven red_blood cell rbc phenotype domestic_sheep ovis_aries three breed columbia polypay rambouillet single_nucleotide polymorphism snp showed_significant association increased mean_corpuscular hemoglobin_concentration mchc suggestive association decreased mean_corpuscular volume_mcv the ovine hapmap project found genomic_region peak snp extreme historical selective pressure demonstrating importance region survival reproduction artificially selected trait observed large variant haplotype sequence containing divergent artiodactyl_repeat strong_linkage disequilibrium associated snp myadm gene family_member play_role membrane organization formation myeloid cell however knowledge member myadm gene family identified development morphologically variant rbc the specific rbc difference may indicative alteration morphology additionally erythrocyte altered morphological structure often exhibit increased structural fragility leading increased rbc turnover energy expenditure the divergent artiodactyl_repeat also associated increased ewe lifetime kilogram lamb weaned this_suggests selection normal rbc might increase lamb weight although validation required implementation_selection these_result provide clue explain strong selection artiodactyl_repeat locus sheep suggest myadm family_member may important rbc morphology mammal', 'previous association study revealed several single_nucleotide polymorphism snp explained observed phenotypic_variation meat_tenderness polyunsaturated_fatty acid_pufa content australian lamb confirm validity associated snp predicting meat_tenderness pufa_content independent validation study_designed the genotype animal used impute snp meat_quality research mqr panel genotype nearly animal cooperative research_centre sheep industry innovation information nucleus flock sheep genomics falkiner memorial field station flock association analysis_revealed numerous snp snp mqr panel associated carcass quality fat_depth eye_muscle depth shear_force day_day slaughter pufa_content however snp independently validated the magnitude effect significant snp relative allele_frequency across progeny determined the independently validated snp associated snp pufa_content accelerate effort improve phenotypic trait australian lamb', 'background growth meat production trait significant economic trait sheep the_aim study identify candidate_gene affecting growth meat production trait genome level high_throughput single_nucleotide polymorphism snp genotyping_technology methodology and result using_illumina beadchip performed gwa study purebred sheep growth meat production trait birth_weight weaning_weight weight eye_muscle area fat_thickness gain gain daily weight_gain height withers chest_girth shin circumference after_quality control sheep snp analyzed tassel program mixed_linear model_mlm significant snp identified trait reached_significance level gain gene annotation_implemented latest sheep genome released october more snp located_within ovine gene others located_close ovine gene apart the strongest new finding gene thought crucial candidate_gene associated gain located_within ovine gene rfxank located_within camkmt trhde respectively pol thought important candidate_gene affecting gain additionally gene significance_level also forecasted promising gene influencing sheep growth meat production trait conclusion the result contribute similar study facilitate potential utilization gene involved growth meat production trait sheep future', 'egg number egg_laying rate age_first egg_afe important production trait related egg_production poultry_industry better_understand knowledge genetic_architecture dynamic whole laying cycle provide precise position associated variant afe laying record week_age collected individually hen produced reciprocal_cross white_leghorn dongxiang_chicken genotype assayed chicken affymetrix high_density genotyping_array subsequently pedigree genetic_parameter estimated association study_gwas conducted afe the heritability_estimate similar pedigree estimate varying gwa_analysis identified nine significant locus associated laying period week_week week analysis clspn suggested influenced function ovary uterus may_considered relevant candidate the identified snp accumulative week chromosome created phenotypic difference egg two homozygous genotype could_potentially applied molecular breeding selection moreover finding showed_moderate polygenic trait the suggestive significant region chromosome afe suggested relationship sex maturity immune current population the present_study comprehensively evaluates role genetic variant development egg_laying the finding_helpful investigation causative gene function future selection genomic_selection chicken', 'study procedure used_analyze data_set scan one based linkage analysis information combing linkage_disequilibrium linkage analysis_ldla determine quantitative_trait locus qtl influencing milk_production trait sheep total animal family genotyped using beadchip_illumina san_diego analysis performed_using daughter_design moreover data_set previously investigated association_gwa analysis comparison result method possible the linkage analysis_ldla methodology yielded different result although significantly_associated region common procedure the linkage analysis detected overlapping significant qtl sheep chromosome oar influencing milk_yield protein_yield fat_yield whereas significant qtl region detected using ldla approach the significant qtl protein fat_percentage detected reported previous gwa_analysis both linkage analysis_ldla identified many significant association across different sheep autosome additional analysis performed determine possible_causality significant polymorphism identified genetic effect previously_reported gwa_analysis for analysis demonstrated additional genetic proof causality previously suggested group single_nucleotide polymorphism located gene lalba summary although result shown suggest commercial dairy population ldla method exhibit higher efficiency map qtl simple linkage analysis linkage_disequilibrium method believe comparing analysis method best approach obtain global picture identifiable qtl segregating population level', 'some sheep breed naturally prolific informative study reproductive genetics physiology major gene increasing litter_size ovulation_rate suspected french grivette polish olkuska sheep population respectively identify genetic variant responsible highly_prolific phenotype two breed association study_gwas followed complementary genetic functional analysis performed highly_prolific ewe case normal prolific ewe control breed genotyped using_illumina genotyping beadchip population chromosome region close gene harbored cluster marker suggestive_evidence association significance_level the candidate_gene sequenced two novel mutation called fecx_fecx identified grivette olkuska breed respectively the two mutation associated highly_prolific phenotype fecx_fecx homozygous ewe mutated allele showed significantly increased prolificacy fecx versus fecx_fecx versus fecx both mutation located well conserved motif protein altered signaling activity_vitro using luciferase test granulosa cell thus identified two novel mutation gene associated increased notably homozygous_fecx grivette homozygous_fecx olkuska ewe hyperprolific striking contrast sterility exhibited known homozygous mutation our_result bring new_insight key_role played protein ovarian function could contribute_better understanding pathogenesis woman fertility disorder', 'genetic_variation micrornas_mirnas including primary mirnas precursor mirnas mature mirnas lead phenotypic_variation altering biogenesis mirnas binding target mrna increasing functional study suggest polymorphism occurring mirnas lead phenotypic_variation farm_animal here identified single_nucleotide polymorphism snp located precursor chicken gene the association study body index body_weight different growth stage carcass trait performed population resource the snp significantly_associated body_weight week respectively also chicken shank_length chest_depth body_slanting length_week shank_length pectoral angle body_slanting length pelvis breadth_week respectively and polymorphism also significantly_associated carcass trait including weight_evisceration weight breast_muscle weight leg weight carcass_weight well the observed value individual genotype significantly_higher genotype body_weight different stage carcass trait this snp altered predicted second structure altering free energy value and relative expression_level mature mirna significantly changed leg_muscle our data suggested may candidate_gene associated chicken growth trait', 'improved meat_quality greater muscle yield highly sought chicken breeding_program past study indicated polymorphism perilipin gene highly associated adiposity mammal potential molecular_marker improving meat_quality carcass trait chicken present_study screened single_nucleotide polymorphism snp exon gene direct sequencing method six population different genetic background total individual evaluated association polymorphism carcass meat_quality trait identified three snp located flanking_region exon chromosome respectively eight main haplotype_constructed based snp calculated allelic genotypic_frequency genetic_diversity parameter three snp the polymorphism information content_pic ranged reflected intermediate genetic_diversity chicken the genotype influenced percentage breast_muscle pbm percentage leg_muscle plm percentage abdominal_fat diplotypes haplotype pair affected percentage eviscerated weight pew_pbm compared chicken carrying diplotypes greatest pew greatest pbm diplotype smallest pew_pbm conclude gene polymorphism may affect broiler carcass breast_muscle yield diplotypes could positive molecular_marker enhance pew_pbm chicken', 'hereditary underdevelopment ear condition also known microtia observed several sheep breed well human specie it genetic_basis sheep unknown the awassi sheep breed native southwest asia carry phenotype targeted molecular characterization via association study dna_sample collected sheep jordan eight affected normal individual genotyped_illumina chip multilocus analysis failed_identify genotypic association contrast analysis_revealed statistically_significant association snp basepair this marker adjacent gene_encoding transcription_factor shown play_role many developmental_process including chondrogenesis the lack extended homozygosity region suggests fairly ancient mutation time occurrence estimated approximately year ago many earless sheep breed may thus share causative_mutation especially within subgroup wool sheep', 'stallion impaired acrosome reaction iar may often cause subfertility single_nucleotide polymorphism snp within protein seem associated iar stallion however effect stallion_fertility yet quantified using sequence_data seven stallion searched mutation perform_association study hanoverian_stallion estimated_breeding value paternal component_pregnancy rate per oestrus cycle target trait genotyping five exonic mutation within revealed significant association snp hanoverian_stallion the difference among two homozygous genotype corresponding one standard_deviation conclusion hanoverian_stallion snp confers higher conception_rate homozygous lower conception_rate homozygous hanoverian_stallion thus missense_mutation significantly_associated stallion_fertility', 'the protein bpi gene identified candidate_gene breeding evaluated whether polymorphism exon bpi gene associated immune index study identified one mutation bpi_exon site two mutation bpi_exon site correlation analysis_revealed sutai_pig population effect genotype_bpi exon_site level significant effective genotype moreover effect genotype_bpi exon_site level significant effective genotype the optimal combined genotype effective regarding level compared combined genotype these_result indicate single_nucleotide polymorphism combined genotype_bpi exon affect immune index sutai_pig therefore genotype examined effective marker breeding pig', 'thoroughbred relatively recent horse breed best known use horse racing although myostatin_mstn variant reported highly associated horse racing_performance trait likely polygenic_nature the_purpose study identify genetic variant strongly_associated racing_performance using estimated_breeding value_ebv race time phenotype conducted association study search genetic variant associated ebv first stage association study relatively large number marker polymorphism snp evaluated small number sample horse second stage relatively_small number marker identified large effect snp evaluated much larger number sample horse also validated snp related mstn known large effect racing_performance found significant association stage two analysis stage one identified significant snp related gene among six gene function_related myogenesis five gene involved muscle maintenance knowledge gene newly_reported genetic association racing_performance thoroughbred complement recent horse association study racing_performance identified snp gene significant variant these_result help expand_knowledge polygenic_nature racing_performance thoroughbred', 'pork_quality important meat processing industry consumer purchasing attitude copy_number variation cnv burgeoning kind variant may_influence meat_quality study association study_gwas performed cnvs meat_quality trait swine after false_discovery rate_fdr correction total cnvs chromosome identified significantly_associated least_one meat_quality trait all cnvs verified next_generation sequencing six verified qpcr only haplotype_block containing adjacent significant snp associated meat_quality suggesting effect cnvs likely captured tag snp the dna dosage est expression overlap obesity related gene consistent rna expression suggesting_might involved expression regulation finally influence meat_quality concluded cnvs may_contribute genetic_variation meat_quality beyond snp several candidate cnvs worth exploration', 'background since pig one important livestock animal worldwide mapping locus associated economically_important trait trait influence animal_welfare extremely relevant efficient future pig breeding therefore purpose_study mapping quantitative_trait locus qtl associated nine body_composition bone_mineral trait absolute fat lean percentage fatpc leanpc fat lean mass live_weight weight soft tissue attenuation coefficient absolute bmc percentage bmcpc bone_mineral content bone_mineral density_bmd method data nine trait investigated obtained absorptiometry pig day old addition pig genotyped using_illumina genotyping beadchip based data combined_linkage linkage_disequilibrium analysis conducted thus used sliding_window consisted adjacent single_nucleotide polymorphism snp for middle sliding_window variance_component analysis carried_using asreml the underlying mixed_linear model included random qtl polygenic_effect fixed_effect sex housing season age result using significance_threshold significant peak identified trait except bmcpc overall identified qtl chromosome significantly_associated one trait remaining one trait for_example qtl chromosome included highest peak across genome four trait fat fatpc leanpc the nearby gene known associated body mass index human involved starvation drosophila make extremely good_candidate gene qtl conclusion_our qtl mapping approach identified qtl confirmed result previous_study pig however also detected significant association published able_identify number new promising_candidate gene', 'the_aim study identify snp marker associate variation beef heifer reproduction_performance calf association study performed mean generalized score gqls_method using heifer genotype beadchip estimated_breeding value body_weight pbw pregnancy_rate calving_difficulty age_first calving afc calf birth_weight bwt calf weaning_weight wwt calf average_daily gain_adg data_consisted replacement heifer three canadian research herd namely brandon research_centre brandon manitoba university alberta roy berg kinsella ranch kinsella alberta lacombe research_centre lacombe alberta after_applying false_discovery rate_correction significance_level total snp significantly_associated pbw afc bwt wwt adg respectively these snp located chromosome chromosome snp pleiotropic_effect new significant snp impact functional trait detected many previously_reported the result study support quantitative genetic study related inheritance trait provides_new knowledge regarding beef_cattle quantitative_trait locus effect the identification snp provides starting_point identify gene affecting heifer reproduction trait performance calf bwt wwt adg they also contribute_better understanding_biology underlying trait potentially_useful selection management', 'background female_fertility fundamental trait required animal reproduction gradually declined last_decade japanese_black cattle identify associated genetic variant japanese_black cattle evaluated female_fertility metric describe average inverse number artificial_insemination required conception first fourth parity conducted association study_gwas using animal extreme value animal result found variant namely polymorphism snp indel upstream region activin receptor iia gene associated transcript japanese_black cattle haplotype defined snp indel increased abundant transcript agreement reporter assay result revealed activity promoter higher reporter construct_haplotype haplotype approximately fold expression exogenous induced increase reporter activity hormone beta polypeptide fshb promoter response activin pituitary gonadotrophic cell line the finding suggested sequence variation upstream region haplotype increased transcription turn induced fshb expression this association replicated using sample population size animal frequency haplotype haplotype substitution resulted increase term conclusion_this gwas identified variant upstream region associated female_fertility japanese_black cattle the variant affected level mrna_expression could lead allelic_imbalance this association replicated sample population animal thus result_suggest haplotype could serve_useful marker select japanese_black cattle superior female_fertility', 'lipoprotein lipase lpl key_enzyme lipid_metabolism transported protein interstitial space capillary lumen here cloned cdna genomic locus porcine gene investigated tissue expression_pattern genetic effect adipose trait porcine exhibit structure including open_reading frame encodes amino_acid the porcine protein show homology share major conserved structural domain protein mammal porcine mrna_level high adipose_tissue muscle lung higher mrna_level observed sow compared boar adipose_tissue inner outer layer subcutaneous_fat abdominal_fat suet fat the mrna_expression pattern porcine lpl gene similar tissue except lung thirty six single_nucleotide polymorphism snp found porcine gene association analysis showed snp associated intramuscular_fat content snp associated back_fat thickness conclusion porcine mrna abundantly expressed adipose_tissue muscle lung gender affect mrna_expression level furthermore four snp genetic factor affecting adipose trait', 'behaviour trait cattle reported affect important production trait meat_quality milk performance well reproduction health genetic_predisposition together environmental stimulus undoubtedly involved_development behaviour phenotype underlying molecular_mechanism affecting behaviour general behaviour production trait particular still studied detail therefore performed association study charolais_german holstein population identify genetic variant affect trait assessed test analysed putative impact milk performance tested single_nucleotide polymorphism snp four showed_significant association behaviour trait assessed test nine snp associated behaviour trait likewise showed nominal significant association milk performance trait chromosome six snp identified associated exploratory behaviour inactivity test well milk_yield trait least_square mean behaviour milk performance trait snp revealed genotype associated higher inactivity le exploratory behaviour promote higher milk_yield whether result due molecular_mechanism simultaneously affecting behaviour milk performance due behaviour predisposition cause indirect effect milk performance influencing individual reactivity need investigation', 'meat_quality trait economically significant impact pig_industry improved using molecular approach pig breeding since first scan quantitative_trait locus qtls pig reported past two decade numerous qtls identified meat_quality trait family based linkage analysis however_little known genetic variant meat_quality trait chinese purebred outbred_population unveil performed association study meat_quality trait chinese purebred laiwu_pig total significant snp suggestive snp identified region harbored cluster snp associated meat_color parameter lightness_redness yellowness moisture_content longissimus_muscle semimembranosus_muscle significance_level region also pleiotropic_effect moisture_content drip_loss addition study revealed least five novel qtls several candidate_gene including myh gene four significant locus except qtl qtls likely these_result provide_new insight_genetic basis meat_quality trait chinese laiwu_pig significant snp reported could incorporated selection_program involving breed', 'recently gene_encoding globulin cbg proposed candidate_gene quantitative_trait locus qtl affecting cortisol_level pig chromosome the qtl repeatedly detected different line including piétrain german_landrace german large_white cross purebred german_landrace study investigated_whether known polymorphism sufficient explain qtl two population our investigation revealed snp associated cortisol_level haplotype analysis showed association largely attributable difference major haplotype carrying snp haplotype carrying snp furthermore snp particularly carrier haplotype showed association meat_quality trait including conductivity snp segregate low frequency show weak association cortisol_level snp these_finding suggest snp sufficient explain qtl across different breed therefore examined whether expression affected polymorphism liver major organ cbg production found allelic expression imbalance suggests expression indeed affected genetic_variation element this represents candidate causal variation future study molecular background qtl', 'previous_study shown cell cidec gene involved_lipid storage energy_metabolism suggesting potential candidate_gene affect body_measurement trait bmts meat_quality trait mqts the_aim study identify polymorphism bovine cidec gene analyze possible association bmts_mqts randomly_selected qinchuan_cattle aged_month dna_sequencing polymerase_chain fragment_length polymorphism employed detect cidec single_nucleotide polymorphism snp found five snp two exon three region missense_mutation resulted arginine glutamine amino_acid change exhibited two genotype synonymous_mutation exhibited three genotype completely_linked exhibited two genotype found significant association polymorphism bmts_mqts appeared beneficial genotype therefore cidec may affect bmts_mqts qinchuan_cattle could_used selection', 'the number_piglet born_alive nba per_litter one important trait pig breeding due influence production efficiency difficult improve nba heritability trait low governed high number locus low_moderate effect clarify biological genetic background nba association study_gwas performed_using large_white landrace pig herdbook commercial breeding_company germany austria switzerland the animal genotyped_illumina beadchip because population_stratification within breed cluster formed using genetic distance population five cluster breed formed analysed gwas approach total different significant marker affecting nba found region known effect female_reproduction overlapping significant chromosome area qtl large_white landrace breed detected', 'our previous rna_sequencing experiment showed serum amyloid gene one promising_candidate milk_protein fat trait dairy_cattle the gene_encodes apolipoprotein related lipoprotein validate genetic effect association performed study through resequencing entire_coding region region gene using pooled_dna unrelated sire one novel five previously_reported snp detected these identified snp genotyped tested association five milk trait chinese_holstein cow after bonferroni_correction multiple five found_statistically significant milk_yield fat_yield protein_yield association analysis_revealed similar effect fat_yield protein_yield respectively then using luciferase report assay regulatory effect three snp located promoter_region evaluated transcriptional_activity cell line found construct gcg agg showed higher luciferase_activity compared gca respectively meanwhile prediction putative differential transcription_factor binding_site revealed caused alteration transcription_factor overall finding presented provide first evidence association gene milk fat protein trait appears key candidate milk_production trait dairy_cattle', 'background bovine mastitis typical inflammatory_disease causing seriously economic_loss association study_gwas powerful method promote marker assistant selection kind complex disease the present_study aimed analyze identify single_nucleotide polymorphism snp candidate_gene associated mastitis_susceptibility trait chinese_holstein result forty eight snp identified significantly_associated mastitis_resistance trait chinese_holstein cow mainly located bta total significant snp linked annotated bovine gene gene_ontology pathway_enrichment revealed gene involved pathway gene participate cell_differentiation developmental pathway together the six common significant snp found located_within flanking gene conclusion_our data identified six snp significantly_associated sc_ebv suggest linked two gene novel candidate_gene mastitis_susceptibility holstein', 'whipworms trichuris spp infect variety host including domestic animal human considerable interest porcine whipworm suis particularly prevalent outdoor production_system high infection level may cause growth retardation anaemia haemorrhagic diarrhoea significant proportion variation trichuris faecal_egg count_fec attributed host genetic the_aim present_study identify genetic locus associated resistance suis pig used single_nucleotide polymorphism snp marker perform scan resource_population suis measured genotype analysis_revealed putative quantitative_trait locus qtl suis fec chromosome covering mbp although none snp reached_significance tested hypothesis region harboured gene effect suis burden genotyping three snp within putative qtl unrelated pig exposed either experimental natural suis infection fec worm count study two snp associated fec thus confirming initial finding however find snp associated suis worm burden conclusion study demonstrates genetic marker resistance suis indicated low fec identified pig', 'background the_aim study perform_association analysis gwas androstenone_skatole indole different pietrain_sire line compare result previous_finding purebred_population furthermore genetic relationship androstenone_skatole investigated respect pleiotropy order characterize performance intact boar crossbred progeny pietrain boar mated crossbred sow three different breeding_company tested four test station total boar performance tested according rule stationary performance testing germany beside common fattening carcass_composition trait concentration boar_taint component testicular size parameter recorded all boar genotyped_illumina beadchip the gwas_performed using whole data_set well sub group according line origin besides univariate gwas approach principal_component technique applied identify common expression_pattern affecting biosynthesis metabolism androstenone result total snp significantly_associated least_one boar_taint component only_one snp identified significant subgroup the analysis testis size parameter revealed significant association the number significant snp within genetic group evidenced strong population specific effect multivariate_approach using revealed significant association five different conclusion based pietrain sired cross bred boar mayor objective_study identify qtl boar_taint component detect pleiotropy among boar_taint testis trait the high number identified qtl revealed boar_taint trait influenced large number locus analyzing pleiotropy allowed identifying qtl affecting androstenone gonasomatic index region qtl ovulation_rate age_puberty sow described literature this support physiological finding androstenone_level boar reproduction_performance sow might linked antagonistic relationship', 'the bmp binding endothelial regulator bmper inhibitor bone_morphogenetic protein bmps play fundamental role adipocyte_differentiation fat development energy_balance the_objective study detect polymorphism bmper gene four indigenous_chinese cattle population investigate effect body_size trait initially three snp namely eight distinct haplotype identified total combination strong_linkage qinchuan_cattle these four cattle population belong intermediate genetic_diversity three snp locus except shuxuan cattle population genotype associated increased body_size for heterozygous genotype individual greater rump_length two homozygotic genotype individual genotype smaller rump_length hip_width total seven haplotype_combination detected qinchuan_cattle population association analysis result showed individual haplotype_combination greater rump_length these_result strongly suggest bovine bmper gene may used genetic marker cattle breeding', 'the_aim study_investigate single_nucleotide polymorphism snp expression support candidacy growth_carcass meat_quality trait pig the first snp associated min post_mortem loin thickness backfat side fat carcass length pietrain population related backfat_thickness daily_gain duroc_pietrain dupi population the snp associated meat_colour population dupi population protein mrna_level high pig significantly le abundant compared low pig micrornas targeting also differently regulated this_paper show could potential candidate_gene porcine growth_carcass meat_quality trait based genetic association gene expression', 'understanding_genetic architecture beef_cattle growth limited simply association study_gwas body_weight specific age extended general purpose considering whole growth trajectory time using growth_curve approach for approach parameter used_describe growth_curve treated phenotype gwas model data brahman_cattle weighed birth_month age analyzed parameter_estimate mature weight maturity rate nonlinear model utilized substitute original body_weight gwas analysis chose best nonlinear model describe data estimated parameter used phenotype gwas our_aim identify characterize associated snp marker indicate candidate_gene annotate function_related growth process beef_cattle the brody model presented best goodness fit heritability value parameter_estimate mature weight maturity rate respectively proving trait feasible alternative objective change shape growth_curve within genetic_improvement program the genetic_correlation indicating animal lower mature body_weight reached weight younger age one_hundred sixty seven two hundred sixty two significant snp associated respectively the annotated gene closest significant snp direct biological_function related muscle_development myogenic induction fetal_growth body_weight gene functionally associated body_weight body_height average_daily gain skeletal_muscle development candidate_gene emerging gwas may inform search causative_mutation could underpin genomic breeding improved growth_rate', 'background feed_intake growth economically_important trait swine production previous genome_wide association study_gwas utilized average_daily gain daily_feed intake identify region impact growth feed_intake across time the use longitudinal model gwas study random_regression allows snp heterogeneous effect across trajectory characterized the_objective study therefore conduct single step gwas ssgwas animal polynomial_coefficient feed_intake growth result corrected daily_feed intake_dfi adj average_daily weight measurement dbw avg observation observation animal utilized random_regression model using legendre polynomial relationship_matrix included genotyped animal ssgwas conducted animal polynomial_coefficient intercept linear quadratic animal genotype dfiadj dbwavg region characterized based variance sliding_window gebv wgebv bootstrap analysis conducted declare significance heritability_estimate trait trajectory ranged dbwavg_dfiadj respectively genetic_correlation across age_class large positive dbwavg_dfiadj albeit age_class beginning small_moderate genetic_correlation age_class towards end trajectory trait the wgebv variance_explained significant region polynomial_coefficient ranged dbwavg_dfiadj respectively the wgebv variance_explained significant region trajectory dbwavg_dfiadj both trait identified candidate_gene function_related metabolite energy_homeostasis glucose insulin signaling behavior conclusion identified region genome impact intercept linear quadratic term dbwavg_dfiadj these_result provide preliminary evidence individual growth feed_intake trajectory impacted different region genome different time', 'association study polymorphism six gene boar_taint related compound_androstenone skatole_indole performed boar population significant association detected snp boar_taint compound snp skatole_indole snp androstenone indole mrna_expression higher cab castrated boar compared boar whereas expression higher lbt low boar_taint compared hbt high boar_taint liver tissue protein le detectable hbt compared lbt cab liver tissue these_finding suggest gene variant might effect boar_taint compound', 'the average_daily gain_adg body_weight important trait breeding_program meat production industry attracted many researcher delineate genetic_architecture behind trait present_study association study_gwas performed imputed_sequence data trait adg different stage white_duroc erhualian population bioinformatics annotation analysis used assist identification candidate_gene associated trait five seven significant quantitative_trait locus qtls identified gwas respectively furthermore suggestive locus detected basis sequence association study bioinformatics_analysis stood strongest candidate_gene the presented gwas analysis using_imputed sequence_data identified several novel qtls pig trait integrating gwas bioinformatics_analysis facilitate accurate identification candidate_gene higher imputation accuracy algorithm improved model comprehensive database accelerate identification_causal gene mutation contribute genomic_selection pig breeding future', 'abhydrolase domain_containing gene also known comparative gene identification member family protein cofactor atgl stimulating triacylglycerol hydrolase activity study aim characterize expression variation study function chicken fat metabolism compared expression_level various tissue different nutrition condition identified variation associated production trait resource_population chicken overexpression analysis two different genotype sirna interfering analysis performed chicken preadipocytes chicken expressed widely predominantly adipose_tissue five snp gene identified genotyped resource_population the snp associated subcutaneous_fat thickness carcass_weight body_weight shank_diameter shank_length the snp also associated chicken body_weight shank_diameter chicken preadipocytes overexpression wild type affect mrna_level atgl adipose triglyceride lipase markedly decreased triglyceride content cell whereas overexpression mutation type affect either atgl expression content cell the expression atgl content cell decreased knockdown preadipocytes the mrna_level regulated feeding fasting consumption high fat diet increased greatly fasting returned control level adipose_tissue abdominal_fat liver chicken high fat diet these_result suggest expression variation may affect fat metabolism regulating activity atgl chicken', 'bone_morphogenetic protein growth_factor required ovarian_follicle development ovulation mammal effect reproduction chicken unclear study association polymorphism reproduction trait analyzed expression characteristic different tissue explored laiwu black chicken three single_nucleotide polymorphism snp identified four hundred laiwu black chicken one snp located exon significantly_associated egg_weight first_egg ewfe novel diplotypes based three snp found significantly_associated egg_weight age the chicken_diplotype first_egg day later chicken_diplotype day earlier five diplotype chicken the egg_production age egg_production age egg_production age chicken_diplotype highest among chicken chicken_diplotype egg higher chicken_diplotype result showed expression_level gene ovarian_follicle order diameter the mrna_level follicle diameter significantly_higher follicle week highest mrna_level found ovary significantly different found liver oviduct our_result indicate play vital role development ovary follicle especially development primary follicle may potential advantageous molecular_marker improving reproduction trait chicken', 'the protein_kinase play_key role_regulating cellular energy_homeostasis reported nucleotide variant gene coding protein associated meat_quality present_study genetic_variation exon_gamma subunit gene protein_kinase screened among white_plymouth rock chicken family denaturing gradient gel electrophoresis meat_quality trait including drip_loss cooked_meat rate reflect water_holding capacity serum biochemical index also measured association genotype trait analyzed sa glm_procedure our_result showed three nucleotide variant including one exon_gamma subunit gene two exon_gamma subunit gene resulted amino_acid substitution respectively and locus associated water_holding capacity significantly the studied polymorphic locus potential used genetic marker poultry breeding work', 'novel gene predicted encode long noncoding rna lncrna transcript identified previous_study aimed detect candidate_gene related growth_rate difference chinese local_breed gushi_chicken anka_broiler characterise biological_function lncrna cloned_sequenced complete open_reading frame gene performed quantitative polymerase_chain reaction qpcr analyse expression_pattern lncrna different tissue chicken different development stage the qpcr data showed novel lncrna gene expressed extensively highest abundance spleen lung lowest abundance pectoralis leg_muscle additionally identified single_nucleotide polymorphism snp gene studied association snp chicken growth trait using data resource_population gushi_chicken anka_broiler the association analysis showed snp significantly_associated leg_muscle weight_chest breadth sternal length body_weight chicken day week_week age concluded novel lncrna gene designated may_play important_role regulating chicken growth', 'selection among broiler performance trait resulting locomotion problem bone disorder skeletal structure strong enough support body_weight broiler high growth_rate study genetic_parameter estimated body_weight day_age tibia trait length_width weight population broiler chicken quantitative_trait locus qtl identified tibia trait expand_knowledge genetic_architecture broiler population genetic_correlation ranged tibia_length tibia width weight suggesting trait either controlled pleiotropic gene gene linkage_disequilibrium for qtl mapping genome scanned microsatellites representing coverage eight qtl mapped gallus_gallus chromosome gga the qtl region tibia_length weight mapped marker the gene located region gene act form apical ectodermal ridge responsible limb development body_weight day_age included model covariate selection effect bone trait two qtl found tibia weight one tibia width information originating qtl assist search candidate_gene bone trait future study', 'immune trait play pivotal role animal immune_capacity development disease_resistance single_nucleotide polymorphism snp common_form genetic_variation among individual thought account majority inherited phenotypic_variation study performed genomewide_association using_illumina snp beadchip study detect molecular_marker candidate_gene associated immune trait population sixteen immune trait measured identified significant snp genomewide_significance threshold snp suggestive_significance simple model general_linear model glm snp suggestive_significance compressed_mixed linear_model mlm also found glm six significant snp seven suggestive snp three significant snp candidate_gene found associated avian_influenza antibody_titre first two snp result analysis for immune organ analysis glm snp found significantly_associated thymus weight snp significantly_associated bursa fabricius weight six located_within region chicken chromosome candidate region relevant haematological trait glm found locus located three locus within ggaz glm provided_evidence genomic segment may relevant red_blood cell_volume distribution_width rdw our study_provides list significant snp candidate_gene valuable_information unveiling underlying molecular_mechanism immune regulation', 'background heat_stress poultry result considerable_economic loss concern animal health_welfare physiological change occur period heat_stress including change blood chemistry component highly advanced_intercross line created broiler heat susceptible fayoumi heat resistant cross exposed daily heat cycle seven day starting day_age blood component measured treatment seventh day heat_treatment included base excess ionized hematocrit hemoglobin glucose association study_gwas trait calculated change conducted_identify quantitative_trait locus qtl using snp panel result there significant increase base excess ionized hematocrit hemoglobin significant decrease glucose day heat_treatment heritabilities ranged measurement measurement taken heat calculated change due heat_treatment all blood component highly_correlated within measurement day correlated measurement day the gwas revealed qtl trait located gga gallus_gallus chromosome functional analysis gene qtl region identified angiopoietin pathway significant the qtl three trait revealed candidate_gene bird response heat_stress conclusion the result study contribute knowledge level heritabilities several blood component chicken thermoneutral heat_stress condition most component responded heat_treatment mapped qtl may_serve marker genomic_selection enhance heat_tolerance poultry the angiopoietin pathway likely involved response heat_stress chicken several candidate_gene identified giving additional insight potential mechanism physiologic response high ambient temperature', 'lactoferrin protein found cow milk play_important role preventing mastitis caused intramammary infection study chinese_holstein cow selected randomly pcr amplification sequencing bovine lactoferrin gene promoter_region used snp discovery region nucleotide position three snp identified bovine lactoferrin chinese_holstein cow genotyped using sequenom_massarray sequenom san_diego based previous snp information study association snp haplotype milk somatic_cell score_sc production trait analyzed least_square method glm_procedure sa snp showed close linkage_disequilibrium the snp showed_significant association sc individual genotype higher sc genotype association found snp sc milk composition the software matinspector revealed snp located_within several potential transcription_factor binding_site including may alter gene expression investigation required elucidate biological practical relevance snp', 'bovine_respiratory disease brd leading cause morbidity_mortality feedlot cattle caused multiple pathogen become virulent response_stress clinical_sign often undetected various preventive strategy failed identification gene affecting brd essential selection resistance selective_dna pooling sdp applied genome_wide association study_gwas map brd qtls israeli_holstein male_calf kosher scoring lung adhesion used allocate animal high glatt kosher low resistant group respectively genotyping performed_using illumina_bovinehd beadchip according infinium protocol moving average used map qtls log drop used define boundary qtlrs the combined procedure efficient high resolution mapping nineteen qtlrs distributed autosome found overlapping previous_study the qtlrs contain polymorphic functional expression candidate_gene affect kosher status putative immunological wound_healing activity kosher phenotyping shown reliable mean map qtls affecting brd morbidity', 'the number_teat morphological trait influence mothering_ability sow thus reproduction_performance study carried gwass total number_teat related parameter italian_large white heavy_pig all pig genotyped_illumina beadchip array for four investigated parameter total number_teat number_teat left line number_teat right line maximum number_teat comparing two side significant marker identified region vertnin_vrtn gene significant marker number posterior teat absolute difference anterior posterior teat_number consistently identified the significant snp parameter intron variant tox high_mobility group box family_member gene for four parameter absolute difference two side anterior teat ratio posterior anterior number_teat absence presence extra teat suggestively significant marker identified several chromosome this_study supported role vrtn gene region affecting recorded variability number_teat italian_large white pig population identified genomic_region potentially affecting biological_mechanism controlling developmental programme morphological feature pig', 'meat carcass quality_attribute crucial importance influencing consumer preference profitability pork industry set berkshire pig collected dasan breeding farm namwon chonbuk province korea born perform genome_wide association study_gwas eleven meat carcass quality trait considered including carcass_weight backfat_thickness value hour commission internationale lightness meat_color cie redness meat_color cie yellowness meat_color cie filtering drip_loss heat loss shear_force marbling_score all animal genotyped porcine snp beadchips illumina usa sa general_linear model procedure_sa version used animal phenotype gwas sire sex effect fixed_effect slaughter age covariate after fitting fixed covariate factor model residual phenotype regressed additive_effect single_nucleotide polymorphism snp linear_regression model plink version the significant snp permutation testing level subjected stepwise regression analysis determine best set snp marker total significant snp quantitative_trait locus qtl detected various chromosome the qtls explained total phenotypic_variation trait some qtls pleiotropic_effect also identified pair significant qtl also found affect cie drip_loss percentage the significant qtl characterization functional_candidate gene qtl around qtl region may effectively efficiently used marker_assisted selection achieve enhanced genetic_improvement trait considered', 'background many trait individual trait level genetic control also variation around level word genotype differ mean also residual variation around genotypic mean new statistical method facilitate gaining knowledge genetic_architecture complex trait phenotypic_variability here study litter_size total number_born variation large_white pig population using double hierarchical generalized_linear model perform_association study using_bayesian method result total significant single_nucleotide polymorphism snp detected total number_born tnb snp variability tnb vartnb those snp explained genetic_variance tnb vartnb the significant snp tnb detected sus_scrofa chromosome_ssc possible candidate_gene tnb involved cell growth survival two possible candidate_gene vartnb located the first gene coding swine heat shock protein hspcb gene stabilizing morphological trait drosophila arabidopsis the second gene vegfa activated angiogenesis vasculogenesis fetus furthermore genetic_correlation additive_genetic effect tnb variation this indicates current selection increase tnb also increase vartnb conclusion best knowledge_first study reporting snp associated variation trait pig detected genomic_region associated vartnb used genomic_selection decrease vartnb highly desirable avoid small large litter pig however percentage variance_explained region small the snp detected study used indication region sus_scrofa genome involved_maintaining low variability litter_size study_needed identify_causative locus', 'control porcine reproductive_respiratory syndrome_prrs economically_important swine_industry worldwide current prrs vaccine completely protect heterologous challenge alternative mean control including enhanced genetic resilience needed for reproductive prrs genetic_basis fetal_response prrs_virus prrsv_infection poorly_understood association study_gwas done using data fetus pregnant gilt experimentally challenged type prrsv fetus assessed viral_load thymus vlt viral_load endometrium vle fetal death fetal viability genotyped medium density collectively candidate genomic_region found associated trait seven overlap previously_reported qtls pig health_reproduction comparison ongoing related transcriptomic analysis fetal_response prrsv_infection found differentially_expressed gene within candidate region some gene immune_system function reported contribute host_response prrsv_infection the result_provide new evidence genetic_basis fetal_response prrsv challenge may ultimately lead alternative control_strategy reduce_impact reproductive prrs', 'porcine reproductive_respiratory syndrome_prrs cause decreased reproductive_performance respiratory problem pig the goal current_study examine_whether individual variation applies infection prrsv european strain investigate association single_nucleotide polymorphism snp wur protein gene average_daily gain_adg prrsv infected uninfected pig the experimental procedure consisted two trial pig negative prrsv farm infected vaccinated attenuated european prrs_virus strain monitored infection vaccination viral_load adg determined pig third trial adg pig monitored all pig genotyped wur gene genotype defined result_indicated individual variation viral_load pig challenged low virulent european prrsv strain secondly data showed wur snp associated adg vaccinated pig thus adg pig significantly_higher one vaccinating attenuated prrsv strain however reverse happened environment pig grew faster based result scope selecting pig according response prrs_virus infection european strain wur snp may_play role causing prrsv resistance', 'background reproductive_efficiency great_impact economic_success pork production gilt comprise significant portion breeding female gilt reach puberty earlier tend stay herd longer productive about gilt never farrow litter common reason removal anestrus failure conceive puberty pig usually defined female first estrus presence boar stimulation genetic marker associated age_puberty allow selection age_puberty trait correlated sow lifetime_productivity result gilt estrus detection measurement ranging day genotyped using_illumina beadchip snp tested significant effect bayesian_approach using gensel_software available window found_statistically significant error ten qtl highly_significant level two qtl one explained total genetic_variance the compelling candidate_gene two region included growth_hormone gene several locus confirmed association previously identified age_puberty pig locus age menarche human conclusion several locus identified study physiological role onset_puberty genetic_basis sexual_maturation human understanding gene involved_regulation onset_puberty would_allow improvement_reproductive efficiency swine because age_puberty predictive factor sow longevity lifetime_productivity routinely measured selected commercial_herd would_beneficial able use genomic_selection improve trait', 'enterotoxigenic_escherichia coli_etec type pathogenic bacteria cause diarrhea piglet colonizing pig small_intestine epithelial_cell surface fimbria different fimbria type etec including isolated diarrheal pig study performed association study map locus associated susceptibility pig etec using single_nucleotide polymorphism snp pig white cross the significant snp located chromosome high linkage_disequilibrium surrounding snp span interval within region investigated zfat positional_candidate gene cdna zfat four pig different susceptibility phenotype identified seven coding variant genotyped seven variant unrelated pig diverse breed measured etec susceptibility phenotype five variant showed nominal significant association etec susceptibility phenotype international commercial_pig this_study provided refined region associated susceptibility pig etec reported previously further work needed uncover underlying causal_mutation', 'identify novel quantitative_trait locus qtl within horse performed association study_gwas based genotype conformation performance trait horse breed genotype horse derived key founder imputing data genotyped horse total included horse genotyped million snp respective breeding_value trait analysis based dataset identified total qtl associated conformation trait one performance trait therefore result_suggest application genotype increase_power identify novel qtl identified previously based snp_chip data', 'conformation long driving force horse selection breed creation predictor performance the tennessee walking horse twh range size often used trail show pleasure horse investigate contribution genetics body_conformation twh collected dna_sample body_measurement information individual analyzed body measure principal_component analysis principal_component captured trait variance comprised trait variance all measure correlated positively indicating describes overall body_size genotyped horse using bead_chip marker association assessed data using score phenotype linear analysis emmax revealed candidate locus raw near lcorl gene custom genotyping panel enabled trait lcorl gene this position differs report suggesting single_nucleotide polymorphism snp upstream_lcorl coding_sequence regulate expression gene therefore body_size horse fluorescent situ hybridization analysis defined position highly homologous retrogene copy lcorl assigned unplaced contigs equcab assembly this_first study identify putative_causative snp within lcorl transcript associated skeletal size variation horse', 'explored involvement genomic copy_number variant cnvs susceptibility recurrent_airway obstruction_rao asthmalike inflammatory_disease horse analysis case six control horse equine tiling array identified cnv region cnvrs previously known new distributed horse autosome chromosome among new cnvrs exclusively found rao case analyzed quantitative_pcr including additional case_control suggestive association corrected found rao loss chromosome involving gene necessary ciliary function lung involved primary ciliary dyskinesia human the cnvr could potential marker rao susceptibility need study additional rao cohort other cnvrs associated rao although several involved gene interest serpin gene family associated chronic obstructive pulmonary disease asthma human the cnvr showed striking variation among horse significantly different rao case_control the finding_provide baseline information relationship cnvs rao susceptibility discovery new cnvs use larger population control horse needed shed_light significance modulating complex heterogeneous disease', 'temperament key criterion selection horse leisure competitive riding ensure optimal performance safety the tennessee walking horse twh described calm docile breed often used trail show pleasure horse however among horse owner caretaker anecdote supporting familial disciplinal typical behavior personality investigate contribution genetics temperament collected behavior questionnaire brief training history identifying information twh well blood hair sample dna factor analysis conducted questionnaire set horse met inclusion threshold factor analysis identified four temperament factor twh these four factor account total trait variance dna twhs selected genotyped using equine bead_chip three separate association study_gwas using factor factor factor score phenotype quantitative association analysis identified significant candidate locus factor warrant investigation', 'while susceptibility hypersensitive_reaction common problem amongst human animal alike population structure certain animal specie breed provides advantageous route better_understanding biology underpinning condition the current_study us exmoor pony highly_inbred breed horse known frequently suffer insect bite hypersensitivity identify_genomic region associated type_type hypersensitive_reaction total case_control genotyped axiom equine genotyping_array quality_control resulted snp individual tested association association analysis performed_using genabel_package resulted identification two region interest chromosome the first region contained significant snp identified located_intron dcc netrin receptor gene the second region identified contained multiple top snp encompassed pign gene although additional study_needed validate importance region horse relevance region specie_knowledge gained current_study potential step_forward unraveling complex nature hypersensitive_reaction', 'background stallion_fertility economically_important trait due increase artificial_insemination horse the availability whole_genome sequence_data facilitates identification rare_variant contributing stallion_fertility the_aim study genotype rare_variant retrieved sequencing ng horse order unravel harmful genetic variant large sample stallion method gene_ontology term search result public database used obtain comprehensive list human und mouse gene predicted participate regulation male reproduction the corresponding equine orthologous gene searched whole_genome sequence_data seven stallion four mare filtered genetic variant using snpeff sift_polyphen software all genetic variant missing_homozygous mutant_genotype genotyped fertile_stallion breed using kasp_genotyping assay mixed_linear model analysis employed association analysis estimated_breeding value paternal component_pregnancy rate per estrus result screened next_generation sequenced data whole_genome horse equine genetic variant human_mouse gene involved male_fertility linked common gene_ontology male reproductive process variant filtered protein structure validated sift_polyphen only genetic variant followed homozygote mutant_genotype missing detection sample comprising horse after filtering process single_nucleotide polymorphism snp left these snp genotyped fertile_stallion breed using kasp_genotyping assay association analysis hanoverian_stallion revealed significant association disruption variant estimated_breeding value paternal component_pregnancy rate per estrus for variant within gene cftr absence homozygous_mutant genotype validation sample fertile_stallion obvious therefore variant considered potentially deleterious factor stallion_fertility conclusion conclusion study revealed genetic variant predicted high damaging effect protein structure missing_homozygous mutant_genotype the variant identified significant stallion_fertility locus hanoverian_stallion candidate fertility locus missing_homozygous mutant_genotype validated panel including horse breed knowledge_first study horse using next_generation sequencing data uncover strong candidate factor stallion_fertility', 'phenotypic_variability horn characteristic size number shape offer opportunity elucidate molecular_basis horn development the_objective study map genetic determinant controlling production four horn two breed jacob sheep examine_whether eyelid abnormality occurring population related association mapping performed_using animal two breed contain individual design analysis snp genotyped ovine snp beadchip revealed strong association signal sheep chromosome the strongly_associated snp located region spanning position indicating genetic_architecture underpinning production four horn likely involve single gene the closest_gene strongly_associated marker hoxd cluster located approximately upstream respectively the occurrence eyelid malformation across breed restricted polled animal_carrying two horn this_suggests eyelid abnormality may associated departure normal developmental production animal two condition developmentally linked this_study demonstrated presence separate locus responsible polled phenotype sheep advanced understanding complexity underpins horn morphology ruminant', 'polyceraty presence multiple horn rare modern day ungulate although found wild sheep polyceraty occur small number domestic_sheep breed covering wide geographical region damara hair sheep region africa display polyceraty horn number ranging zero four conducted association study horn number damara genotyped snp marker the analysis_revealed region multiple significant snp ovine_chromosome location different mutation polled sheep chromosome the causal_mutation polyceraty identified however region associated polyceraty span nine hoxd gene critical embryonic_development appendage mutation hoxd gene implicated polydactly phenotype mouse_human there_evidence epistatic_interaction contributing polyceraty this_first report genetic_mechanism underlying polyceraty damara', 'background persistence gastrointestinal_nematode gin_infection related control method major impact sheep industry_worldwide based information generated illumina_beadchip chip study aim confirming quantitative_trait locus qtl previously identified genome_scan identifying new qtl allelic_variant associated indicator trait parasite_resistance adult sheep used commercial population_spanish churra ewe available data fecal_egg count_fec serum level immunoglobulin iga perform different genome_scan qtl mapping analysis based classical linkage analysis combined_linkage disequilibrium linkage analysis_ldla association study_gwas result for fec iga trait detected total three significant qtl significant region ldla reached_significance level the gwas also revealed significant snp associated igat although significant association found lfec some significant qtl lfec detected ldla overlapped highly_significant qtl previously detected different population churra_sheep addition several new qtl snp association identified show correspondence effect reported different population young sheep other significant association coincide previously_reported association could related specific immune_response adult animal discussion our_result replicate qtl located previously_reported churra_sheep provide support future_research identification allelic_variant underlies qtl the small proportion genetic_variance explained detected qtl large number functional_candidate gene identified consistent_hypothesis gin complex trait determined individual gene acting alone rather complex interaction future study_combine genomic variation analysis functional genomic information may_help elucidate biology gin disease_resistance sheep', 'lipoprotein lipase lpl considered essential enzyme lipid_deposition tissue metabolism proposed lead candidate_gene genetic marker lipid_deposition energy_balance paper polymorphism lpl gene investigated chinese qinchuan_cattle dna_sequencing seven single_nucleotide polymorphism snp identified included one mutation region_utr four synonymous_mutation two mutation the frequency snp skewed equilibrium sample test association analysis showed five locus except significantly_correlated growth_carcass quality trait these_result demonstrate lpl might potential candidate_gene selection_ma', 'many study suggest significant genetic_variation resistance cattle human infection mycobacterium bovis bovis causative_agent zoonotic tuberculosis promotes inflammation induces apoptosis response mycobacterial_infection the_aim present_study investigate influence single_nucleotide polymorphism gene bovine_tuberculosis btb_susceptibility genotyped gene holstein_cow healthy control animal the influence exon region polymorphism btb_susceptibility subsequently investigated association analysis our_finding demonstrated polymorphism associated btb holstein_cattle the susceptibility cattle genotype compared genotype higher the polymorphism located exon gene functional consequence missense the deduced amino_acid sequence protein product revealed arginine serine conversion position may affect initiation protein synthesis disrupt normal function protects animal mycobacterial_infection significant association observed allele risk_factor btb_susceptibility conclusion first_report showing polymorphism may_contribute btb_susceptibility', 'background the availability_sequence data key_ancestor bovine population provides exhaustive catalogue polymorphic_site segregate within across cattle breed sequence_variant identified sequenced genome key_ancestor imputed animal genotyped using genotyping_array association analysis imputed_sequence particularly applied multiple trait simultaneously powerful approach detect candidate causal_variant underlie complex phenotype result used sequence_data key_ancestor german_fleckvieh cattle population impute sequence_variant animal partly imputed genotype based single_nucleotide polymorphism snp rare_variant frequent among genotype association study imputed_sequence variant performed_using seven correlated udder_conformation trait response_variable the calculation approximate test_statistic enabled detect_quantitative trait locus qtl affect different morphological feature mammary_gland among tested variant significant association found imputed_sequence variant qtl whereas top association signal observed variant qtl bovine_chromosome seven qtl associated multiple phenotype most qtl located region genome close_proximity candidate_gene could involved mammary_gland morphology conclusion using_imputed sequence_variant association analysis allows detection qtl maximum resolution approach reveal qtl detected association study most qtl udder_conformation trait located region genome suggests mutation regulatory sequence major_determinant variation mammary_gland morphology cattle', 'tick disease among main_cause economic_loss south african cattle industry high morbidity_mortality rate concern general public regarding chemical residue may tarnish perception food safety environmental health husbandry cattle includes frequent use acaricide manage tick the primary objective_study identify single_nucleotide polymorphism snp marker associated host_resistance tick south african nguni_cattle tick_count data_collected monthly nguni_cattle reared four herd natural grazing condition period two year the count_recorded six specie tick attached eight anatomical_location animal summed specie anatomical_location this gave rise measured phenotype trait result trait reported tick_count data transformed using resulting value examined normality dna_extracted hair blood_sample genotyped using_illumina assay after_quality control call_rate minor_allele frequency snp retained analysis genetic_parameter estimated association analysis tick_resistance carried_using two approach association_gwa analysis using_genabel package regional_heritability mapping_rhm analysis the bonferroni corrected significance_threshold suggestive_significance threshold one false_positive per genome_scan gwa_analysis likelihood_ratio test lrt threshold suggestive_significance rhm analysis six ixodid tick specie identified amblyomma hebraeum vector heartwater disease dominant specie heritability_estimate fitted animal sire model ranged transformed tick_count data several genomic_region harbouring quantitative_trait locus qtl identified different tick_count trait gwa rhm approach three significant region chromosome identified total tick_count head total body hebraeum tick_count total hebraeum perineum region respectively additional region significant suggestive level identified chromosome several trait the gwa approach identified genomic_region rhm approach the chromosomal_region identified harbouring qtl underlying variation tick_burden form basis analysis identify specific candidate_gene polymorphism related cattle tick_resistance provide potential selection nguni_cattle', 'the_aim study evaluate genome_wide association study_gwas approach identify single_nucleotide polymorphism snp associated fertility trait early puberty nellore_cattle bos_indicus nellore cow selected herd monitored early puberty onset positive pregnancy month_age extreme phenotype selected individual pregnant respectively age dna_sample genotyped using snp_chip snp gwas using strategy highlighted number significant marker based proximity bonferroni_correction line result_indicated chromosome associated trait interest the significant snp chromosome candidate_gene well quantitative_trait locus qtl previously_reported ensembl cattle qtldb database investigated analysis region close snp chromosome revealed four qtl previously classified reproduction category conclusion identified snp close_proximity gene associated reproductive trait moreover spliceosomal rna present three different chromosome possibly associated age_first calving suggesting_might strong candidate future study', 'evaluated snp gene previously related fertility production trait relationship daughter_pregnancy rate_dpr cow conception_rate ccr heifer conception_rate hcr separate population holstein_cow grouped according predicted_transmitting ability_pta dpr genotyping performed_using sequenom_massarray there total snp associated three fertility trait the snp explained greater proportion genetic_variation dpr cast ccr hcr inclusion snp previously associated dpr genetic_evaluation system increased reliability pta_dpr many gene represented snp associated fertility involved steroidogenesis regulated steroid large_proportion snp previously associated genetic_merit fertility holstein_bull maintained association separate population cow the inclusion gene genetic_evaluation improve reliability genomic estimate fertility', 'background our_aim identify_genomic region via association study_gwas improve predictability genetic_merit holstein calving body_conformation trait animal genotyped using_illumina bovine beadchip imputed illumina_bovinehd beadchip gwas_performed real imputed single_nucleotide polymorphism snp genotype using_mixed linear_model holstein_bull breeding_value prediction followed gene identification silico functional analysis the association result validated using five scenario different number snp result seven hundred snp significantly_associated calving_performance false_discovery rate_fdr most significant snp chromosome mapped gene among included least_one significant snp nearby one kbp for body_conformation trait snp significant fdr located chromosome snp enrichment functional analysis calving trait fdr suggested potential biological_process including musculoskeletal movement meiotic cell_cycle oocyte maturation skeletal_muscle contraction furthermore pathway analysis suggested potential pathway associated calving_performance trait including tight_junction oxytocin_signaling mapk_signaling the prediction_ability significant snp prediction_ability snp calving_performance trait body_conformation trait conclusion various snp significantly_associated calving_performance located_within nearby gene potential role tight_junction oxytocin_signaling mapk_signaling combining significant snp snp within nearby gene panel panel yielded marginal increase accuracy_prediction genomic estimated_breeding value trait compared use panel alone', 'cheese_production increasing many_country desire toward genetic selection milk coagulation property dairy_cattle breeding exists however measurement individual cheesemaking property hampered high cost labor whereas traditional milk coagulation property mcp sometimes criticized nevertheless new modeling entire curd firmness syneresis process cft equation offer new_insight cheesemaking process moreover identification genomic_region regulating milk cheesemaking property might enhance direct selection individual breeding_program based cheese ability rather related milk component therefore_objective study perform_association study identify_genomic region linked traditional mcp new cft parameter milk acidity milk_protein percentage milk dna_sample italian_brown swiss_cow used milk mcp trait grouped together represent mcp set four cft equation parameter derived trait protein_percentage considered second group trait cft set animal genotyped_illumina beadchip_illumina san_diego multitrait animal model used_estimate variance_component for association study association using_mixed model control approach used total significant marker trait association single_nucleotide polymorphism identified chromosome sharp peak detected mbp bos_taurus autosome_bta peak mbp region_harboring casein gene evidence quantitative_trait locus mbp chromosome found all chromosome associated one trait only common mcp cft set the new cft trait reinforced support mcp signal provided additional information genomic_region might_involved regulation coagulation process bovine milk', 'development body hair important physiological cellular process lead_better adaption tropical_environment dairy_cattle various study suggested major gene recently associated gene hairy locus dairy_cattle main aim_study employ variant discordant_sib pair model half_sib sire randomly sampled using affection statue use various single marker regression_approach iii use whole_genome regression_approach dissect_genetic architecture hairy gene cattle whole single genome regression_approach detected strong genomic signal chromosome although major gene effect hairy phenotype sourced chromosome whole_genome regression_approach also suggested polygenic component related part genome such result could obtained single marker approach', 'objective holstein known world producing dairy_cattle the_purpose study identify genetic region strongly_associated milk trait milk_production fat protein using korean_holstein data method this_study performed_using single_nucleotide polymorphism snp_chip data illumina_beadchip korean_holstein individual inferred genomic estimated_breeding value based best_linear unbiased_prediction blup ridge regression using performed association study identified genetic region related milk trait result identified significant genetic region related milk_production fat protein respectively these gene newly_reported genetic association milk trait holstein conclusion_this study complement recent holstein association study identified snp gene significant variant these_result help expand_knowledge polygenic_nature milk_production holstein', 'background saturated_fatty acid detrimental human_health received considerable attention recent_year several study using taurine_breed showed existence genetic_variability thus possibility genetic_improvement fatty_acid profile_beef this_study identified region genome associated saturated polyunsaturated_fatty acid ratio longissimus_thoracis nellore finished feedlot using method result the result showed window explain additive_genetic variance studied fatty_acid genomic_region explain additive_genetic variance observed total saturated_fatty acid nineteen genomic_region distributed sixteen different chromosome accounted additive_genetic variance monounsaturated_fatty acid sum monounsaturated_fatty acid forty genomic_region explained_additive variance polyunsaturated_fatty acid group related total polyunsaturated_fatty acid genomic_region accounted genetic_variance group ratio conclusion the identification region respective candidate_gene essrg gene abc group contribute form genetic_basis fatty_acid profile nellore bos_indicus beef contributing better selection trait associated improving human_health', 'background bovine_tuberculosis btb_infection cattle significant economic concern many_country annual cost irish government approximately million million respectively btb control the existence host additive_genetic component btb_susceptibility established method two approach single_nucleotide polymorphism regression_bayesian method applied association study_gwas using snp genotype snp dairy artificial_insemination sire deregressed_estimated breeding_value btb_susceptibility used quantitative dependent variable network analysis performed_using quantitative_trait locus qtl identified significant regression_bayesian analysis separately addition analysis performed subset prolific sire dataset showed contrasting prevalence btb_infection daughter result significant qtl region identified value bayes_factor across analysis sire minor_allele minor_allele frequency qtl estimated_breeding value conferred greater susceptibility_btb infection homozygous major allele imputation region flank qtl full_sequence indicated significant association located_within intron gene conclusion genomic_region strongly_associated host susceptibility_btb infection identified this region contained gene involved signalling pathway major biological_pathway associated immune_response although study validates region literature approach represents one powerful study analysis btb_susceptibility date', 'the desaturase gene_encodes key_enzyme cellular biosynthesis monounsaturated_fatty acid initial association study_gwas chinese_holstein cow snp fell_region chromosome underlying scd_gene highly significantly_associated index the_aim study verify whether scd_gene significant genetic effect milk_fatty acid_composition dairy_cattle resequencing entire_coding region bovine scd_gene total six variation identified including three coding variation three intronic variation the snp exon predicted result amino_acid replacement alanine gcg valine gtg scd protein association study milk_fatty acid using chinese_holstein cow accurate phenotype genotype performed_using mixed animal model proc_mixed procedure_sa all six detected snp revealed associated six unsaturated_fatty acid specifically index subsequently strong_linkage disequilibrium observed among six snp scd five snp within region identified previous gwas indicating significant association scd_gene milk_fatty acid_content trait reduced observed significant chromosome region gwas analysis_revealed significant association haplotype_encompassing six scd snp one snp gwas index index summary finding_provide replicate evidence previous gwas demonstrate variant scd_gene significantly_associated milk_fatty acid_composition dairy_cattle provides clear evidence increased understanding milk_fatty acid_synthesis enhances opportunity improve composition dairy_cattle', 'association analysis candidate_gene bovine milk_fatty acid improve_understanding genetic_variation milk_fatty acid_profile reveal potential opportunity tailor milk fat composition selection_strategy work investigated association single_nucleotide polymorphism snp selected candidate_gene using functional_positional approach fatty_acid fatty_acid group index milk sample brown_swiss cow individual milk sample_collected italian_brown swiss_cow gas_chromatography used obtain detailed milk_fatty acid_composition goldengate assay system illumina_san diego used_perform genotype selected snp located gene across chromosome total polymorphic snp candidate_gene retained association analysis bayesian linear animal model used_estimate contribution snp total test indicated relevant additive_effect given snp single fatty_acid trait snp belonging gene relevant total fatty_acid trait most studied fatty_acid trait relevantly_associated multiple snp relevantly_associated snp mainly found gene related fat metabolism linked contained previously identified quantitative_trait locus fat_yield content associated gene previously identified association analysis milk_fatty acid_profile cow breed the representative candidate_gene lep prl acaca ghr particular relevant association snp located bovine_chromosome found two candidate_gene acaca relevantly_associated novo fatty_acid likely explaining high_heritability value found fatty_acid exception two additional gene showed association saturated_fatty acid our_finding provide basic information gene snp affecting milk_fatty acid_composition dairy_cow these_result may support possibility using genetic selection modify milk_fatty acid_profile promote beneficial effect', 'background the nordic_red cattle consisting three different population finland sweden denmark joint breeding_value estimation system the long history recording production health trait offer great opportunity study production trait identify_causal variant behind study used whole_genome sequence level data progeny_tested nordic_red cattle bull scan genome locus affecting milk fat protein_yield result using significance_threshold region bos_taurus chromosome associated fat_yield region chromosome associated milk_yield chromosome region associated protein_yield significantly_associated variation found gene fat_yield gene milk_yield gene protein_yield ingenuity_pathway analysis used identify network connecting gene displaying significant_hit when_compared previously_mapped genomic_region associated fertility significantly_associated variation found gene common fat_yield fertility thus linking two trait via biological network conclusion_this first_time whole_genome sequence_data utilized study genomic_region affecting milk_production nordic_red cattle population sequence level data offer possibility study quantitative_trait detail still unambiguously reveal associated variation causative linkage_disequilibrium creates difficulty pinpoint causative gene variation one solution overcome difficulty identification functional gene network pathway reveal important interacting gene candidate observed effect this information target genomic_region may exploited improve genomic_prediction', 'background low birth_weight postnatal_growth restriction evident symptom dwarfism accompanying skeletal aberration may compromise general condition locomotion affected individual several paternal low birth_weight small size born fleckvieh cattle population result affected_calf strikingly underweight birth spite normal gestation_length craniofacial abnormality elongated narrow head brachygnathia inferior spite normal general condition growth remained restricted rearing genotyped affected_unaffected animal single_nucleotide polymorphism performed association test followed homozygosity mapping allowed map locus responsible growth failure segment bovine_chromosome analysis data one affected_unaffected animal revealed deletion coding_region gene segregated haplotype showed deletion induces intron retention premature termination translation lead severely truncated protein lack domain likely essential normal protein function the widespread_use undetected carrier bull_artificial insemination resulted tenfold increase frequency deleterious allele female population conclusion frameshift mutation associated autosomal recessive proportionate dwarfism fleckvieh cattle the mutation segregated population year without recognized genetic disorder however widespread_use undetected carrier bull_artificial insemination caused sudden accumulation homozygous calf dwarfism our_finding provide_basis mating strategy avoid inadvertent mating carrier animal thereby prevent birth homozygous calf impaired growth', 'background peroxisome_receptor gamma pparg binding_protein alpha cebpa retinoid receptor alpha rxra nuclear transcription_factor play_important role_regulation adipogenesis fat_deposition the_objective study characterise variability three candidate_gene mixed sample panel composed several cattle breed different meat_quality validate single_nucleotide polymorphism snp local crossbred population angus hereford limousin evaluate effect meat_quality trait backfat_thickness intramuscular_fat content fatty_acid composition supporting association test bioinformatic predictive study result globally nine snp detected pparg cebpa_gene within mixed panel including novel snp latter three nine along seven snp selected single_nucleotide polymorphism database snpdb including snp rxra gene validated crossbred population after validation five snp evaluated genotype effect fatty_acid content composition significant effect observed backfat_thickness different fatty_acid content some snp caused slight difference mrna structure stability putative binding_site protein conclusion pparg cebpa showed low_moderate variability sample panel variation gene along rxra may explain part genetic_variation fat_content composition our_result may_contribute knowledge genetic_variation meat_quality trait cattle evaluated larger independent population', 'aim one major biochemical aspect thermoregulation equilibrium ion gradient across biological membrane member family major contributor mechanism actively control ion gradient thus examined gene_encodes chain genetic polymorphism material and method total vrindavani composite cross strain hariana tharparkar indigenous cattle screened genetic polymorphism gene using polymerase_chain reaction conformation polymorphism dna_sequencing for association study rectal_temperature respiration rate animal recorded twice daily season result snp identified exon gene three genotype namely observed vrindavani tharparkar cattle the gene frequency tharparkar vrindavani allele allele respectively remained intermediate range association study genotype cattle population revealed animal genotype exhibited significantly lower higher heat_tolerance coefficient genotype conclusion differential thermoregulation different genotype gene indicate gene could_potentially contributing thermotolerance tharparkar indigenous breed vrindavani composite crossbred cattle', 'the_objective present_study investigate single_nucleotide polymorphism snp located three candidate_gene previously_reported effect fertility milk_production trait population holstein_cow the milk_production trait evaluated included lifetime_average milk_yield protein concentration fat concentration fertility trait evaluated included lifetime_average service_per conception candidate_gene included encoding diacylglycerol acyltransferase leptin_receptor lepr calpastatin_cast total snp selected per gene equidistant location candidate_gene identify potential linkage causative_mutation four snp identified significantly_associated evaluated fertility trait specifically snp significantly_associated lifetime_average significantly_associated lifetime_average number service_per conception five snp significantly_associated lifetime_average milk_protein concentration milk fat concentration one snp significantly_associated average lifetime milk_yield although multiple snp identified current_study significantly_associated milk_production fertility trait essential snp validated larger population diverse environment additional snp candidate_gene evaluated prior implementation_selection strategy', 'construction genetic linkage_map essential genetic genomic study recent_advance sequencing genotyping_technology made_possible generate genetic linkage_map especially organism lacking extensive genomic resource present_work constructed genetic map channel_catfish three large resource family genotyped using catfish polymorphism snp_array total snp placed linkage_map knowledge highest marker_density among aquaculture specie the estimated genetic size resolution genetic map the linkage_map spanned total female male presenting ratio female male recombination fraction after integration previously established physical_map physical_map contigs anchored linkage_group covered physical length accounting catfish genome the integrated map provides valuable_tool validating improving catfish assembly facilitates qtl mapping positional_cloning gene responsible economically_important trait', 'genetic selection cattle resistant bovine_tuberculosis btb may offer complementary control_strategy hypothesising underlying genetic_variation present approach using high_density marker identify_genomic locus dominance_effect btb resistance test previously_published region heterozygote advantage btb our data comprised cow northern ireland confirmed btb case_control genotyped_illumina beadchip marker tested association heterozygosity btb status using relationship result tested robustness genetic structure genotypic_frequency significant locus tested departure equilibrium genomic_region identified study previous publication tested dominance_effect genotypic effect estimated asreml mixed_model snp chromosome significant level explaining_phenotypic variance control fewer heterozygote genotypic value suggesting heterozygosity confers heterozygote disadvantage the region surrounding significant dominance_effect snp resides within pseudogene parental gene involved macrophage response_infection within region previously associated nematode_resistance dominance_effect found region chromosome indicated previous candidate region btb study these_finding require_validation data', 'pig show extensive variation exterior appearance this variation explored one selection target form breeding feature pig_industry study customized affymetrix_axiom array plate used_conduct association study_gwas two exterior coat_color facial type chinese dongxiang spotted pig two single_nucleotide polymorphism snp identified associated significant level respectively snp two associated located around gene sus_scrofa chromosome_ssc eleven snp associated located_within region based gwas result biological_function gene highlight ednrb candidate_gene potential gene affecting facial variation the finding_contribute final characterization causative gene mutation_underlying effect locus improve_understanding genetic_basis phenotypic_variation chinese_indigenous pig', 'background previous association study deduced one two two one significant single_nucleotide polymorphism snp associated milk_fatty acid close within fatty_acid synthase_fasn peroxisome_receptor gamma coactivator alpha cassette member growth_factor gene confirm linkage reveal genetic effect four candidate_gene milk_fatty acid_composition genetic polymorphism identified association performed chinese_holstein cattle population result nine snp identified fasn among snp predicted result amino_acid substitution threonine acc alanine gcc five snp synonymous_mutation remaining three found fasn intron only_one snp identified association study revealed fasn mainly associated saturated_fatty acid unsaturated_fatty acid especially fasn strong_linkage disequilibrium observed among fasn among subsequently analysis_revealed significant association haplotype_encompassing eight fasn snp saturated_fatty acid sfa unsaturated_fatty acid ufa conclusion_our study confirmed linkage significant snp previous association study variant fasn snp within fasn showed_significant genetic effect milk_fatty acid_composition dairy_cattle indicating_potential function milk_fatty acid_synthesis metabolism the finding presented provide_evidence selection dairy_cow healthier milk_fatty acid_composition breeding genomic_selection scheme well furthering understanding technological processing aspect cow milk', 'mastitis infectious_disease mammary_gland lead reduced milk_production change milk composition complement component play major role central molecule complement cascade involving killing microorganism either directly cooperation phagocytic cell cdna isolated egyptian buffalo_cattle sequenced characterized the cdna_sequence buffalo_cattle consist respectively buffalo_cattle cdna share sequence identity the open_reading frame buffalo encodes putative protein amino includes functional domain further analysis cdna_sequence detected six novel polymorphism snp buffalo three novel snp cattle the association analysis detected snp milk somatic_cell score indicator mastitis revealed significant association buffalo found substitution exon whereas cattle substitution exon our_finding provide preliminary information contribution polymorphism mastitis_resistance buffalo_cattle', 'the number functional_teat important selection criterion pig breeding inherited defect udder inverted_teat considerable negative_impact nursing ability_sow investigate genetic background defect number functional_teat swedish maternal line sample yorkshire_pig selected genotyping using beadchip_illumina pig least_one inverted_teat matched one pig fullsib pair matching herd gender association study pig performed_using approach_implemented genabel using single_nucleotide polymorphism across autosome chromosome number significant region identified inverted_teat defect chromosome many region associated number functional_teat located_close region except two associated marker chromosome one chromosome identified region chromosome previously_reported one linkage one gene expression study conclude despite able suggest new candidate_gene study_needed better_understand biologic background teat development despite comparison identified region inverted_teat defect done study required allow clear identification genetic region relevant defect across many pig population', 'background the majority chicken africa indigenous ecotypes well adapted local environment raised scavenging production_system although generally resilient disease challenge routine vaccination biosecurity measure rarely applied infectious_disease remain major cause mortality reduced productivity management genetic_improvement programme hampered lack routine data recording selective_breeding based genomic technology may provide mean enhance sustainability study investigated genetic_architecture antibody_response four major infectious_disease infectious bursal disease ibdv marek_disease mdv fowl_typhoid fowl cholera resistance eimeria cestode parasitism along two production trait body_weight body condition score bcs two distinct indigenous ethiopian chicken_ecotypes conducted variance_component analysis association study pathway selective_sweep analysis result the large majority bird found antibody_titre pathogen infected parasite suggesting almost universal exposure derived significant moderate_high heritabilities ibdv mdv antibody_titre cestode infestation body_weight bcs identified single_nucleotide polymorphism snp significance trait based association identified trait pathway network functional gene cluster include plausible_candidate gene selective_sweep analysis_revealed locus chromosome associated viral antibody_titre resistance eimeria parasitism within positive selection signal found significant genetic_correlation production immune disease trait implying selection altered antibody_response disease_resistance affect production conclusion confirmed presence genetic_variability identified snp significantly_associated immune disease production trait indigenous village chicken result underpin feasibility concomitant genetic_improvement enhanced antibody_response resistance parasitism productivity within across indigenous_chicken ecotypes', 'background western world bovine milk product important protein source human diet the major protein bovine milk four casein two whey_protein shown amount specific isoforms including modification ptm influence technological_property milk therefore aim_study estimate genetic_parameter individual protein danish_holstein danish_jersey milk detect genomic_region associated specific milk_protein different ptm_form using association study_gwas approach result for high_heritability estimate found protein_percentage casein percentage for high_heritability estimate found protein_percentage casein percentage the heritability higher compared whereas heritability lower compared whereas higher compared the gwas result main milk_protein line earlier published however showed snp specifically regulating some snp assigned casein protein_kinase gene prkcq conclusion the genetic analysis major milk_protein ptm_form revealed heritable genomic_region specific glycosylation detected furthermore genomic_region major milk_protein confirmed region casein cluster peap important region influencing protein composition milk the result study provide confidence possible breed specific milk_protein including different ptm_form', 'objective the_aim study identify single_nucleotide polymorphism snp gene related pig imf estimate_heritability intramuscular_fat content_imf method association study_gwas inbred berkshire performed imf consider inbreeding among sample association snp imf tested random effect mixed_linear model using genetic relationship_matrix gemma significant gene compared reported pig imf quantitative_trait locus qtl region functional classification identified gene also performed heritability imf estimated gcta tool result total snp found significant cutoff significant snp annotated across gene twenty five gene pig imf qtl region bone_morphogenetic endothelial cell regulator forkhead box protein ectodysplasin receptor ring finger protein cluster differentiation phosphatase type sry sex determining region myc macrophage migration inhibitory factor related protein_kinase pathway regulates differentiation adipocytes these gene gene mapped qtls could candidate_gene affecting imf heritability imf estimated relatively high suggesting considerable portion total variance imf explained snp information conclusion_our result contribute breeding pig better imf therefore producing pork better sensory quality', 'sequencing_technology increased ability detect sequence variation complex trait improvement high_throughput genome_wide gb method used generate single_nucleotide polymorphism snp snp call_rate minor_allele frequency used genome_wide association study_gwas milk trait canadian_holstein cow gwas accomplished mixed_linear model procedure implementing additive_dominant model strong signal within centromeric_region bovine_chromosome associated test day fat_percentage several snp associated eicosapentaenoic acid docosapentaenoic_acid arachidonic acid gamma linolenic acid most significant snp trait studied novel located intergenic_region intron gene novel potential candidate_gene milk trait mammary_gland function include tonsl mecr ache fuk evl fto our study demonstrates utility gb approach identifying snp use improvement complex dairy trait', 'the possibility using genetic control_strategy increase disease_resistance infectious_disease relies identification marker include breeding plan possible incomplete exposure control animal however major issue find relevant marker genetic association study infectious_disease usually design based elite dairy sire used association study epidemiological strategy based cow repeatedly could alternative disease trait test_hypothesis genetic association result obtained present_work cohort italian_holstein cow tested mastitis time compared_previous scan italian_holstein sire genotyped single_nucleotide polymorphism estimated_breeding value somatic_cell count sccs bos_taurus autosome total cow selected approach combination herd level scc incidence within herd individual level scc the association study conducted nine previously identified marker six four using statistical environment function genabel_package adjusted linear score binomial trait the result obtained cow cohort selected epidemiological information agreement obtained previous sire association study_gwas six nine marker showed_significant association four two most importantly using mastitis case study current_work validated alternative use historical field disease data design genetic analysis infectious_disease livestock', 'background association study_gwas extensively used identify_genomic region associated variety phenotypic trait pig until gwas explored association model here conducted gwas nine fatness growth trait pig four diverse population including white_duroc erhualian_intercross population chinese_sutai laiwu erhualian population result identified chromosomal_region associated nine trait including four significant single_nucleotide polymorphism snp ssc sus_scrofa chromosome compared gwas le powerful identification snp effect powerful detection snp effect analysis reduced power_detect snp significantly enhanced power identify common snp across trait the snp pleiotropic_effect nine trait erhualian population another pleiotropic snp observed sscx trait sutai population both shared snp identified study thus reflecting complex genetic_architecture pig growth_fatness trait conclusion demonstrate method multiple population used increase_power gwas the two significant snp pleiotropic_effect erhualian sutai population', 'because priority industry identify subfertile bull predictive model allowed prediction bull low fertility implemented based seminological motility parameter dna status assessed dna fragmentation_index dfi tunel assay using sperm bull four batch per bull selected based vivo estimated relative conception_rate ercr thereafter sperm quality male_fertility trait bull explored gwas using_illumina chip_after data editing bull snp retained gwas snp false_discovery rate four snp located significantly_associated bonferroni sperm parameter dfi tunel other snp interest potential association tunel found chromosome association vivo bull fertility already_reported further suggestive snp sperm membrane integrity located chromosome qtl study previously_reported association sperm quality trait suggestive snp ercr found vicinity site already associated vivo bull fertility additional snp associated ercr sperm kinetic parameter also identified contrast gwas fertility trait bovine spermatozoon reported significant snp located btx identified snp interest sexual chromosome', 'comprehensive systematic view genetic regulation lipid_metabolism gene still lacking pig herewith investigated genetic regulation porcine gene crucial_role uptake transport synthesis catabolism lipid with aim performed expression qtl eqtl scan pig available genotype illumina_porcine chip microarray measurement gene expression gluteus_medius muscle analysis data gemma_software revealed modulating expression locus gene regulated eqtl participated wide array lipid_metabolism pathway fatty_acid lipid_biosynthesis lipolysis fatty_acid activation desaturation lipoprotein uptake apolipoprotein assembly cholesterol trafficking these data provide first picture genetic regulation locus involved porcine lipid_metabolism', 'the virginia chicken line_divergently selected juvenile body_weight generation today line show difference selected trait body_weight these line provide unique opportunity study genetic_architecture selection previously several quantitative_trait locus qtl contributing weight difference line mapped later replicated advanced_intercross here explore possibility increase resolution qtl via imputation strategy aim better capture genetic_diversity divergently_selected outbred founder line the founder intercross genotyped imputation used assign genotype throughout pedigree imputation increased marker_density selected qtl providing marker subsequent analysis both association analysis used explore region associated body_weight the approach revealed several statistically population structure independent association increased mapping_resolution further qtl also found contain multiple independent association marker fixed founder population implying complex underlying architecture due combined effect multiple linked locus perhaps located independent haplotype still segregate selected line', 'inhibitor myod family transcription modulator bind myod family_member inhibits transcriptional_activity highly_expressed sclerotome play_important role patterning somite early development study polymorphism bovine gene detected polymerase_chain stranded conformational_polymorphism dna_pool sequencing method individual three chinese cattle breed the result showed locus two novel complete linked single_nucleotide polymorphism resulting missense_mutation agc ggc synonymous_mutation cat cac respectively locus novel snp resulted nonsense mutation tgc tga the statistical_analysis indicated three snp associated phenotypic trait luxi_qinchuan jiaxian cattle population the variant superior growth trait heterozygote diplotype associated higher growth trait compared homozygote our_result provide_evidence polymorphism gene associated growth trait may used selection beef_cattle breeding_program', 'the_objective study compare mapping_precision power multibreed association study_gwas compare result obtained multibreed_gwas method the multibreed_gwas expected improve mapping_precision compared gwas linkage_disequilibrium conserved shorter distance across breed within breed the multibreed_gwas also expected increase detection_power quantitative_trait locus qtl segregating across breed gwas_performed production trait dairy_cattle using_imputed full genome_sequence bull originating french danish dairy_cattle population our_result show multibreed_gwas valuable_tool detection fine_mapping quantitative_trait locus the number qtl detected multibreed_gwas larger number detected gwas indicating increase_power especially holstein population combined the largest_number qtl detected population combined the analysis combining breed however dominated holstein qtl segregating breed holstein sometimes overshadowed larger qtl segregating holstein therefore gwas combining breed except holstein useful detect peak combining breed except holstein resulted smaller qtl interval average outcome case holstein population included analysis although decrease average qtl size observed mapping_precision improve several qtl out different multibreed method weighted model resulted similar result full multibreed_gwas useful alternative full multibreed_gwas difference multibreed_gwas larger different breed combined holstein population combined', 'over last_decade several genetic disorder discovered cattle however genetic background disorder calf le reported recently german cattle farmer reported calf specific mating chronic diarrhea retarded growth unknown etiology affected_calf respond medical treatment died within first month life these calf underdeveloped weight showed progressive severe emaciation despite normal feed_intake hallmark finding blood biochemical analysis pronounced hypocholesterolemia deficiency vitamin result clinical blood biochemical examination striking similarity finding reported human hypobetalipoproteinemia postmortem examination revealed atrophy body fat reserve including spinal canal bone marrow identify_causal region performed association study affected control animal genotyped_illumina beadchip_illumina san_diego revealing strong association signal bta subsequent autozygosity mapping identified haplotype_encompassing the segment extended homozygosity contains transcript among gene apob causal cholesterol disorder human however result variant calling affected_unaffected animal detect putative causal_mutation the haplotype important adverse effect calf_mortality homozygous state comparing survival_rate risk mating mating blood cholesterol value animal significantly_associated carrier status indicating codominant inheritance the frequency haplotype current holstein population estimated this_study describes identification phenotypic manifestation new holstein haplotype characterized pronounced hypocholesterolemia chronic emaciation growth retardation increased mortality young cattle denominated cholesterol deficiency haplotype our genomic investigation phenotypic examination provide additional evidence mutation within apob_gene causing cholesterol deficiency holstein_cattle', 'the_objective study estimate allele_frequency snp cast gene different genetic group beef_cattle produced brazil nellore cross bos_taurus evaluate association polymorphism meat trait five_hundred animal six different genetic group genotyped phenotyped shear_force myofibrillar fragmentation_index mfi rib_eye area backfat_thickness total lipid allele snp detected genetic group frequency higher significant association observed polymorphism meat_tenderness mfi genotype exhibited best value these_result demonstrate first_time occurrence studied snp zebu breed potential_application genetic_improvement meat_tenderness nellore breed bos_indicus cross bos_taurus', 'brazil one largest beef producer exporter world nelore breed representing vast majority brazilian cattle bos_taurus indicus despite great adaptability nelore breed tropical climate meat_tenderness remains improved several factor including genetic composition influence article report analysis copy_number variation cnv inferred high_density data nelore population male detected cnv region cnvrs representing genome comparing result previous_study revealed overlap cnvrs total cnvrs_overlapped gene they enriched process involving guanosine triphosphate gtp previously_reported influence skeletal_muscle physiology morphology nelore cnvrs also overlapped qtls reported breed cnvrs previous_study population cnvrs two cnvrs also proximal glutathione metabolism gene previously associated association study state estimated_breeding value derived meat shear_force identified region including region contains gene camp cgmp pathway ten cnvrs_overlapped region associated successfully validated qpcr our_result represent first comprehensive cnv study bos_taurus indicus cattle identify region copy_number change potentially importance phenotype', 'identification genetic variant associated foot leg disorder fld aid genetic_improvement trait providing knowledge gene influence trait variation denmark fld cattle recorded since report used deregressed breeding_value response_variable association study bull danish_holstein nordic_red dairy_cattle danish_jersey deregressed_estimated breeding_value genotyped_illumina bovine single_nucleotide polymorphism snp genotyping_array genotype imputed_sequence variant snp autosome used association analysis modified linear approach efficient association expedited emmax linear_mixed model used association analysis identified snp snp quantitative_trait locus qtl region associated fld index danish_holstein nordic_red dairy_cattle danish_jersey population respectively identify qtl common among breed breed qtl region significant additional qtl region identified compared analysis comparison top snp location within qtl region known gene suggested lcorl mo mitf may candidate_gene fld dairy_cattle', 'background clinical_mastitis inflammation mammary_gland cause significant cost dairy production unfavourably genetically_correlated milk_production thus knowledge mechanism_underlie trait would valuable improve simultaneously breeding quantitative_trait locus qtl affect clinical_mastitis milk_production recently around bovine_chromosome identification gene underlies qtl possible due strong_linkage disequilibrium single_nucleotide polymorphism snp within region our_aim identify gene possible causal polymorphism responsible qtl association analysis snp imputed_full sequence_data combination analysis transcript protein level identified candidate_gene result association snp studied trait strongest snp located_within immediately upstream component gene this gene_encodes vitamin protein dbp multiple role immune defense milk_production duplication identified downstream gene covered last exon segregated qtl allele associated increased mastitis_susceptibility milk_production however analysis mrna_level available sample revealed difference expression animal lacking duplication moreover detected difference concentration dbp ligand vitamin animal different genotype available study conclusion_our result_suggest gene underlies qtl clinical_mastitis milk_production however since healthy animal sampled transcription expression analysis could draw final conclusion absence quantitative difference animal different genotype future study_investigate rna expression protein level cow different genotype infection', 'improving lactation persistency dairy_cattle beneficial effect animal health fertility herd productivity complex trait reflects cow ability maintain milk secretion activity lactation peak also function postcalving development mammary_gland later tissue_remodeling lactation decline this decline consequence imbalance cell_proliferation cell removal previous_study single_nucleotide polymorphism identified osteopontin_opn gene osteopontin multifaceted protein play_important role immune regulation tissue_remodeling because opn involved involution might also effect the_objective present_study evaluate whether could influenced genetic_variation gene this association analyzed population bull characterized previous_study the population mean estimated_breeding value_ebv unit allele genotype association analysis performed comparing frequency different genotype allele ebv respective lactation using logistic_regression the ebv first lactation second lactation third lactation overall lactation olp reported genotype the first single_nucleotide polymorphism affected olp analysis estimated average allele_substitution effect also confirmed favorable_allele given gain observed olp difference ebv observed animal different haplotype olp contrast analysis olp revealed mean ebv greater block animal the gain block gcga suggests presence favorable_allele first position block the pleiotropic role opn position crossroad immune regulation tissue_remodeling involution from genetic perspective data present_study suggest opn candidate_gene associated dairy_cow', 'objective whole_genome association study conducted_identify single_nucleotide polymorphism snp additive_dominant effect growth_carcass trait korean_native cattle hanwoo method the data_set comprised sire hanwoo_steer born spring fall the steer genotyped snp embedded illumina_bovine snp beadchip six growth_carcass quality trait measured steer series test model_applied classify gene expression_pattern additive_dominant result total snp detected chromosome genome wise level weaning_weight wwt yearling_weight ywt carcass_weight cwt backfat_thickness bft longissimus_dorsi muscle_area lma marbling_score respectively among significant snp snp additive_effect snp dominance_effect snp additive_dominance effect suggesting dominance inheritance mode considered genetic_improvement growth_carcass quality hanwoo the significant snp located quantitative_trait locus qtl region bos_taurus chromosome bta detected there strong_evidence key chromosome affecting cwt also key chromosome almost trait measured wwt ywt lma conclusion the application various additive_dominance snp model enabled better characterization snp inheritance mode growth_carcass quality trait hanwoo many detected snp qtl dominance_effect suggesting dominance considered snp data implementation successive molecular breeding_scheme hanwoo', 'ketosis one frequently reported metabolic health event dairy_herd several genetic analysis ketosis_dairy cattle conducted however focused specifically jersey_cattle the_objective research included estimating variance_component susceptibility_ketosis identification genomic_region associated ketosis jersey_cattle voluntary health event data related ketosis available dairy record management_system raleigh standardization implemented account various acronym used producer designate incidence ketosis event restricted first reported incidence within calving_first fifth parity after editing total record_cow total genotyped animal used genomic analysis using marker because binary nature trait threshold animal model_fitted using version using pedigree_information genomic information incorporated using genomic_blup approach individual single_nucleotide polymorphism snp effect proportion_variance explained window calculated using version heritability susceptibility_ketosis standard_deviation genomic analysis respectively the marker largest associated effect located chromosome mbp the window_explaining largest_proportion variance located chromosome beginning mbp gene_ontology medical subject heading mesh enrichment_analysis identified several overrepresented process term related immune_function our_result indicate genetic component related ketosis susceptibility jersey_cattle genetic selection improved resistance ketosis feasible', 'exploring dominance variance locus contributing dominance variation important understand_genetic architecture behind quantitative_trait the_objective study estimate dominance variance detect_quantitative trait locus qtl dominant effect iii evaluate power precision identifying locus dominance_effect simulation application female_fertility danish_holstein cattle the female_fertility record analyzed number_insemination nins day calving_first insemination icf day first last_insemination ifl covering ability recycle get pregnant female_reproductive cycle there heifer cow female_fertility record illumina_beadchip genotype single_nucleotide polymorphism snp quality_control genomic_best linear_unbiased prediction_blup model used_estimate additive_dominance genetic_variance linear_mixed model used association analysis simulation study performed_using genotyped heifer data heifer estimate dominance genetic_variance female_fertility trait larger additive_genetic variance large standard error the variance_component fertility trait cow could estimated due statistical_model total five qtl located chromosome qtl identified showed additive_dominance genetic effect among snp chromosome close previously identified qtl nordic_holstein interval first last_insemination this snp located untranslated_region gene peptidylprolyl isomerase like shown associated milk_production trait holstein_cattle known_function simulation indicated current sample_size limited_power detect qtl dominance_effect female_fertility probably due_low qtl variance more female need genotyped achieve reliable mapping qtl dominance_effect female_fertility', 'endocrine_fertility trait defined progesterone concentration level milk interesting indicator dairy_cow fertility directly reflect cow reproductive_physiology classical_fertility trait biased farm management decision the_aim study detect_quantitative trait locus qtl endocrine_fertility trait dairy_cow performing association study single_nucleotide polymorphism snp targeted qtl region using_imputed sequence_variant two classical_fertility trait also analyzed qtl snp the association snp phenotype assessed regression snp using linear_mixed model included random_polygenic effect total holstein_friesian cow lactation phenotype genotype used association analysis heritability_estimate ranged endocrine_fertility trait classical_fertility trait the association study identified qtl region endocrine_fertility trait bos_taurus autosome_bta the highest number qtl region association study identified endocrine trait proportion sample luteal activity overlapping qtl region found endocrine trait bta for classical trait calving_first service qtl region identified bta overlapping region identified bta endocrine trait target region endocrine trait bta using_imputed sequence_variant confirmed qtl association study identified several associated variant contribute index marker genetic_improvement fertility several potential candidate_gene underlying endocrine_fertility trait also identified target region discussed however due high linkage_disequilibrium possible specify gene polymorphism causal factor region', 'meat_quality trait increasing importance pig_industry strong impact consumer_acceptance herewith combined phenotypic microarray expression data map locus potential effect five meat_quality trait recorded longissimus_dorsi gluteus_medius muscle duroc_pig hour electric conductivity muscle redness lightness yellowness found significant association several additional region significantly_associated meat_quality trait level there low positional_concordance association found trait feature reflects existence difference genetic_determinism meat_quality phenotype two muscle the performance eqtl search snp mapping region associated meat_quality trait demonstrated qtl display positional_concordance regulating expression several gene potential role muscle metabolism', 'the_objective study_investigate association single_nucleotide polymorphism snp birth_weight weight_gain birth_weaning weaning_yearling yearling_height cow weight nelore_cattle data animal participating deltagen paint breeding_program used the animal genotyped panel snp illumina_bovinehd beadchip snp remained quality_control analysis genomic data association study performed_using methodology the analysis processed family program when applied association study gblup_methodology iterative process estimate weight snp the weight snp included analysis iteratively applying gblup_methodology repeated twice effect snp effect animal recalculated order increase weight snp large effect reduce weight small effect the association result reported based proportion_variance explained window_adjacent snp considering two iteration window additive_genetic variance presented result association observed birth_weight bta weight_gain birth_weaning bta weight_gain weaning_yearling bta yearling_height bta showing gene transmembrane protein associated birth_weight yearling_height kell blood group complex family_member associated birth_weight natriuretic peptide receptor associated yearling_height regenerating associated weight_gain weaning_yearling these gene play_important role feed_intake weight_gain regulation skeletal growth', 'mastitis common expensive disease dairy_cow implies significant loss dairy_industry worldwide many effort made improve genetic mastitis_resistance dairy population low_heritability trait made process effective desired the_purpose study identify_genomic region explaining genetic_variation somatic_cell count using copy_number variation cnvs marker holstein population genotyped_illumina bovinehd_beadchip found copy_number variation region significantly_associated estimated_breeding value somatic_cell score using svs software respectively the association analysis performed two software allowed_identification candidate_gene tert pparα abo rela dbh fasn result classified functional cluster these gene also part two gene network whose gene share death response term combining cnv analysis based two different algorithm help towards complete identification gene linked phenotypic_variation somatic_cell count', 'male_piglet routinely castrated eliminate boar_taint however treatment undesirable alternative approach including genetic strategy reduce boar_taint demanded androstenone one causative_agent boar_taint qtl region affecting pheromone previously_reported duroc the qtl region one reported androstenone simultaneously affect level sex steroid the main_objective study fine_map qtl whole_genome sequence_data norwegian duroc_boar analyzed detect new polymorphism within qtl region subset snp genotyped duroc sire analyzed association androstenone adipose_tissue testosterone estrone sulphate blood plasma our_result revealed snp significantly_associated androstenone_level fat snp strong_linkage disequilibrium region this haplotype_block contains least four positional_candidate gene involved androstenone biosynthesis significant association found snp level testosterone estrogen confirming previous_finding the amount_phenotypic variance_explained single snp within haplotype_block high snp region significantly affect level androstenone without affecting level sex steroid especially interesting genetic marker selection boar_taint', 'connecting association study_gwas biological_mechanism underlying_complex trait major challenge mastitis_resistance milk_production complex trait economic_importance dairy sector associated infection imi here integrated data holstein_cattle gwas data three dairy_cattle breed holstein_nordic red_cattle jersey explore_genetic basis mastitis_resistance milk_production using analysis genomic feature linear_mixed model gene responsive imi mammary_gland preferentially enriched genetic variant associated mastitis_resistance rather milk_production response gene liver mainly enriched variant associated mastitis_resistance early time_point whereas responsive gene later stage enriched associated variant milk_production the gene enriched associated variant mastitis_resistance milk_production respectively the pattern consistent_across breed indicating different breed shared similarity genetic_basis trait our approach provide framework integrating multiple layer data understand_genetic architecture_underlying complex trait', 'harmful recessive haplotype reproductive fertility trait previously detected cattle far study published pig the_aim study locate chromosomal_region putative_lethal haplotype estimate effect identified haplotype reproductive trait finnish_yorkshire pig breed used marker genotype finnish_yorkshire boar genotyped_illumina beadchip the analysed trait number_stillborn piglet first_later parity total number_piglet born first_later parity piglet mortality birth_weaning first_later parity haplotype claimed putative_lethal common population homozygous animal found detected altogether putative_lethal haplotype one haplotype chromosome position significantly_associated trait three possible candidate_gene found chromosomal_region further analysis needed_confirm role gene pig reproductive_performance', 'prevalence swine respiratory_disease cause poor growth performance serious_economic loss swine_industry study categorical trait enzootic epl_score representing infection gradient respiratory_disease likely enzootic pneumonia recorded herd chinese_erhualian pig according epl_score disease effect weight_gain pig grouped control epl_score case epl_score the weight_gain case group reduced significantly day compared control group the heritability epl_score estimated based pedigree_information using linear_mixed model all erhualian_pig nine sire parent_genotyped illumina_porcine snp_chip two association study performed generalized_linear mixed_model model respectively total five locus surpassed suggestive_significance level chromosome kit highlighted candidate_gene might_play important_role determining swine respiratory_disease the finding_advance understanding_genetic basis respiratory_disease pig', 'the chinese_erhualian pig highest record litter_size world however genetic_mechanism high_prolificacy remains poorly_understood study large phenotypic_variation litter_size found among erhualian sow significant difference total number_born tnb corpus_lutea number observed sow high_low estimated_breeding value_ebv tnb identify single_nucleotide polymorphism snp associated tnb selective genomic scan_conducted sow representing top sow representing bottom ebv sow using_illumina porcine genotype data fixation coefficient fst value calculated snp group total snp significantly differentiated locus two group top highest_fst snp ssc corresponded previously_reported qtl litter_size the five snp appeared novel qtl tnb significant association tnb confirmed erhualian sow forty gene identified around top highest_fst snp adjacent cltc adjacent reported affect ovulation_rate pig the finding_advance understanding_genetic variation litter_size pig', 'carcass trait beef_cattle genetically improved increase yield high quality meat association study_gwas powerful method identify genetic variant associated carcass trait for genotyped snp chinese simmental cattle used compressed_mixed linear_model cmlm perform_association study knuckle biceps shank beef carcass trait seventeen significantly_associated snp found located interestingly one pleiotropic quantitative_trait nucleotide_qtn named within gene region found govern variation knuckle biceps shank trait the qtn accounted_phenotypic variance biceps addition snp distributed detected associated carcass trait', 'protected designation origin ham important production italian_heavy pig_industry ham capable minimal seasoning loss produce better quality ham ham_weight loss first day brine first salting highly_correlated total loss weight end seasoning quite high_heritability for reason ham_weight loss first salting included meat_quality trait italian_heavy pig selection_program work carried association study parameter italian_large white pig breed genotyping animal illumina_beadchip chip total single_nucleotide polymorphism snp pnominal value five one chromosome associated trait pbonferroni threshold these snp identified total least putative qtls located porcine autosomal_chromosome this_study provides genomic information could_useful dissecting complex trait identifying potential candidate_gene whose function could contribute understanding_biological mechanism affecting meat_quality seasoning aptitude', 'the_aim study determine extent linkage_disequilibrium genome nellore_cattle examine association single_nucleotide polymorphism snp age_first calving afc early pregnancy using panel snp data nellore female total contemporary group used consisting farm season year_birth for association analysis snp minor_allele frequency_maf animal call_rate excluded totaling snp for statistical_analysis linear_model used afc threshold model estimate significance association two trait model included categorical fixed_effect snp sire addition polygenic_effect included analysis the additive_effect dominance_deviation significant snp afc estimated using orthogonal contrast the average estimate autosome distance mean maf the decreased distance marker increased eleven significant association detected seven different chromosome seven snp associated afc four associated three snp significant trait the identification snp associated afc may_contribute selecting sexually precocious animal', 'interleukin proinflammatory chemokine involved neutrophil recruitment activation response_infection also resolution inflammation our previous_study identified number genetic polymorphism bovine promoter_region segregate two haplotype balanced_frequency subsequently showed haplotype confer divergent activity_vitro mammary epithelial_cell vivo response lp study hypothesised balanced_frequency haplotype could explained divergent selection_pressure acting locus address hypothesis association study carried aiming identify putative link haplotype somatic_cell score_sc dairy_cow addition basal inducible promoter_activity two haplotype characterised bovine endometrial epithelial bend_cell macrophage result showed_significant association haplotype increased sc functional analysis showed haplotype potent inducer expression bend_cell response lp tnfα stimulation contrast bend_cell dna construct encoding bovine herpesvirus antigen induced significantly_higher expression the present_study shed_light molecular_mechanism underlying selection sc provides_evidence balanced_frequency two haplotype cattle may occur result opposing directional selection_pressure bacterial viral infection', 'growth fat_deposition important economic trait due influence production pig study dataset pig snp genotyped sequencing gb used_conduct gwas regression_method identify snp associated body_weight backfat_thickness bft search candidate_gene landrace_yorkshire pig total significant snp associated body_weight bft respectively region snp body_weight snp bft locus region gap two snp located gene gene play_important role pigmentation two snp located found overlap weight bft however candidate_gene found region addition based significant snp two positional_candidate gene cadps proposed influence weight conclusion first study report using gb data identify significant snp weight bft total four particularly interesting snp one potential candidate_gene found trait domestic pig this_study improves knowledge better_understand complex genetic_architecture weight bft validation study candidate locus gene recommended pig', 'association study_gwas convenient strategy genetic analysis successful detecting association number polymorphism snp quantitative_trait however analysis individual snp account small proportion genetic_variation offer limited knowledge complex trait this inadequacy may overcome employing gwas analytic approach considered complementary association analysis here_performed initial gwas bone weight meat value total snp simmental cattle additionally cattle gene collected ensembl gene database analyzed find supplementary evidence support importance association study result single association study showed snp significantly_associated bone weight two snp associated meat value interestingly snp located gene detected association study', 'osteochondrosis injury cartilage canal following necrosis growth cartilage develop osteochondrosis_dissecans ocd due high impact equine_industry new_insight predisposing factor potential genetic variant warranted this article review advancement quantitative molecular genetics refining estimation genetic_parameter identifying predisposing genetic locus heritabilities highest hock estimate hanoverian_warmblood norwegian trotter whereas thoroughbred low genetic_variation seemed present hock lesion whole_genome scan using_illumina equine_beadchip performed thoroughbred standardbred french norwegian trotter hanoverian dutch warmblood validation study spanish_purebred hanoverian_warmblood horse corroborated risk locus eca particularly strong association found single_nucleotide polymorphism snp horse chromosome_eca upstream_lcorl gene gene expression microrna analysis may helpful understand pathophysiological process equine connect genomic_region potential candidate_gene furthermore progress elucidating underlying genetic variant pathophysiological change may expected whole_genome dna rna_sequencing study', 'this_study conducted determine relationship five intragenic single_nucleotide polymorphism snp marker protein_kinase adenosine subunit fatty_acid synthase_fasn calpastatin_cast high_mobility group receptor meat_quality trait duroc breeding stock korea total purebred_duroc gilt sire_dam pig breeding farm reaching market weight slaughtered_carcass chilled overnight longissimus_dorsi muscle removed carcass slaughter used determine pork property including carcass_weight backfat_thickness moisture intramuscular_fat shear_force redness texture fatty_acid composition the fasn cast gene snp significantly_associated meat_quality trait the meat genotype higher redness texture genotype meat fasn genotype higher backfat_thickness texture stearic_acid oleic_acid polyunsaturated_fatty acid fasn genotype while carcass cast genotype thicker backfat lower shear_force palmitoleic_acid oleic_acid content higher stearic_acid content cast genotype the genotype involved increasing backfat_thickness carcass_weight moisture saturated_fatty acid_content decreasing unsaturated_fatty acid_content duroc meat these_result indicated five snp marker tested help_select duroc breed improve carcass meat_quality property crossbred pig', 'improvement eating satisfaction benefit consumer increase beef demand interest beef industry tenderness_juiciness flavor major_determinant palatability beef often used reflect eating satisfaction carcass quality used indicator trait meat_quality higher quality_grade carcass expected relate tender palatable meat however meat_quality complex concept determined many component trait making interpretation association study_gwas one component challenging interpret recent approach combining traditional gwas gene network interaction theory could efficient dissecting genetic_architecture complex trait phenotypic measure trait reflecting carcass characteristic component meat_quality along mineral peptide concentration used along illumina_bovine snp genotype derive annotated gene network associated meat_quality angus beef_cattle the efficient_mixed model association emmax approach combination genomic relationship_matrix used directly estimate association snp genotype component trait genomic correlated region identified partial_correlation used along information theory algorithm derive gene network cluster correlated snp across component trait subjected network scoring visualization software identify significant snp significant pathway_implicated meat_quality complex term enrichment_analysis included angiogenesis inflammation transmembrane transporter activity receptor activity these_result suggest network analysis using partial_correlation annotation significant snp reveal genetic_architecture complex trait provide novel information regarding biological_mechanism gene lead complex phenotype like meat_quality nutritional healthfulness value beef improvement genome annotation knowledge gene function contribute comprehensive analysis advance ability dissect complex architecture_complex trait', 'this_study seek verify feasibility increasing twinning herd italian autochtonous maremmana breed the data_set included individual born male_female calving least breeding_value twinning estimated linear animal model however since twinning dichotomous trait frequency twin far smaller frequency single birth breeding_value also estimated animal threshold model heritability twinning linear threshold model respectively repeatability respectively two model genotyping illumina_beadchip performed cow living farm cow association analysis performed corrected phenotype calving lifespan cow using_genabel package three step approach genomic heritability calculated genomic kinship_matrix estimated genomic marker data the significant detected single_nucleotide polymorphism located proximity two gene might potential functional_candidate twinning_rate cattle', 'lactation persistency defined rate declining milk_yield milk peak economically_important trait dairy_cattle improving considered good alternative method increasing overall milk_production cause negative energy_balance health_issue cow experience peak milk_production however_little known biology association study_gwas pathway_enrichment used explore_genetic mechanism_underlying the gwas_performed using univariate regression mixed_linear model data cow single_nucleotide polymorphism snp eight snp significantly suggestively_associated respectively the important quantitative_trait locus region region bos_taurus autosome_bta significant snp located also formed linkage_disequilibrium block snp region bta contained significant snp based physical position potential candidate_gene significant snp located intronic region enrichment_analysis list gene flanking_region significant suggestive snp indicates synthesis milk component regulation cell apoptosis process insulin prolactin signaling_pathway important upstream regulator relevant positional_candidate gene prolactin_prl peroxisome_receptor gamma pparg receptor tyrosine kinase several network related cellular development proliferation death significantly_enriched positional_candidate gene conclusion study detected several snp gene interesting region fine_mapping validation candidate_gene snp potential use_selection improved this_study also provided insight biology help prioritize selected candidate_gene functional validation application', 'background milk content interest associated nutritional manufacturing property known milk content strongly affected genetic factor cattle genetic difference associated chromosomal_region contains gene the_aim study characterize region using snp data bovinehdbeadchip perform_association study statistical approach developed build haplotype capture genetic_variation associated genomic_region result the snp significant effect content one causal_mutation responsible protein variant haplotype based selected lead snp clustered group different effect content four different group identified suggesting variant refined conclusion_this study showed protein variant explain genetic_variation associated tail part region contains one mutation effect content these_finding used selection cow higher cheese_yield desirable dairy_industry', 'heat_stress represents key factor negatively_affect productive reproductive_performance farm_animal present_work new measure tolerance heat_stress dairy_cattle developed using principal_component analysis data record milk_yield fat protein_percentage somatic_cell score italian_holstein cow record adjusted main systematic factor grouped index thi class daughter trait deviation dtd calculated bull mean adjusted record thi class principal_component analysis performed dtd bull the first principal_component explained total variance system across trait the first measure level curve located interpreted measure level dtd curve located the second show slope increasing decrease dtd curve synthesized behavior dtd pattern heritability component score moderate_high level across trait range low_moderate slope range for trait phenotypic genetic_correlation level_slope equal zero association analysis carried subsample bull genotyped_illumina bovine bead_chip illumina_san diego two single_nucleotide polymorphism significantly_associated slope milk_yield level fat_percentage level_slope protein_percentage respectively the gene discovery carried considering window surrounding significant marker highlighted interesting_candidate gene some already associated mechanism heat_tolerance heat shock transcription_factor carrier protein transacylase mcat the able describe overall level_slope response milk_production trait across increasing level thi index moreover exhibited genetic_variability genetically uncorrelated these feature suggest use measure thermotolerance dairy_cattle breeding_scheme', 'the_aim work better_understand genetic_mechanism determining two complex trait affecting porcine meat_quality intramuscular_fat imf_content fatty_acid composition with purpose expression association study egwas gene associated meat_quality trait swine muscle longissimus_dorsi iberian_landrace backcross animal performed the egwas identified snp associated gene crot fo mgll ppara three expression quantitative_trait locus eqtls mgll identified showing effect whereas eqtls trans regulatory effect polymorphism promoter_region associated expression identified addition strong candidate_gene regulating fo ppara gene expression also seen notably analysis highlighted transcription_factor strong candidate_gene involved_regulation gene analysed finally mgll gene identified potential regulator within qtls fatness growth trait ibmap population the result obtained increase knowledge functional regulatory_mechanism involved complex trait', 'bovine leukemia virus blv causative_agent enzootic bovine leukosis malignant cell lymphoma spread worldwide cause serious problem cattle industry the blv_proviral load represents blv genome integrated host genome useful index estimating disease progression transmission risk here conducted association study identify single_nucleotide polymorphism snp associated blv_proviral load japanese_black cattle the study examined cattle high proviral_load low proviral_load three snp showed_significant association proviral_load one snp detected gene chromosome two linkage_disequilibrium detected bovine major_histocompatibility complex region chromosome these_result suggest polymorphism major_histocompatibility complex region affect proviral_load this_first report detect snp associated blv_proviral load japanese_black cattle using whole_genome association study understanding host factor may provide important clue controlling spread blv japanese_black cattle', 'complex trait multiple phenotypic value changing time called longitudinal trait traditional association study_gwas longitudinal trait estimated_breeding value_ebv deregressed_proof drp instead multiple phenotypic measurement per individual frequently treated response_variable statistical_model this result power loss even inflate false_positive rate fprs detection due failure exploring relationship_among measurement aiming overcoming limitation developed two random model functional gwas longitudinal trait could directly use original record response_variable fit quantitative_trait nucleotide_qtn effect simulation study showed method could control fprs increase statistical_power detecting qtn comparison traditional method ebv drps estimated residual considered response_variable besides proposed model also achieved reliable power gene detection implementing two real datasets chinese_holstein cattle data genetic analysis workshop data our study herein offer optimal way enhance power gene detection understand_genetic control developmental_process complex longitudinal trait', 'genotype data_analyzed three line swine express substantial variation sow fertility uncover region genome potentially influenced selection litter_size trait the experimental line examined include nebraska index line nil subjected selection litter_size control line derived population founded nil commercial duroc hampshire population selection litter_size practiced region genome potentially affected selection litter_size trait nil determined multiple line evidence including altered allelic_frequency compared line loss heterozygosity relative extended haplotype homozygosity additionally association study litter_size trait conducted population based nil commercial maternal line genetics several genomic_region identified putative signature_selection overlapped qtl litter_size trait one region located includes candidate_gene play_role implantation sustained release hormone associated reproductive process sequencing identified synonymous snp fixed nil polymorphic nearly equal frequency line indicating_potential role sow fertility these_result suggest data derived line help uncover understand portion genetic_variance associated fertility trait swine', 'association study applied identify useful snp associated complex trait furthermore regional_genomic mapping used_estimate regional variance clarify genomic relationship within outside region previously applied milk trait cattle applied single snp analysis regional_genomic mapping investigate snp region associated milk_yield trait dairy_cattle the breeding_value three trait total yield milk mlk_fat fat protein prt day holstein sire japan analyzed all sire genotyped polymorphism snp marker significant region common three trait identified regional_genomic mapping chromosome bta contrast single snp analysis identified significant snp mlk_fat prt region regional_genomic mapping revealed additional significant region fat identified single snp analysis the additive_effect estimated regional_genomic mapping analysis three trait positively correlated one another however regional_genomic effect obtained using window size snp fat negatively_correlated regional_genomic effect mlk prt the regional effect fat also showed_significant negative_correlation whole genomic effect mlk_fat prt these negative genomic correlation locus consistent negative linkage_disequilibrium expected trait directional selection such antagonistic correlation may hamper fixation fat increasing allele summary regional_genomic mapping found region associated milk_production trait single snp analysis addition existence covariance regional whole genomic effect may_influence detection regional effect antagonistic correlation could hamper fixation major gene intensive_selection', 'objective polymorphism occurring precursor region micrornas_mirnas affect target gene alter biogenesis mirnas resulting phenotypic_variation the_purpose study_investigate genetic effect mutation precursor region economic trait chicken resource_population method explore effect polymorphism chicken economic trait snp genotyped massarray laser flight mass_spectrometry the association snp chicken body_size growth_carcass trait determined linear_mixed model result the snp significantly_associated body_weight age week respectively also breadth chicken chest body_slanting length pelvic breadth_week chest_depth week_age body_slanting length_week respectively conclusion_our data serve_useful resource analysis mirna function represent molecular genetic_basis poultry breeding', 'background earlobe_color naturally artificially selected trait chicken head furnishing trait selected breed characteristic research demonstrated earlobe_color related least three locus however_little work date identify specific genomic_region gene response earlobe_color rhode_island red chicken currently possible identify_genomic region responsible earlobe rhode_island red chicken eliminate gap knowledge using association_gwa analysis result present_study association_gwa analysis conducted explore candidate genomic_region response chicken earlobe_color phenotype hen red dominant white dominant earlobe used analysis illumina snp_array the gwa result showed genomic_region snp chromosome significantly_correlated earlobe_color including sixteen known gene seven anonymous gene the sixteen gene pam rgmb lnpep shb nan clta gne conclusion the study revealed earlobe trait polygenic rhode_island red chicken genome significant region gene found could play_critical role formation earlobe_color especially gene taken_together candidate_gene finding_herein help_elucidate genomic architecture response earlobe provide_new insight mechanism_underlying earlobe_color rhode_island red chicken breed', 'poultry_industry aggressive_behaviour large animal_welfare issue world date little_known underlying_genetics aggressive_behaviour here_performed association study_gwas explore_genetic mechanism associated aggressive_behaviour chicken the gwas result showed total snp associated aggressive_behaviour trait chromosome significantly_associated aggression intron region domain_containing receptor gene addition biological_function analysis nearest gene around significant snp performed ingenuity_pathway analysis interaction_network contained gene obtained involved network interacted nerve growth_factor ngf nerve growth_factor receptor ngfr dopa decarboxylase dopamine after knockdown mrna_level ngf dopamine_receptor gene significantly decreased summary data indicated might_play important_role chicken aggressive_behaviour regulation dopaminergic pathway ngf', 'shank_skin color korean_native chicken knc show large color variation varies white yellow green bluish grey black whilst majority european breed shank typically three shank_skin trait lightness_redness yellowness measured spectrophotometer progeny nuclear family knc resource_population performed genome_scan linkage analysis identify locus affect quantitatively measured shank_skin color trait knc all bird genotyped dna marker located_throughout autosome the solar program used_conduct multipoint quantitative_trait locus qtl analysis detected major qtl affect value logarithm_odds lod gga gallus_gallus location also detected qtl influence value lod additionally dioxygenase obvious positional_candidate gene linkage peak investigated two association test measured genotype association mga quantitative transmission_disequilibrium test qtdt significant association detected pmga pqtdt the strongest_association pmga pqtdt however linkage analysis conditional single_nucleotide polymorphism indicated functional variant exist taken_together demonstrate first_time linkage association locus quantitatively measured shank_skin color trait knc', 'several variant kit mitf_gene previously associated white_marking horse study examined eight variant gene menorca purebred_horse prme black horse spanish_purebred horse pre different coat_colour pattern scored extent white_marking test logistic_regression model ridge regression analysis showed missense_mutation kit associated white facial marking total white_marking prme_horse the relative_contribution variant white_marking prme_horse estimated head total score pre_horse variant also associated hindlimb score relative_contribution the intronic variant located_downstream transcription_start site mitf_gene associated le white_marking forelimb prme_horse relative_contribution whereas pre_horse variant associated white facial marking relative_contribution significant association found variant breed these_result show kit mitf variant involved white_marking pattern prme pre_horse providing breeder opportunity use genetic testing aid breeding desired level white_marking', 'the_aim present_study detect_quantitative trait locus affecting fatty_acid composition back_fat intramuscular_fat duroc_pig population comprising pedigree using association study_gwas total animal genotyped using single_nucleotide polymorphism snp_array five selected snp region containing known candidate_gene related fatty_acid synthesis_metabolism total significant snp region detected trait suggestive snp region detected trait the sus_scrofa chromosome_ssc significantly_associated intramuscular_fat significantly_associated intramuscular_fat the significantly_associated back_fat significantly_associated intramuscular_fat these region replicated previously_reported locus containing candidate_gene involved fatty_acid composition fatty_acid synthase desaturase also included several additional related locus', 'follistatin fst involved hair follicle morphogenesis however effect hair trait clear this_study designed_investigate effect fst gene single_nucleotide polymorphism snp wool quality trait chinese_merino sheep_junken type performed gene expression analysis snp detection association analysis fst gene sheep wool quality trait the analysis showed fst gene differentially_expressed adult skin chinese_merino sheep_junken type suffolk_sheep immunostaining showed fst localized inner root sheath irs matrix hair follicle suffolk_sheep sequencing analysis identified total seven snp termed snp fst gene chinese_merino sheep_junken type association analysis showed chr significantly_associated average wool fiber_diameter wool_fineness wool crimp chr significantly_associated wool_fineness fiber_diameter similarly haplotype derived seven identified snp also significantly_associated average wool fiber_diameter wool_fineness fiber_diameter wool crimp our_result suggest fst influence wool quality trait snp might_useful marker selection sheep breeding', 'the_aim research evaluate polymorphism selected gene find potential effect occurrence osteochondrosis polish warmbloods sport horse breed the study conducted group horse subjected official performance test investigated hock twice end test first_second examination basis degree disease evaluated based result previous_research candidate_gene potentially associated occurrence osteochondrosis selected among polymorphism tested seven snp located cpvl frzb gene found associated occurrence osteochondrotic lesion different joint these intragenic polymorphism seem provide_valuable information genetic_basis osteochondrosis sport horse breed', 'feed_conversion ratio_fcr economically_important trait broiler feed account significant proportion cost involved broiler production explore contribution functional variant fcr trait analyzed coding variant snvs across genome exome sequencing seven pair broiler divergent fcr sequence coverage average depth fourfold identified snvs including coding snvs csnvs experimental_population discovered missense snvs synonymous snvs tsnax ita associated fcr haplotype analysis significant snvs dgkz also observed suggestive_evidence haplotype association fcr fcr association analysis snvs identified newly associated gene fcr region subjected targeted exome sequencing the top seven snvs next evaluated independent replication data_set snv chr replicated collectively detected snvs associated fcr broiler well identification snvs known fcr qtl region these_finding facilitate discovery causative_variant fcr contribute selection', 'this_study designed_investigate genetic_basis growth egg trait dongxiang_chicken white_leghorn chicken study employed reduced representation sequencing approach called genotyping genome reducing sequencing detect snp dongxiang_chicken white_leghorn chicken the dongxiang_chicken breed many specific trait characterized egg black plumage black skin black bone black organ the white_leghorn chicken breed high productivity multibreed association study gwass improve precision due le linkage_disequilibrium across breed multibreed_gwas performed snp identify associated variant underlying growth egg trait within two chicken breed the analysis_revealed snp exhibiting significant association growth egg trait some significant snp located gene known impact growth egg trait nearly half significant snp located gene unclear function chicken knowledge_first multibreed report genetics growth egg trait dongxiang white_leghorn chicken', 'background feather_pecking aggressive pecking laying_hen serious_economic welfare_issue spite extensive research feather_pecking last_decade motivation behavior still clear small_moderate heritability frequently reported trait recently identified several polymorphism snp associated feather_pecking mapping selection_signature two divergent feather_pecking line here_performed association analysis gwas feather_pecking aggressive pecking behavior combined result recent selection_signature experiment linked obtained differential gene expression study method large cross hen generated using divergent_line founder hen phenotyped feather peck delivered fpd aggressive peck delivered apd aggressive peck received apr individual genotyped_illumina chicken infinium iselect chip_after data filtering snp remained analysis gwas_performed using poisson model the result combined selection_signature experiment using fisher combined probability test result numerous significant snp identified trait low false_discovery rate nearly significant snp located cluster spanned maximum included least two significant snp for fpd four cluster identified increased based fpdmeta seven cluster identified apd three apr eight gene investigated gene located fpdmeta cluster significantly brain hen line one gene positional_candidate gene apd may linked monomanine signaling_pathway involved feather_pecking aggressive behavior conclusion combining result gwas selection_signature experiment substantially increased statistical_power the behavioral trait controlled many gene small effect single snp effect large enough justify use_selection', 'bovine milk important human_nutrition fat_content often criticized risk_factor cardiovascular disease selective_breeding program could_used alter fatty_acid composition bovine milk improve healthiness dairy_product human_consumption here_performed association study_gwas bovine milk identify_genomic region specific gene associated profile investigate genetic difference italian_simmental italian_holstein breed achieve first characterized milk sample cow cow fat profile gas_chromatography subject genotyped single_nucleotide polymorphism array regression_model gwas_performed our_finding confirm previously_reported quantitative_trait locus strongly_associated bovine milk fat composition more specifically gwas result revealed significant signal chromosome bos_taurus autosome milk further analysis using approach pathway identified gene underlying quantitative_trait locus milk component fasn scd also significant candidate_gene including functional role pathway related lipid_metabolism highlighted gene related profile include dcxr gpt overall association outcome reflect difference genetic background breed selective_breeding history', 'sheep commercial value consumer prefer food producer care feed_conversion rate however sheep still scientific significance fat tail commonly regarded characteristic environmental adaptability finding candidate_gene associated fat tail formation essential breeding conservation identify candidate_gene applied fst hapflk approach sheep available snp genotype data these two method found overlapped region gene may associated fat tail development gene annotation showed may_play important_role fat tail formation these_finding provide_insight tail fat development guide molecular breeding conservation', 'background although harness_racing high economic_importance global equine_industry significant genomic resource yet applied mapping harness_racing success identify_genomic region associated harness_racing success current_study performs association analysis three racing_performance trait coldblooded trotter using axiom equine genotyping_array result following quality_control horse snp retained analysis after strict bonferroni_correction nine significant snp identified career earnings significant snp identified number gallop best time however four suggestive significant snp identified number gallop identified best time multiple gene related intelligence energy_metabolism immune_function identified potential candidate_gene harness_racing success conclusion apart physiological requirement needed harness_racing horse successful result current_study also advocate learning ability memory important element harness_racing success further exploration mental capacity required horse achieve racing_success likely warranted', 'understanding effect particular gene body parameter productive animal particularly significant process selection the gene transcriptional factor protein delta cebpd_gene involved process growth animal known promising_candidate use genomic marker the structure cebpd_gene locus determined using nimblegen sequencing_technology roche usa the effect polymorphism identified using aforementioned technology investigated ram manych_merino sheep breed single_nucleotide polymorphism snp detected cebpd_gene locus significantly two snp namely identified first_time demonstrated complex linked snp consisting negligible effect body parameter manych_merino sheep animal heterozygous type snp exhibited change solely chest croup width the newly discovered snp proven negative effect live_weight body_size manych_merino sheep sheep heterozygous type snp complex showed increase live_weight dimension compared wild homozygous type consequently snp cebpd_gene locus successfully used marker sheep breeding future_research evaluate influence aforementioned snp slaughter indicator sheep meat production', 'objective the_aim study identify_genomic region gene controlling growth trait pig method using panel single_nucleotide polymorphism snp performed association_gwa study pure yorshire pig four growth trait average_daily gain day fixed random model circulating probability unification method used identify association snp four trait snp annotation performed sus_scrofa data_set ensembl bioinformatics_analysis including gene_ontology analysis pathway analysis network analysis used identify candidate_gene result detected significant suggestive snp identified candidate_gene close_proximity suppressor glucose autophagy mitogen activated protein_kinase kinase phospholipase beta rho gtpase activating protein cytoplasmic polyadenylation element_binding protein gli family zinc_finger neuronal adaptor zinc_finger protein multitype gene_ontology analysis literature mining indicated candidate_gene involved bone muscle fat lung development pathway analysis_revealed participate gonadotropin signaling_pathway suggests two gene contribute growth onset_puberty conclusion_our result_provide new clue understanding_genetic mechanism_underlying growth trait may_help improve trait future_breeding program', 'our previous association study sheep revealed intron camkmt gene significantly_associated gain genomic level herein_performed replication study_investigate single_nucleotide polymorphism snp within camkmt gene exon region utrs association growth trait ujumqin sheep five snp identified dna_pool sequencing_technology exon exon six snp including intron genotyped validation group ujumqin sheep snp classified three genotype the test suggested variation equilibrium except linkage_disequilibrium analysis showed strongly linked association analysis suggested significantly_associated chest_girth month_age exhibited significant correlation body_weight chest_girth month_age body_weight chest_girth chest_width month_age highly associated body_weight chest_girth month_age extremely significantly_associated body_weight chest_girth month_age chest_girth month_age significantly_associated body_weight shin circumference month_age gain association analysis combined effect showed_significant correlation body_weight chest_girth four month_age body_weight chest_girth month_age these_result indicate snp could_used meritorious available genetic marker growth trait breeding camkmt gene may one key candidate_gene affect ujumqin economic trait', 'gastrointestinal_nematode serious cause morbidity_mortality grazing ruminant the major ovine defence mechanism acquired immunity protective immunity developing time response_infection nematode_resistance varies within breed moderately_heritable detailed understanding gene mechanism involved protective immunity factor regulate response required aid future_breeding strategy development effective sustainable nematode control method the_aim study compare abomasal_lymph node transcriptome resistant_susceptible lamb order determine biological_process differentially_expressed resistant_susceptible individual scottish_blackface lamb divergent phenotype resistance challenged teladorsagia_circumcincta larva abomasal_lymph node recovered dpi sequencing cdna abomasal_lymph node used quantitatively sample transcriptome average million read per sample total gene differentially_expressed resistant_susceptible lamb dpi respectively differentially_expressed network biological_process identified using ingenuity_pathway analysis gene involved_inflammatory response attraction lymphocyte binding leukocyte highly_expressed resistant_animal dpi susceptible_animal dpi indicating resistant_animal respond infection earlier susceptible_animal single_nucleotide polymorphism snp within differentially_expressed gene tested association gastrointestinal_nematode resistance scottish_blackface lamb four snp gene alb suggestively_associated faecal_egg count conclusion large number gene differentially_expressed abomasal_lymph node resistant_susceptible lamb responding gastrointestinal_nematode challenge resistant scottish_blackface lamb appear generate earlier immune_response circumcincta susceptible_lamb response appears delayed snp differentially_expressed gene suggestively_associated faecal_egg count indicating differentially_expressed gene may_considered candidate locus mediating nematode_resistance', 'objective trait important economic trait swine_industry however genetic_mechanism trait little_known the_aim study screen candidate_gene molecular_marker associated body_dimension body_weight trait pig method association study_gwas body_dimension body_weight trait performed white intercross illumina_beadchip mixed_linear model used ass association single_nucleotide polymorphism snp phenotype result total snp identified significantly_associated body_dimension trait body_weight respectively all snp located genomic_region quantitative_trait locus qtls autosomal_chromosome sus_scrofa build assembly out qtls suggestive_significance level three qtls exceeded_significance threshold except one sus_scrofa chromosome_ssc reported previously qtls novel addition identified promising_candidate gene including cell division cycle abdominal circumference pleiomorphic adenoma gene neuropeptides receptor body_weight cannon bone circumference phosphoenolpyruvate carboxykinase bone_morphogenetic protein hip circumference conclusion the result demonstrated number potential associated trait pig also laid foundation studying gene role identifying causative_variant underlying locus', 'objective this_study conducted locate_quantitative trait locus qtl influencing fatty_acid composition large intercross landrace korean_native pig method eighteen composition trait measured progeny all_experimental animal genotyped_microsatellite marker located_throughout pig autosome result detected qtls composition forty seven qtls reached significant threshold particular identified cluster highly_significant qtls composition qtl polyunsaturated_fatty acid pig chromosome additive_dominance model nominal accounted_phenotypic variance addition four qtls monounsaturated_fatty acid similar_position explained_phenotypic variance conclusion_our finding major qtl composition presented could provide helpful information locate causative_variant improve meat_quality trait pig', 'growth_fatness trait economically_important pig_industry dissect_genetic architecture trait commercial_pig conducted association study_gwas carcass_weight backfat_thickness body_weight two commercial population duroc_landrace yorkshire dly duroc population enhance detection_power three gwas approach including gwas gwas used study total suggestive locus identified nine chromosome the significant locus detected associated backfat_thickness first rib dly population three gene identified locus baat highlighted functionally plausible_candidate gene pig growth_fatness trait significant locus evidenced study indicating large population required identify qtl minor effect growth_fatness trait commercial_pig population intensively artificial_selection imposed trait small genetical variance usually retain trait', 'height important characteristic equine_industry although little_known genetic control native_british breed pony this_study aimed map qtl data withers_height four pony breed native_british isle including two different section within welsh cob study analysis approach using_illumina infinium beadchip applied pony cob analysis identified highly_significant snp among three snp also previously_reported elsewhere the highest number significant snp associated height native_british horse located', 'the present_study conducted_identify polymorphism gene association clinical_mastitis production trait exon_flanking region screened presence snp statistical_analysis performed identify association period_birth breed genotype mastitis incidence randomly_selected sahiwal karan_fry cattle analysis_revealed mutation exon amplicon gene resolved genotype sahiwal karan_fry cattle wald analysis_revealed period_birth breed genotype significantly_associated mastitis incidence genotyped cattle found le_susceptible mastitis least_square analysis_revealed genotype animal snp gene sahiwal well karan_fry cattle associated higher average milk_yield lactation these observation differential association incidence_mastitis production trait utilized aid selection simultaneous improvement antagonistic trait however validation result large number animal warranted', 'genetical_genomics approach aim_identifying quantitative_trait locus molecular trait also known intermediate phenotype gene expression could link variation genetic information physiological trait current_study expression gwas carried experimental iberian_landrace backcross order_identify genomic_region regulating gene expression gene whose_expression correlated growth fat_deposition premium_cut yield measure pig the analysis conducted exploiting porcine snp beadchip genotype porcine expression microarray data hybridized mrna longissimus_dorsi muscle order focus analysis productive trait reduce number analysis probesets whose_expression showed_significant correlation least_one seven phenotype interest selected egwas total eqtl region identified effect different transcript those eqtls overlapping phenotypic qtls chromosome previously detected animal material analyzed moreover candidate_gene snp analyzed among promising result long rna identified whose_expression correlated premium_cut yield association analysis silico sequence domain annotation support polymorphism candidate regulate expression involved transcriptional regulation surrounding gene affecting productive meat_quality trait', 'performed association analysis milk fat protein_yield somatic_cell score based lactation_stage first_parity canadian ayrshire holstein_jersey cattle the association analysis performed considering different lactation_stage trait parity milk effect single_nucleotide polymorphism snp lactation_stage trait parity breed estimated direct breeding_value estimated using genomic_best linear_unbiased predictor random_regression model containing fixed population average curve random genomic curve identify important genomic_region related analyzed lactation_stage trait parity breed moving window_adjacent snp explaining total genetic_variance selected analysis candidate_gene lower number genomic window relatively higher proportion explained genetic_variance found holstein breed compared ayrshire jersey_breed genomic_region associated analyzed trait located chromosome ayrshire holstein_jersey breed respectively especially holstein breed many identified candidate_gene supported previous_report literature however gene major effect milk_production trait diacylglycerol showed contrasting result among lactation_stage trait parity different breed therefore result_suggest evidence differential set candidate_gene underlying phenotypic expression analyzed trait across breed parity lactation_stage further functional study_needed validate finding independent population', 'background conception fundamental trait successful cattle reproduction however conception_rate japanese_black cattle gradually declining last two decade although conception failure mainly caused embryonic_mortality role maternal genetic factor process remains unknown copy_number variation cnv defined genomic structural variant contributes several genetic disorder identify cnv associated embryonic_mortality japanese_black cattle evaluated embryonic_mortality categorical trait threshold model conducted cnv association study embryonic_mortality using animal result identified cnv ranging bovine_chromosome associated embryonic_mortality day artificial_insemination the cnv harbor exon annexin analysis sequence trace cnv identified read bridging breakpoint present side cnv indicating cnv generated homologous recombination using homologous sequence western blot analysis showed cnv result null allele this association replicated using sample population size animal elucidate function vivo generated null mouse using system crossbreeding experiment showed litter_size cross female fewer pup female embryo female died implantation stage these_result indicate loss maternal cause embryonic_mortality conclusion_this study identified cnv encompassing cow associated embryonic_mortality day using mouse model confirmed litter_size smaller cross female relative wild female these_result indicate maternal factor critical embryo development', 'background milk quality dairy_cattle routinely assessed via analysis mir spectrum approach also used predict milk property cmp composition when method phenotyping combined efficient imputation sequence_data cow genotyping data provides unique powerful framework carry genomic analysis the goal study use approach identify gene gene network associated milk cmp composition montbéliarde breed result milk cheese_yield coagulation trait milk content protein fatty_acid mineral citrate lactose predicted mir spectrum phenotype primiparous montbéliarde_cow record_cow adjusted effect averaged per cow genotype available subset cow imputed_sequence level using bull genome project comprising animal the individual effect million variant evaluated association study_gwas led detection qtl region highly_significant effect cmp milk composition the result gwas subjected association weight matrix partial_correlation information theory approach identified set gene among casein paep together dozen gene alpl gpt scd fasn ankh explained_phenotypic variance cmp trait able_identify metabolic_pathway phosphate phospholipid metabolism inorganic anion transport key regulator gene ppara functionally linked milk composition conclusion using approach integrated gwas network pathway analysis sequence level propose candidate variant explain substantial_proportion phenotypic_variance cmp trait could thus included genomic_evaluation model improve milk cmp montbéliarde_cow', 'equine_osteochondrosis frequent developmental_orthopaedic disease high economic_impact equine_industry may_lead premature retirement animal result chronic pain lameness the genetic background includes different gene affecting several location however genetic association tested one population lacking validation others the_aim study identify genetic determinant spanish_purebred horse breed for_purpose used candidate_gene approach study association locus previously implicated onset development breed different location using radiographic_data individual_belonging spanish_purebred horse breed polymorphism analysed three single_nucleotide polymorphism snp located gene found associated different location lesion these data contribute insight_complex gene network underlying multifactorial disease associated snp could_used selection_strategy improve horse health_welfare competitive lifespan', 'background number functional_teat important trait commercial swine production litter_size increase number_teat must also increase supply nutrition piglet therefore association analysis conducted_identify genomic_region affect trait commercial swine population genotypic_data illumina_porcine beadchip available animal total teat_number ttn record subset animal number_teat side recorded from information following trait derived number_teat left ltn right side rtn maximum number_teat side max difference ltn_rtn absolute value dif bayes option_gensel version window implemented identified region explained genomic variation tested larger group animal estimate additive_genetic effect result marker heritabilities highest ttn intermediate individual side count virtually nil difference trait dif each copy vrtn mutant_allele increased teat_count ttn ltn_rtn max window detected explained genomic variation ttn ltn_rtn max respectively these region cumulatively accounted genomic variation ltn_rtn max ttn sus_scrofa chromosome associated four count trait associated three count trait snp accounted nearly additive_genetic variation validation_dataset effect piglet sex percentage male litter detected birth_weight positively correlated ttn conclusion teat_number heritable trait use genetic marker would expedite selection progress exploiting genetic_variation associated teat_count side would enhance selection focused total teat_count these_result confirm qtl seven ten identify novel qtl', 'cheese_production consumption increasing many_country worldwide result interest increased strategy genetic selection individual technological trait milk related cheese_yield dairy_cattle breeding however_little known genetic background cow ability produce cheese recently relatively large panel cow different measure individual cow milk nutrient energy recovery cheese rec became available genetic analysis showed considerable_variation aptitude retain high proportion fat protein water coagulum for dairy_industry characteristic major economic_importance nevertheless use knowledge dairy breeding hampered high cost intense labor requirement lack appropriate technology however era genomics new possibility available animal breeding genetic_improvement for_example identification genomic_region involved cow might provide potential selection the_objective study perform_association study different rec measure milk dna_sample italian_brown swiss_cow used three trait expressing weight fresh curd cycurd curd solid cysolids curd moisture cywater percentage weight milk processed rec recfat recprotein recsolids recenergy calculated ratio nutrient curd corresponding nutrient processed milk analyzed animal genotyped_illumina bead_chip single marker regression fitted using_genabel package association using_mixed model control total significant association single_nucleotide polymorphism identified chromosome for recfat recprotein high significance peak identified bos_taurus autosome_bta respectively marker mbp highly associated recprotein mbp closely located casein gene recfat genomic_region identified may enhance selection bovine cheese breeding beyond use protein_casein fat_content whereas new knowledge help unravel genomic background cow ability cheese_production', 'the_objective study presented research communication investigate association single_nucleotide polymorphism present gene different milk trait dairy_cow based previous qtl fine_mapping result bovine_chromosome gene selected candidate_gene evaluate effect somatic_cell count milk trait chineseholstein cow milk_production trait including milk_yield fat_percentage protein_percentage cow collected using lactation record association genotype different trait somatic_cell score_sc performed_using general_linear regression_model two snp exon genotype snp found significantly_higher somatic sc found significant effect exon protein_percentage milk_yield sc identified snp different location gene cattle several significantly_associated somatic_cell score different milk trait thus gene could_useful candidate_gene selection dairy_cattle mastitis identified polymorphism might potentially strong genetic marker', 'many genetic marker related health production trait evaluated population independent discovery population related phenotype here evaluated single_nucleotide polymorphism snp candidate_gene previously associated genetic_merit fertility production trait association phenotypic measurement fertility population holstein_cow selected based predicted_transmitting ability_pta daughter_pregnancy rate_dpr high_low cow high pta_dpr higher pregnancy_rate first_service fewer service_per conception fewer day_open cow low pta_dpr snp associated pregnancy_rate first_service service_per conception day_open single_nucleotide polymorphism gene cast fyb ibsp ocln pccb significant association fertility trait snp gene significant association trait result experiment compared result earlier study snp associated genetic estimate fertility one study involved animal used study independent population bull total snp associated phenotypic estimate fertility directionally associated genetic estimate fertility cow population moreover snp associated reproductive phenotype directionally associated genetic estimate fertility bull population nine snp located bcas cast ocln pccb directional association fertility study examination function gene snp associated reproduction one study indicates importance steroid hormone immune_function determinant reproductive function all evaluated snp variable breed besides holstein indicating_potential effect snp reproductive function across breed cattle', 'previous_study indicated leptin gene polymorphism associated economically_important trait cattle breed however polymorphism leptin gene reported thus far japanese_black cattle here aimed_identify leptin gene polymorphism associated carcass trait fatty_acid composition japanese_black cattle sequenced coding_sequence leptin gene eight japanese_black cattle sequence comparison revealed eight single_nucleotide polymorphism snp three predicted cause_amino acid substitution then genotyped snp two population animal animal investigated effect trait excluded statistical_analysis minor_allele frequency low association analysis_revealed significant effect dressed carcass_weight significant effect respectively significant effect monounsaturated_fatty acid saturated_fatty acid the result suggested snp could_used effective marker improvement japanese_black cattle', 'association study_gwas performed identify marker candidate_gene five semen trait holstein_bull population china the analyzed dataset consisted record bull eight bull station bull genotyped using_illumina beadchip association test trait informative snp achieved gapit software total suggestive significant snp partly located_within reported qtl region within close reported candidate_gene associated five semen trait detected combining gwas result biological_function gene eight novel_promising candidate_gene including pdgfrb identified potentially relate semen trait our_finding may provide_basis research genetic_mechanism semen trait selection trait holstein_bull', 'fatty_acid composition associated meat_quality pig well trait human liver_muscle important tissue fatty_acid metabolism study evaluated correlation liver_muscle transcriptomes fatty_acid composition trait muscle abdominal_fat tissue pig white_duroc erhualian_pig resource_population transcript significantly_correlated fatty_acid composition trait enriched gene involved category triglyceride catabolic process mitochondrial function hematological immune_system disease type diabetes gene network analysis identified liver network module relevant fatty_acid unsaturation index enriched platelet activation type interferon signaling_pathway highlighted connection variation fatty_acid composition gene involved hematological immune_system integrative analysis expression qtl identified scd plausible_candidate gene underlying locus muscle value chromosome locus muscle content chromosome respectively', 'background polymorphism underlying_complex trait often explain small part le phenotypic_variance this make identification mutation underling complex trait difficult usually subset locus identified one approach identify locus increase sample_size experiment propose alternative the_aim paper use secondary phenotype genetically simple trait qtl discovery phase complex trait demonstrate approach dairy_cattle data_set complex trait milk_production phenotype fat milk_protein yield fat protein_percentage milk measured thousand individual secondary potentially genetically simpler trait detailed milk composition trait measurement individual protein abundance mineral sugar concentration gene expression result quantitative_trait locus qtl identified using holstein_cattle milk_production record_cow milk composition trait there eight region contained qtl milk_production composition trait including four novel region one region affected milk_yield phosphorous concentration milk the qtl interval included gene phosphorous antiporter the significant imputed_sequence variant region explained milk_yield phosphorus concentration since polymorphism association mapping gene expression performed_using high depth mammary rnaseq data separate group lactating_cow this confirmed strong eqtl peak association imputed_sequence variant significant phosphorus concentration fitting variant covariables association analysis removed qtl signal milk_production trait plausible causative_mutation casein complex region also identified using similar strategy conclusion milk_production trait dairy_cow typical complex trait polymorphism explain small portion phenotypic_variance however show mutation larger effect secondary trait concentration mineral protein sugar milk expression_level gene mammary tissue these larger effect used successfully map variant milk_production trait genetically simple trait also provide direct biological link possible causal_mutation effect mutation milk_production', 'objective estimate effect single_nucleotide polymorphism intramuscular_fat content_imf hungarian simmental bull method genotype determined illumina_bovine dna chip_after slaughtering animal chemical percentage intramuscular_fat determined longissimus_dorsi muscle applied statistical_analysis result analysis_revealed four locus highly associated imf located chromosome respectively the frequency minor_allele conclusion the locus useful_selection program give possibility assist selection molecular tool', 'background the significant social economic_loss result bovine_tuberculosis btb present continuous challenge cattle industry_worldwide however host genetic_variation cattle susceptibility_btb provides opportunity select resistant_animal understand_genetic mechanism_underlying disease dynamic method the present_study identified genomic_region associated susceptibility_btb using association_gwa regional_heritability mapping_rhm chromosome association approach phenotype comprised estimated_breeding value sire pertained three btb indicator trait positive reactor_skin test positive examination result phenotype positive reactor_skin test regardless examination result phenotype iii plus inconclusive reactor_skin test positive examination result phenotype genotype based snp dna array available total snp remained per animal quality_control result the estimated polygenic heritability susceptibility_btb phenotype respectively gwa_analysis identified putative snp bos_taurus autosome_bta associated phenotype another bta associated phenotype genomic_region encompassing snp found harbour potentially relevant annotated gene rhm confirmed effect genomic_region identified new region bta phenotype bta phenotype heritabilities genomic_region ranged across three phenotype chromosome association analysis_indicated major role bta susceptibility_btb conclusion genomic_region candidate_gene identified present_study provide opportunity understand pathway critical cattle susceptibility_btb enhance genetic_improvement programme aiming controlling eradicating disease', 'skeletal problem layer chicken gaining attention due animal_welfare economic_loss egg industry the genetic_improvement bone trait proposed potential solution issue however genetic_architecture well understood conducted association study_gwas bone quality using sample hen genotyped chicken genotyping_array using linear_mixed model approach novel locus close associated femur bone_mineral density_bmd uncovered study addition nine snp gene associated bone quality three gene rankl adamts sost known associated osteoporosis human make good_candidate gene osteoporosis chicken genomic partitioning analysis support fact common variant contribute variation bone quality identified several strong candidate_gene genomic_region associated bone trait measured cage layer accounted_phenotypic variance these snp could provide relevant information help_elucidate gene affect bone quality chicken', 'the receptor coded gene play_important role_mediating metabolic effect especially lipolysis insulin resistance energy_balance this_study investigated expression_level three gene different tissue qinchuan_cattle polymerase_chain reaction expressed level rna gene generally much_higher expression_level highest subcutaneous_fat lower muscle whereas expression higher muscle tissue eight single_nucleotide polymorphism snp discovered qinchuan_cattle dna_sequencing containing three missense_mutation four synonymous_mutation well one mutation region interestingly five located region predicted contain multiple repeat nucleotide cpg island association analysis showed relationship snp combined haplotype carcass trait qinchuan_cattle this_study association analysis suggests polymorphism gene might_useful selection beef_cattle breeding', 'understand_genetic structure associated insulin in thyroid_hormone including triiodothyronine thyroxine chinese_holstein cow conducted association study_gwas thyroid_hormone insulin cow conducted gwas analysis chinese_holstein cow raised southern china found significant single_nucleotide polymorphism snp study snp associated in snp associated snp associated study_gwas method used preliminary screening related gene trait due insufficient relevant literature functional analysis gene could based human study observed dgkb bos_taurus chromosome bta strongly_associated insulin secretion found gene significantly_correlated trait another significant snp located gene confirmed affected thyroid_hormone', 'porcine reproductive_respiratory syndrome_virus prrsv economically_important pathogen continues threaten swine_industry sustainability the complexity high genetic_diversity prrsv prevented vaccine conferring adequate protection disease outbreak association analysis prrsv experimentally_infected pig representing two genetic line revealed two major genomic_region accounting genetic_variation antibody_level serum lung the major region serum antibody mapped near slaii complex also implicated susceptibility swine viral pathogen haplotype substitution analysis uncovered potential haplotype associated divergent effect novel major region lung antibody mapped proximal_end top snp overlapping two gene sequencing uncovered polymorphism within coding_region may_play role_regulating antibody production lung tissue following prrsv_infection these data implicate novel host genomic_region influence immune_response well common region potentially_involved susceptibility multiple viral pathogen', 'nuclear_receptor lcorl encodes transcription_factor polymorphism associated measure skeletal_frame size adult_height several specie recently single_nucleotide polymorphism snp located_upstream lcorl identified genetic diagnostic marker associated withers_height thoroughbred study genotyped evaluate association genotype body_composition trait including body_weight withers_height ratio body_weight withers_height chest_circumference cannon circumference withers_height cannon circumference significantly_associated lcorl genotype throughout almost entire training period male_female animal genotype higher withers_height maximum difference male_female respectively cannon circumstance maximum difference male_female respectively compared animal genotype these_result suggested regulation lcorl expression influence skeletal_frame size thoroughbred thus indirectly affect body_weight although lcorl would_useful selective_breeding thoroughbred production genetically modified animal gene doping based genetic information prohibited order maintain racing integrity', 'domestication animal associated numerous alteration physiology morphology behavior lower reactivity hpa_axis reduced fearfulness seen studied domesticates including chicken previously shown physiological stress_response well expression_level hundred gene hypothalamus_adrenal gland different domesticated_white leghorn progenitor modern chicken red_junglefowl map genetic locus associated transcription level gene involved physiological stress_response conducted eqtl analysis generation white_leghorn red_junglefowl selected gene study based known_function regulation hpa_axis sympathoadrenal system measured expression_level hypothalamus_adrenal gland brief stress exposure physical restraint the expression value treated quantitative_trait eqtl mapping the plasma level corticosterone also assessed analyzed correlation gene expression corticosterone_level mapped eqtl potential effect corticosterone_level the effect gene transcription previously found qtl corticosterone response also investigated the expression_level glucocorticoid receptor hypothalamus several gene adrenal_gland correlated level corticosterone plasma found several eqtl gene hypothalamus_adrenal hypothalamus one eqtl one qtl expression found adrenal tissue identified eqtl gene dbh maoa none found eqtl significant predictor corticosterone_level the previously found qtl corticosterone associated expression hypothalamus our data suggests domestication related modification stress_response driven change transcription level several modulators hpa system hypothalamus_adrenal gland change expression steroidogenic gene the presence eqtl hypothalamus combined negative_correlation expression corticosterone response suggests candidate functional study regarding modification stress_response chicken domestication', 'fillet yield trait rainbow_trout aquaculture affect production efficiency despite received little attention breeding_program difficult_measure large number fish directly measured breeding candidate the recent development snp_array rainbow_trout provided needed tool studying underlying genetic_architecture trait association study_gwas conducted body_weight month carcass_weight car fillet weight pedigreed rainbow_trout population selectively bred improved growth performance the gwas analysis performed_using weighted_gblup method wssgwas phenotypic_record fish harvest family three successive generation fish family genotyped used gwas analysis total polymorphic snp analyzed univariate model hatch year harvest group fixed_effect harvest weight continuous covariate animal common environment random effect new linkage_map developed create window_adjacent snp use gwas the two window largest_effect located chromosome explained genetic_variance thus suggesting_polygenic architecture affected multiple locus small effect population one window_explained genetic_variance respectively three window located window detected explained respectively genetic_variance car among detected snp located directly gene intron_exon nucleotide sequence intragenic snp blasted mu musculus genome create putative gene network the network suggests difference ability maintain proliferative renewable population myogenic precursor cell may affect variation growth fillet yield rainbow_trout', 'objective average_daily gain_adg important target trait pig breeding_program aimed_identify single_nucleotide polymorphism snp genomic_region associated adg duroc_pig population method performed association study involving duroc_boar using beadchip two linear_model result after_quality control detected snp included seven snp significantly_associated adg pig identified six quantitative_trait locus qtl region adg these qtls included four previously_reported qtls sus_scrofa chromosome_ssc well two novel qtls addition selected six candidate_gene general transcription_factor polypeptide high_mobility group nicotinamide phosphoribosyltransferase oligodendrocyte transcription_factor pleckstrin homology rhogef domain_containing associated adg basis physiological role positional information these candidate_gene involved skeletal_muscle cell_differentiation obesity nervous_system development conclusion_this study contributes identification casual mutation underlies qtls associated adg future pig breeding_program based selection further study_needed elucidate role identified candidate_gene physiological process_involved adg regulation', 'background large_amount fat_deposition often lead loss reproductive_efficiency human animal used broiler chicken model specie conduct selection abdominal_fat generation resulted lean_fat line direct selection abdominal_fat content also indirectly resulted significant difference testis weight tew tew percentage total body_weight tep lean_fat line result total individual generation genotyped association study revealed two region chicken chromosome associated tew tep forty individual line profiled focusing two chromosomal_region identify candidate_gene function may potentially related testis growth development nine candidate_gene identified database mining significant association confirmed one gene based mrna_expression analysis gene expression analysis gene conducted across individual individual line result confirmed finding animal conclusion_this study revealed gene related testis growth development male broiler this finding useful guide future study understand_genetic mechanism_underlie reproductive_efficiency', 'objective the study_designed perform_association gwa partitioning genome using_illumina beadchip order_identify variant determine explained heritability total number_teat yorkshire_pig method after screening following criterion minor_allele frequency equilibrium genomic relationship_matrix produced using single_nucleotide polymorphism snp mixed_linear association analysis mlma conducted and estimating explained heritability snp genetic relatedness estimation maximum_likelihood approach used study result the mlma analysis false_discovery rate identified three significant snp two different chromosome total number_teat besides estimated variance could explained common snp autosomal_chromosome trait the maximum amount heritability obtained partitioning genome respectively explained amount estimated heritability along snp identified association study empirical value significance_level study interestingly found nearby quantitative_trait locus qtl teat_number trait identified recent study moreover significant snp found within close qtls related ovary weight total number_born alive age_puberty pig conclusion the snp identified unquestionably represent important qtl region well gene interest genome various physiological_function responsible reproduction pig', 'immunity cmi cause intracellular destruction antigen elimination host cell make animal resistant exogenous antigen cancer study association study_gwas carried identify_genomic region associated cmi chicken using chicken single_nucleotide polymorphism snp_array genomic relationship taken account adjust population structure order account multiple_testing false_discovery rate controlled level moreover comparison power fixed mixed_linear model based genomic inflation factor carried mixed_linear model_mlm better inflation rate therefore result mlm used subsequent analysis three significantly_associated snp fdr chromosome linkage_group three suggestively_associated snp fdr chromosome identified pathway analysis showed two biological_pathway related immune_response strongly_associated candidate_gene surrounding identified snp influence mostly antigen processing presentation cellular structure', 'background ketosis_dairy cattle shown cause high morbidity farm substantial financial loss dairy farmer ketosis symptom however difficult identify therefore amount ketone body mainly acid bhb used indicator subclinical_ketosis cow also shown milk_bhb concentration strong correlation ketosis_dairy cattle spectroscopy mir recently became fast cheap method analyzing milk component the_aim study perform_association study_gwas milk_bhb identify_genomic region gene pathway potentially affecting subclinical_ketosis north_american holstein_dairy cattle result several significant region identified associated milk_bhb concentration indicator subclinical_ketosis first lactation second later lactation holstein_dairy cow the strongest_association located several snp identified region variant reported previously associated susceptibility_ketosis clinical_mastitis jersey holstein_dairy cattle respectively one highly_significant snp found within gene known_function fat metabolism_inflammatory response dairy_cattle region three snp found overlap however novel region also identified reported previous association study enrichment_analysis list candidate_gene within identified region milk_bhb concentration yielded molecular function biological_process may involved_inflammatory response lipid_metabolism dairy_cattle conclusion the result study confirmed several snp gene identified previous_study associated ketosis susceptibility immune_response also found novel region used analysis identify_causal variation key regulatory gene affect subclinical_ketosis', 'ascites disease commonly observed fast growing broiler initiated body insufficiently oxygenated series event follow including increase pulmonary artery pressure right ventricle hypertrophy accumulation fluid abdominal cavity pericardium advance management practice along improved selection_program decreased ascites incidence modern broiler however ascites syndrome remains economically_important disease throughout world causing estimated loss million per_year study illumina snp beadchip used_perform series genome_wide association study_gwas generation relaxed rel line descended commercial elite broiler_line beginning region significantly_associated ascites incidence identified chromosome around megabase pair mbp chromosome around mbp five candidate single_nucleotide polymorphism snp evaluated indicator region order_identify association ascites right ventricle total ventricle weight rvtv ratio chromosome snp showed association rvtv ratio male phenotyped ascites resistant ascites susceptible respectively the chromosome region also indicates association resistant female rvtv value region significance identified chromosome described study used proposed candidate region investigation genetics ascites this information lead_better understanding_underlying genetics gene network contributing ascites thus advance ascites reduction commercial breeding_scheme', 'intense selection production trait improved genetic gain important economic trait however selection performance carcass trait led onset locomotors problem decreasing bone_strength broiler thus gene associated bone integrity trait become candidate genetic study order_reduce impact bone disorder broiler this_study investigated association gene trait related performance carcass_composition organ bone integrity paternal broiler_line analysis genetic association polymorphism snp trait carried_using maximum_likelihood procedure mixed_model genetic association found snp gene chilled femur weight additive plus dominance_deviation effect within sex performance trait additive within sex additive_effect the snp gene presented genetic association additive plus dominance_deviation effect within sex performance trait suggestive genetic association found abdominal_fat yield selection based snp could_used improve performance carcass quality trait population studied although snp equilibrium undergoing selection process furthermore important validate marker unrelated population use_selection process', 'reproductive trait long studied important influence chicken breeding identify_quantitative trait locus affecting reproductive trait analysis chinese chicken breed performed analyze age_first egg body_weight first_egg first_egg weight egg_weight age_day egg_weight age_day egg number age_day egg number age_day egg number age_day nineteen snp related reproductive trait presented nine snp significant effect bwf six snp significantly_associated egg_weight four snp significantly_associated egg number these snp located_near gene including htt cbfb the present result may beneficial reproductive research may used selection future study these_result could_potentially benefit breeding_program especially jinghai_yellow chicken', 'study genetic_parameter nine growth_carcass meat_quality trait estimated targeted association study conducted using_mixed model phenotypic information collected lamb including purebred merinoland animal five different cross the lamb produced_mating ram breed charollais ile france german blackheaded mutton deutsches schwarzköpfiges fleischschaf suffolk_texel ewe between four six sire used per sire breed total sire purebred sheep genotyped_illumina beadchip all individual genotyped snp located chromosome these snp used impute snp five chromosome illumina_ovine chip individual several significant association identified shoulder width number additional significant association found trait genetic_parameter estimated association analysis performed effect moderate_heritability estimate found average_daily gain kidney fat weight carcass length_shoulder width subcutaneous_fat thickness cutlet area while heritability cooking_loss found low shear_force dressing_percentage showed_moderate heritability thus might candidate trait included selection index population general low phenotypic low_moderate genetic_correlation detected trait', 'the density_contour feather important trait closely_related heat dissipation bird thus identification major gene control trait useful improve heat_tolerance chicken far gwas study density_contour feather bird previously_published therefore study_aimed identify_genomic region controlling density_contour feather total hen genotyped using affymetrix_axiom chicken genotyping_array the association analysis performed_using genabel_package program brief significant snp marker mainly located chromosome identified associate density_contour feather current gwas analysis moreover identified several candidate_gene mlnr either directly indirectly involved genetic control density_contour feather chicken this_study laid foundation studying mechanism underlies density chicken feather furthermore feasible shear back_feather live chicken measure density feather improve heat_tolerance breeding_practice', 'infectious_pancreatic necrosis ipn viral disease considerable negative_impact rainbow_trout oncorhynchus_mykiss aquaculture_industry the_aim present_work detect genomic_region explain resistance infectious_pancreatic necrosis virus ipnv rainbow_trout total fish family challenged ipnv individual genotyped resistant_susceptible using snp panel axiom affymetrix association study_gwas performed_using phenotype time death binary survival along genotype challenged fish using_bayesian model bayes heritabilities resistance_ipnv estimated using genomic information respectively the bayesian gwas detected snp located chromosome explaining genetic_variance the proximity protease snp make candidate_gene resistance_ipnv case snp located chromosome detected explaining genetic_variance however proportion_variance explained detected marker lead conclusion incorporation genomic information genomic_selection would appropriate approach accelerate genetic_progress improvement resistance_ipnv rainbow_trout', 'background columnaris disease emerging problem rainbow_trout aquaculture_industry the_objective study identify common genomic_region explain large_proportion additive_genetic variance resistance two rainbow_trout oncorhynchus_mykiss population estimate gain prediction_accuracy genomic information used evaluate genetic potential survival columnaris infection population method two aquaculture population investigated national center cool cold_water aquaculture ncccwa line troutlodge may tlum nucleus breeding population fish survived day challenge recorded resistant single_nucleotide polymorphism snp genotype available fish ncccwa tlum respectively snp effect variance estimated using weighted genomic_best linear_unbiased prediction_blup association genomic_region explained_additive genetic_variance considered associated resistance predictive_ability calculated fivefold scheme using linear_regression method result validation adjusted phenotype provided prediction_accuracy close zero due binary nature trait using breeding_value computed complete data benchmark improved prediction_accuracy genomic model compared blup fourteen window located six chromosome associated resistance ncccwa population two window chromosome omy jointly explained_additive genetic_variance window located chromosome associated resistance tlum population only four associated genomic_region overlapped quantitative_trait locus qtl population conclusion_our result_suggest selection resistance rainbow_trout greater potential selection target genomic_region found associated resistance due polygenic architecture trait qtl associated resistance sufficiently informative selection decision across population', 'background impaired fertility cattle limit efficiency livestock production_system unraveling genetic_architecture fertility trait would facilitate improvement selection study characterized snp_chip haplotype qtl block used sequencing fine_map genomic_region associated reproduction population nellore bos_indicus heifer method the dataset comprised heifer genotyped using genomic_profiler panel snp representing daughter_sire after performing marker quality_control snp retained haplotype carried sire six previously identified qtl btas heifer pregnancy btas antral follicle count constructed using findhap software the significance contrast effect every two haplotype allele used identify sire_heterozygous qtl sequencing data localized haplotype six sire ancestor used identify sequence_variant concordant haplotype contrast enrichment_analysis applied variant using kegg mesh library result total six bta six bta five bta sire_heterozygous heifer pregnancy qtl whereas six bta fourteen bta five bta sire_heterozygous number antral follicle qtl due inadequate representation many haplotype allele sequenced animal fine_mapping analysis could reliably performed qtl bta concordant candidate sequence_variant respectively the kegg circadian rhythm neurotrophin signaling_pathway significantly_associated gene qtl bta whereas mesh term associated qtl bta among concordant sequence_variant classified missense variant btas respectively highlighting gene rtmb mirna prkdc the potential_causal mutation found present_study associated biological_process oocyte maturation embryo development placenta development response reproductive_hormone conclusion the identification heterozygous sire positionally phasing snp_chip data contrasting haplotype effect previously detected qtl used fine_mapping identify potential_causal mutation candidate_gene genomic variant gene rtbc mirna prkdc known influence reproductive biological_process detected', 'elucidating genetic_basis trait major_goal molecular ecology trait subject sexual selection particularly interesting mate choice deplete genetic_variation thereby evolutionary benefit examined genetic_basis three sexually selected morphometric trait bighorn sheep_ovis canadensis horn_length horn base circumference body mass these trait specific concern bighorn sheep artificial_selection trophy hunting opposes sexual selection specifically horn size determines trophy status north_american jurisdiction individual legally harvested using phenotypic measure study ram mountain alberta canada first showed three trait heritable conducted association study_gwas utilizing set snp typed individual using ovine snp beadchip found suggestive association body mass single locus the absence strong association snp suggests trait likely polygenic these_result represent step_forward characterizing genetic_architecture fitness related trait sexually dimorphic ungulate', 'gastrointestinal_nematode infection constraint sheep production worldwide selective_breeding programme enhance resistance_nematode infection currently implemented number country identification locus associated resistance infection causative_mutation resistance would enable effective selection locus associated indicator trait nematode_resistance identified previous_study study scottish_blackface texel suffolk lamb used validate effect eight genomic_region previously associated nematode_resistance snp significantly_associated nematode_resistance level seven snp three region nominally_associated trichostrongyle egg_count study six also significant fitted single snp effect nematodirus egg_count nominally_associated snp', 'two highly_pathogenic avian_influenza hpai outbreak affected commercial egg_production flock american continent recent_year outbreak mexico caused mortality outbreak united_state mortality blood_sample obtained survivor outbreak age genetics matched control total individual survivor control genotyped single_nucleotide polymorphism snp_array detect genomic_region influenced outcome highly_pathogenic influenza infection two outbreak total high quality segregating snp identified across sample genetic difference survivor control analyzed using logistic model mixed_model bayesian_variable selection approach several genomic_region potentially associated resistance hpai identified performing multidimensional scaling adjustment multiple_testing analysis conducted within outbreak identified different genomic_region resistance two virus strain the strongest_signal iowa survivor sample detected chromosome positional_candidate gene mainly coding plasma_membrane protein receptor activity also involved immune_response three region strongest_signal mexico sample located chromosome neuronal cell_surface signal transduction immune_response protein coding gene located_close proximity region', 'background reproductive_performance livestock economically_important aspect global food production the chinese_meishan pig prolific breed average three five piglet_per litter european breed however genetic_basis difference well understood result study investigated copy_number variation cnvs meishan pig duroc_pig sequencing analysis pig revealed copy_number variable region cnvrs divided three category based copy_number whole population gain loss cnvrs compared meishan duroc_pig identified cnvrs existing meishan pig cnvrs_overlapped gene_encoding aryl hydrocarbon receptor ahr gene found normal ahr frequent loss four different pig breed association analysis showed ahr positive effect litter_size higher associated higher total number_born number_born alive number weaned_piglet birth_weight conclusion the present_study provides comprehensive cnvrs meishan duroc_pig population resequencing our_result provide supplement map copy_number variation porcine genome valuable_information investigation genomic structural variation underlying trait interest pig addition association result_provide evidence ahr candidate_gene associated reproductive trait used genetic marker pig breeding_program', 'bone_fracture egg_laying hen growing welfare_economic concern industry although environmental_condition management especially nutrition exacerbate primary cause bone weakness resulting fracture believed genetic_basis test_hypothesis performed association study identify locus associated bone_strength laying_hen genotype phenotype data obtained laying_hen belonging pure_line population these hen genotyped snp snp remaining quality_control each snp tested association tibial_breaking strength using score test association total snp across chromosome significantly_associated tibial_breaking strength significance_threshold set corrected value based local linkage_disequilibrium around significant snp distinct novel qtls identified chromosome qtls qtl qtl qtl the strongest_association detected within qtl region chromosome significant snp corrected value number candidate_gene identified within qtl region including gene required normal bone physiology pathway involving gene also identified including chloride channel activity regulates bone reabsorption intermediate filament organization play_role regulation bone mass our_result support_previous study suggest bone_strength highly regulated genetics therefore possible reduce bone_fracture laying_hen genetic selection ultimately improve hen welfare', 'order_identify locus associated metabolic trait association study carried chicken population derived reciprocal_cross iranian urmia indigenous_chicken arian broiler_line using_illumina chicken single_nucleotide polymorphism snp beadchip six trait including plasma level triglyceride tgs cholesterol chol glucose glu total protein albumin alb globulin glo recorded the association identified snp metabolic trait estimated general_linear model glm compressed_mixed linear_model cmlm total snp identified significant suggestive level snp reached bonferroni significance alb glo cmlm snp significantly_associated chol glu alb glo glm gene_ontology showed snp located_within near candidate_gene responsible metabolic trait conclusion identified candidate_gene provided novel information molecular_mechanism underlying metabolic trait these_finding important selection chicken breeding_scheme', 'traditional genetic analysis quantitative_trait locus qtl association study_gwas used understand relationship egg trait chicken even_though technique detect potential gene major effect reveal cryptic causal relationship_among qtls phenotype thus better_understand relationship involving multiple gene phenotype interest data analysis technique must used here utilized dependency graph qdg mapping approach joint_analysis chicken egg trait functional relationship potential_causal effect could investigated the qdg mapping identified total qtls affecting egg trait formed three independent network phenotypic trait group eggshell color egg_production size weight egg component clearly distinguishing direct_indirect effect qtls towards correlated trait for_example network size weight egg component contained qtls trait densely connected this indicates complex relationship genotype phenotype involving direct_indirect effect qtls studied trait most qtls commonly identified traditional mapping qdg approach the network analysis however offer additional insight regarding source characterization pleiotropy affecting egg trait qdg analysis provides substantial step_forward revealing cryptic relationship_among qtls phenotype especially regarding direct_indirect qtl effect well potential_causal relationship trait used example optimize management practice breeding_strategy improvement trait', 'participatory program applied commercial awassi sheep_flock jordan this_study aimed ass influence prolactin_prl kappa casein gene genotype interaction milk_production composition trait genotyped awassi ewe via polymerase_chain reaction_pcr followed sequencing allele_frequency two variant prl association found among polymorphic genotype milk_production trait however ewe prl genotype showed higher milk_production associated lowest fat high solid fat snf protein_lactose associated highest milk density prl polymorphic genotype differentially associated milk_production component trait furthermore prl interaction showed highest milk_production fat prl recorded highest snf protein_lactose milk density prl highest fat snf the enhancing effect gene interaction incorporated awassi breeding_program improve milk_production composition', 'compromised eggshell_quality cause considerable_economic loss egg industry breeding improved eggshell_quality challenging eggshell_quality trait would greatly benefit selection would_allow selection sire direct contribution trait would also allow implementation measurement integrating number shell parameter difficult_measure study selected promising autosomal quantitative_trait locus qtl affecting eggshell_quality chromosome earlier experiment extended population include female the study repeated two commercial population lohmann tierzucht rhode_island red line female white_plymouth rock line progeny_tested male analyzed selected autosomal qtl region three population snp marker_density qtl eggshell_quality replicated studied region population new qtl detected eggshell color chromosome marker association eggshell_quality trait validated tested commercial_line chromosome thus paving way selection improved eggshell_quality', 'identified holstein sire named tarantino approved artificial_insemination based normal semen characteristic morphology thermoresistance motility_sperm concentration progeny first_insemination resulting rate nrdev using whole_genome association analysis next_generation sequencing associated nonsense variant gene bovine_chromosome identified the frequency mutant_allele german_holstein population determined investigated cattle specimen the mutant_allele traced_back whirlhill kingpin bornfeb potential founder the expression detected western blotting immunohistochemistry testis epididymis control bull lipidome comparison plasma_membrane fresh semen carrier control showed_significant difference concentration phosphatidylcholine diacylglycerol dag ceramide cer sphingomyelin phosphatidylcholine indicating play_role lipid_biosynthesis the altered lipid content may explain reduced fertilization ability mutated sperm', 'background this_study aimed identifying genomic_region underlie genetic_variation worm_egg count indicator trait parasite_resistance large population australian sheep genotyped ovine single_nucleotide polymorphism array this_study included sheep different location across australia underwent field challenge mixed gastrointestinal_parasite specie faecal_sample collected worm_egg count three strongyle specie teladorsagia_circumcincta haemonchus_contortus trichostrongylus_colubriformis determined data analysed using association study_gwas regional_heritability mapping_rhm result both rhm gwas detected region ovis_aries oar chromosome highly significantly_associated parasite_resistance false_discovery rate rhm revealed additional significant region pathway analysis_revealed gene within significant region ibsp various role innate acquired immune_response mechanism well cytokine_signalling other gene involved haemostasis regulation mucosal defence also detected important protection sheep invading parasite conclusion_this study identified significant genomic_region associated parasite_resistance sheep rhm powerful detecting region affect parasite_resistance gwas our_result support_hypothesis parasite_resistance complex trait determined large number gene small effect rather major gene large effect', 'objective the uncoupling_protein member mitochondrial anion carrier superfamily crucial effect growth feed_efficiency many_specie therefore_objective present_study examine association polymorphism gene feed_efficiency chicken method six single_nucleotide polymorphism snp gene chosen genotyped using laser_mass spectrometry chicken population bird total body_weight day_age feed_intake interval collected body_weight gain_bwg feed_conversion ratio_fcr calculated individually result one snp low_minor allele_frequency removed quality_control data filtering the result showed significantly_associated bwg_fcr significant effect bwg strongly_associated fcr_furthermore individual genotype significantly_higher bwg lower_fcr genotype the individual showed strongly higher_bwg bird bird genotype significantly greater lower_fcr compared bird addition tac haplotype based showed_significant effect fcr conclusion_our result therefore demonstrate important_role polymorphism growth feed_efficiency might used chicken breeding_program', 'outbreak highly_pathogenic avian_influenza hpai resulting mandatory euthanization million chicken one fatal history the_aim study detect gene associated survival following natural infection hpai outbreak blood_sample collected individual commercial variety white_leghorn survivor age genetics matched control variety included comparison all individual genotyped snp_array association study_gwas standard frequency test plink performed within variety whereas logistic_regression first multidimensional scaling component covariates used joined analysis variety several snp located_within region reached bonferroni threshold significance the association identified variety within genetic variety chromosome variety variety scan fst also performed window support association analysis the region highest_fst value case_control located chromosome overlapped number gene immunological function qtl connected health only region consistent analysis significant fst scan approaching significance gwas this_study confirms resistance hpai complex polygenic trait mechanism resistance may population specific further study utilizing much larger_sample size sequence_data needed detect gene responsible hpai survival', 'background skeletal damage challenge laying_hen physiological adaptation required egg_laying make susceptible osteoporosis previously showed genetic factor explain variation end lay bone quality detected quantitative_trait locus qtl large effect chicken chromosome the_aim study_combine data commercial founder white_leghorn population mapping population qtl understand function term gene expression physiology result several single_nucleotide polymorphism chromosome highly_significant association tibial_breaking strength the alternative genotype marker large effect flanked region tibial_breaking strength newton subsequent founder generation higher breaking_strength genotype associated higher breaking_strength subsequent generation cortical_bone density volume increased individual better bone genotype significantly reduced medullary bone quality the effect cortical_bone density confirmed generation accompanied increased mineral maturity cortical_bone measured infrared spectrometry evidence better collagen cortical_bone comparing transcriptome tibia individual good poor bone quality genotype indicated four gene locus one gene cystathionine beta synthase cbs higher expression genotype low bone quality the mechanism although difference cbs protein genotype difference activity enzyme plasma homocysteine concentration substrate cbs higher poor bone quality genotype conclusion validated marker predict bone_strength defined selective_breeding gene identified may suggest alternative way improve bone health addition genetic selection the identification genetic variant affect different aspect bone turnover show potential translational medicine', 'introduction the vertebral_number economically significant trait associated body_length carcass trait nuclear_receptor subfamily group member member nuclear_receptor superfamily play_important role early development embryo objective the gene considered important candidate influence vertebra number potential association gene number_lumbar vertebra trait sheep explored method study detected genetic variant gene analyzed association polymorphism lumbar number trait kazakh sheep use conformation polymorphism sscp technique detect single_nucleotide polymorphism snp gene association genotype lumbar number variation analyzed independent test result detect snp gene technique polymorphism found coding_region gene order investigate connection snp locus lumbar number trait sheep conducted test independence gene respectively association analysis_revealed significant association snp gene number_lumbar vertebra conclusion_our study indicated snp locus gene sheep possible influence number_lumbar vertebra potential applied_selective breeding sheep', 'objective internal_organ indirectly affect economic performance animal study internal_organ later layer period allow full utilization layer hen hence conducted association study_gwas identify potential quantitative_trait locus gene potentially contribute internal_organ weight method total chicken originating white_leghorn dongxiang_chicken genotyped using affymetrix single_nucleotide polymorphism snp_array conducted gwas linkage_disequilibrium analysis heritability estimated based snp information using gemma haploview gcta software result our_result displayed internal_organ weight show moderate_high heritability variance partitioned across chromosome chromosome length linear relationship liver weight gizzard_weight total highly_significant snp associated internal_organ weight mainly located gallus_gallus autosome gga six snp affected heart weight after final analysis five top snp near gene receptor general transcription_factor iif polypeptide repeat fyve domain_containing condensin_complex subunit sonic hedgehog considered candidate_gene pervasive role internal_organ weight conclusion_our finding_provide understanding_underlying genetic_architecture internal_organ beneficial selection chicken', 'objective the pituitary specific transcription gene responsible pituitary development growth_hormone expression regarded pivotal candidate_gene growth production chicken therefore aim_study investigate association polymorphism growth feed_efficiency trait yellow_chicken method present_study five single_nucleotide polymorphism snp selected genotyped_laser mass_spectrometry chicken result association analysis showed strongly_associated body_weight gain_bwg feed_intake significantly_correlated body_weight day_age bwg_feed conversion_ratio fcr snp strongly related fcr_furthermore bird genotype larger bwg genotype individual genotype significantly_higher bwg genotype fcr opposite for chicken showed strongly larger lower_fcr compared chicken additionally aca haplotype based significant effect fcr conclusion_our study thus provide crucial evidence relationship polymorphism growth feed_efficiency trait may_useful chicken breeding_program', 'genomewide_association study_gwas efficient tool_detection snp candidate_gene quantitative_trait growth_rate important trait increasing meat production sheep total baluchi sheep genotyped using_illumina ovine beadchip run gwas average_daily gain_adg kleiber ratio trait different period age sheep trait included average_daily gain_birth three month three month six month six month_nine month_nine month yearling birth six month three month_nine month three month yearling corresponding kleiber ratio respectively total snp passed filter analysed plink_software linear_mixed model two snp identified two chromosome genomewide_significance level two candidate_gene namely identified correspondingly harbouring close qtl also total snp found chromosome chromosomewide significance_level adg trait thus suggest study discover causative_variant growth trait sheep', 'footrot one important cause_lameness global sheep population characterized bacterial infection interdigital skin multifactorial disease clinical representation depends pathogen factor environmental component also individual host genetic component shown previous_study however far causative genetic variant influencing risk developing footrot identified study genotyped swiss white alpine sheep using ovine snp_chip order run comparison individual known clinical footrot status performed association study revealed significant association snp ovine_chromosome the three best associated snp marker located mpdz gene code multiple pdz domain crumb cell polarity complex component protein also known domain protein this protein possibly involved_maintaining barrier function integrity tight_junction therefore speculate individual carrying mpdz variant may differ footrot due modified horn interdigital skin integrity conclusion study_reveals mpdz might represent functional_candidate gene research needed explore role footrot affected sheep', 'pneumonia important issue sheep production leading reduced growth_rate predisposition pleurisy the_objective study identify locus associated pneumonic_lesion pleurisy new_zealand progeny test lamb the lung lamb scored presence severity pneumonic_lesion pleurisy slaughter animal genotyped using_illumina ovine infinium snp beadchip marker the heritability lung lesion score pleurisy calculated using genomic relationship_matrix association analysis conducted using emmax haplotype trend regression slaughter lamb pneumonic_lesion showing lesion half individual lobe the number lamb recorded pleurisy processing plant heritability_estimate pneumonic_lesion pleurisy score adjusted heteroscedasticity cpsa pleura respectively five polymorphism snp significantly_associated pneumonic_lesion level additional snp suggestively significant four snp significantly_associated pleurisy additional snp reaching suggestive level significance there region overlapped trait multiple snp region contained gene involved either dna damage response innate_immune response including several previously_reported association respiratory_disease both emmax htr analysis pleurisy data showed_significant peak chromosome located_downstream transcription_factor activates suppresses expression numerous gene including several gene known_function immune_system this_study identified several snp associated gene involved innate_immune response response dna damage associated pneumonic_lesion pleurisy lamb slaughter additionally identification sheep several snp within gene previously associated respiratory system cattle pig rat mouse indicates may common pathway underlie response invasion respiratory pathogen multiple specie', 'the growth_hormone receptor_ghr growth_hormone releasing hormone_receptor ghrhr growth_factor gene known modulate growth reproduction lactation trait livestock the_aim current_work investigate variation sheep ghr ghrhr gene associated milk_yield quality trait three hundred eighty dairy sarda sheep genotyped single_nucleotide polymorphism snp mapping locus record milk_yield daily fat protein_yield well fat protein_casein lactose milk_urea content somatic_cell score logarithmic bacterial count milk energy obtained the linkage_disequilibrium analysis performed ghr ghrhr polymorphic snp haplotype analysis_revealed existence haplotype_block ghr two haplotype_block including part intron upstream region clearly separated remaining block snp may recombination hotspot the latter block contiguous spanning intron_exon statistical_analysis revealed ghr polymorphism significantly_associated milk trait daily fat protein_yield fat milk_urea lactose content moreover variation associated milk_protein casein content data generated research provide_new insight allelic effect ovine ghrhr ghr gene milk_production quality trait information may_useful selection_program', 'microtia congenital deformity outer ear phenotype varying small auricle total absence anotia the genetic_basis still poorly_understood study performed sheep valle del belice sheep breed showing microtia the_aim study identify potential genomic_region involved microtia_sheep total individual microtia normal genotyped_illumina beadchip the comparison among result association study fisher exact test fst analysis_revealed single strong association signal chromosome located_within intron gene our study suggests first_time novel candidate_gene responsible microtia_sheep additional analysis based sequencing would help confirm finding allow proposal precise genetic_basis microtia_sheep', 'genomic_evaluation widely applied several specie using commercial single_nucleotide polymorphism snp genotyping_platform this_study investigated informative genomic_region efficiency genomic_prediction using two bayesian_approach bayesb bayesc two snp genotyping panel korean duroc_pig growth production record individual genotyped using two snp genotyping_platform these platform consisted snp marker respectively the deregressed_estimated breeding_value debvs derived estimated_breeding value_ebv reliability taken response_variable two bayesian_approach implemented_perform association study_gwas genomic_prediction multiple significant region day_day lean muscle_area lma lean percent pcl detected the significant snp marker located_near gene detected using accuracy_genomic prediction higher using snp panel day lma two response_variable gain accuracy bayesian_approach four growth trait genomic_prediction best derived debvs including parental information response_variable two debvs regardless genotyping_platform bayesian_method genomic_prediction accuracy korean duroc_pig breeding', 'holstein_friesian cow_training set created according disease_incidence the different datasets used investigate impact random_forest genomic_blup gblup_methodology genomic_prediction accuracy addition verification specific scenario genomic_blup applied disease trait included overall trait category claw disorder clinical_mastitis iii infertility first lactation holstein_cow kept herd subset cow genotyped snp panel response_variable scenario proof drps phenotype pcp initially sick_cow allocated testing_set healthy cow represented training_set for ongoing cow allocation scheme number sick_cow training_set increased stepwise moving sick_cow testing training_set step the size training testing_set kept constant replacing number cow testing_set randomly_selected healthy cow_training set for gblup method prediction_accuracy larger drps compared pcp for pcp response_variable largest prediction_accuracy observed disease_incidence training_set reflected disease_incidence whole population increase prediction_accuracy selected cow allocation scheme larger prediction_accuracy compared corresponding scenario gblub achieved via gblup application correlation association study snp effect importance criterion single snp moderate range considering snp chromosome specific chromosome segment identified significant snp close potential positional_candidate gene clinical_mastitis laminitis endometritis', 'equine recurrent laryngeal neuropathy rln bilateral mononeuropathy unknown etiology thoroughbred previously demonstrated haplotype association height locus affect body_size rln coincident present_study performed association scan gwas rln american belgian draft_horse breed fixed risk alelle breed rln_risk associated sexually dimorphic difference height identified novel locus contributing height manner mypn yet specific locus contributes little rln_risk suggesting growth trait correlated height may underlie correlation disease controlling height identified locus contributing rln_risk specifically male these_result suggest locus gene expression play_important role altering growth trait impacting rln etiology necessarily adult_height these newly_identified gene promising target novel preventative treatment strategy', 'tuberculosis affect wide_range host specie worldwide understanding remains global challenge owing complex interaction among host genetic factor pathogen trait environmental_condition used endemic wild_boar population undergone huge increase mycobacterium bovis infection prevalence understand effect host_genetics host outcome disease dynamic host genomic variation characterized using single_nucleotide polymorphism snp_array host phenotype assessed using gross pathology mycobacterial culture two complementary association gwas analysis conducted the snp highest allelic_frequency difference outcome identified validated large dataset addition quantified expression_level closest_gene these analysis highlighted various snp closest_gene candidate host genetic susceptibility addition selection finding outline putative role demographic event shaping genomic variation natural population population crash drift may impact host genetic susceptibility time', 'bone size important trait chicken association osteoporosis layer meat production broiler here employed high_density genotyping_platform detect candidate_gene bone trait estimate narrow heritabilities ranged shank_length tibia_length the dominance heritability shank_length using linear_mixed model approach identified promising locus within ncapg chromosome associated tibia_length mass femur length area shank_length addition three locus associated bone size mass significance_threshold one region chicken chromosome harbored second region accounted_phenotypic variance located around chromosome allele_substitution predicted associated tibia_length four candidate_gene identified chromosome comprising spop ngfr gip associated tibia_length mass femur length area shank_length genome partitioning analysis_indicated variance_explained chromosome proportional length', 'objective genome_wide association study conducted_identify validate candidate_gene associated fatty_acid composition pork method total purebreed duroc_pig genotyped using bead_chip association test implemented following rapid_association using_mixed model control approach result total single_nucleotide polymorphism snp significantly_associated stearic oleic saturated_fatty acid sfa respectively genome_wide significant variant located region swine chromosome spanned top snp located_near desaturase_scd gene this gene directly involved desaturation stearic_acid oleic_acid general relationship significant snp showed high linkage_disequilibrium thus signal attributed scd_gene however understanding role gene like elongation long chain fatty located chromosomal_segment might_help understanding metabolism biosynthesis fatty_acid conclusion overall study_provides evidence validates scd_gene strong candidate_gene associated fatty_acid composition duroc_pig moreover study confirms significant snp near gene', 'artificial_selection often associated numerous change seemingly unrelated phenotypic trait the genetic_mechanism correlated phenotype probably involve pleiotropy linkage gene related phenotype dongxiang_chicken indigenous_chicken breed_china segregated significantly dermal hyperpigmentation phenotype two line chicken divergently_selected respect comb color generation the red comb line chicken produce significantly_higher number egg dark comb line chicken the_objective study explore potential mechanism involved relationship comb color egg_production among chicken based association study result identified genomic_region chromosome involving associated hyperpigmentation chicken comb further analysis selection_signature two divergent_line revealed several candidate_gene including closely located chromosome involved_development neural crest cell reproductive system the two gene known role_regulating ovarian function melanogenesis indicating pleiotropic_effect hyperpigmentation egg_production chicken association analysis egg_production confirmed pleiotropic_effect selected locus identified selection_signature the study_provides insight phenotypic evolution due genetic_variation across genome the information might_useful current breeding effort develop improved breed egg_production', 'bacterial cold_water disease bcwd cause significant mortality economic_loss salmonid aquaculture previous_study identified effect quantitative_trait locus qtl bcwd_resistance rainbow_trout oncorhynchus_mykiss however recent_availability snp_array reference genome_assembly enabled conduct_association study_gwas overcome several experimental limitation previous work current_study conducted gwas bcwd_resistance two rainbow_trout breeding population using two genotyping_platform affymetrix snp_array dna rad sequencing overall identified effect qtl explained genetic_variance one two population four qtl found population explaining substantial_proportion variance although major difference also detected two population our_result confirm bcwd_resistance controlled oligogenic inheritance effect locus number locus small effect bcwd_resistance detected difference qtl number genome location two gwas model weighted_gblup bayes highlight utility using different model uncover qtl the detected greater number qtl snp_array one population suggesting may uncover polymorphism unique informative specific population discovered', 'modern breeding_scheme livestock_specie accumulate large_amount genotype phenotype data used association study_gwas many chromosomal_region harboring effect quantitative_trait reported study underlying causative_mutation remain mostly undetected study_combine large genotype phenotype data available commercial_pig breeding_scheme three different breed duroc_landrace large_white pinpoint functional variation region porcine chromosome affecting number_teat nte our_result show refining trait definition counting number_vertebra nve_rib rib help reduce noise genetic_variation increase heritability nve_rib duroc however landrace effect qtl nte mainly affect nve_rib reflected reduced heritability rib compared nve further difference allele_frequency accuracy rib counting influence genetic_parameter correction top snp detect qtl effect nte nve_rib landrace duroc molecular level haplotype derived snp data detects core haplotype seven snp duroc sequence analysis duroc animal show two functional mutation vertnin_vrtn gene known increase number_thoracic vertebra rib reside haplotype landrace linkage_disequilibrium extends region also containing vrtn mutation here modifying locus expected cause effect additional variant found wildtype haplotype surrounding vrtn region sequenced landrace animal point toward breed specific difference expected present also across whole_genome this landrace specific haplotype contains two_missense mutation gene one expected negative effect protein function together integration largescale genotype phenotype sequence_data show exemplarily population parameter influenced underlying variation molecular level', 'the causal_mutation polledness nelore bos_taurus indicus_breed seems appeared first brazil the expression polled trait known ruled group allele taurine_breed however genetic_basis trait indicine cattle still unclear the_aim study identify_genomic region associated hornless trait commercial nelore population total animal phenotype recorded snp the weighted approach association study wssgwas used_estimate snp effect variance accounted sliding snp window centromeric_region chromosome size found associated hornless studied population total gene mapped region including taurine polled locus gene expression related horn formation described literature the functional enrichment_analysis david tool revealed receptor interaction signaling natural killer cell mediated cytotoxicity osteoclast differentiation pathway significant addition run_homozygosity roh analysis identified roh island polled animal inside region identified wssgwas polledness nelore_cattle associated one region genome size chromosome several gene harbored region may act together determination phenotype fine_mapping locus responsible polled trait nelore breed identification molecular_mechanism regulating horn growth deserve investigation', 'milk_fever important metabolic_disorder affect dairy_cow around parturition associated breakdown mechanism calcium homeostasis resulting low blood calcium level hypocalcemia the main_objective study dissect_genetic basis underlying milk_fever incidence holstein_cattle data_consisted lactation incidence record_cow the analysis included scan subsequent analysis order reveal individual gene genetic_mechanism biological_pathway implicated incidence periparturient hypocalcemia the association analysis identified least eight different genomic_region explain considerable amount additive_genetic variance milk_fever incidence notably region harbor gene directly involved vitamin metabolic_pathway moreover analysis_revealed several functional term calcium ion binding calcium ion transportation cell_differentiation cell activation protein phosphorylation apoptosis protein_kinase activity among_others could implicated development periparturient hypocalcemia overall comprehensive study contributes better_understanding genetic control complex disease addition finding may_contribute development novel breeding_strategy reducing_incidence milk_fever dairy_cattle', 'this_study aimed_identify single_nucleotide polymorphism snp associated milk cholesterol chl_content via genome_wide association study_gwas milk_chl content determined gas_chromatography expressed chl fat milk gwas_performed cow snp using univariate linear_mixed model two snp significantly_associated respectively the important region chromosome bta bta respectively sd gene also known associated human plasma chl phenotype identified potential candidate_gene bovine milk_chl additional new potential candidate_gene milk_chl enrichment_analysis suggested identified candidate_gene participated signaling process key member tight_junction focal adhesion notch signaling glycerolipid metabolism_pathway furthermore identified transcription_factor ppard lxr might important regulation bovine milk_chl content the expression several positional_candidate gene correlation milk_chl content confirmed rna sequence_data mammary_gland tissue this_first gwas bovine milk_chl the identified marker candidate_gene need validation larger cohort use_selection cow desired milk_chl content', 'background_improving resistance mastitis one costliest disease dairy production become important objective dairy_cattle breeding however mastitis_resistance influenced many gene involved multiple process including response_infection inflammation healing low genetic heritability environmental variation farm management difference complicate identification link genetic variant mastitis_resistance consequently study genetics variation mastitis_resistance dairy_cattle lack agreement responsible gene result associated imputed sequencing marker nordic_holstein cattle mastitis_resistance association study_gwas next augmented marker gene associated region using gene_ontology term kyoto encyclopedia gene genome pathway analysis mammalian phenotype database confirm result analysis used gene expression data cow udder identified independent quantitative_trait locus qtl collectively explained variance breeding_value resistance clinical_mastitis using association test_statistic multiple piece independent information gene function differential_expression bacterial infection suggested putative causal gene biological relevance qtl affecting resistance dairy_cattle conclusion combining_information nearest positional gene analysis differential gene expression data identified putative causal gene candidate_gene biological evidence qtl mastitis_resistance nordic_holstein cattle the strategy applied trait', 'our previous association study identified significant snp novel_promising candidate_gene milk_fatty acid chinese_holstein among hydratase short chain hydratase coa dehydrogenase ehhadh gene located_near two snp one snp respectively play_important role fatty_acid metabolism_pathway herein validated whether two gene genetic effect milk_fatty acid trait dairy_cattle coding_region partially adjacent intron flanking sequence identified snp two exon four flanking_region six intron the snp result amino_acid replacement leucine phenylalanine change secondary structure protein association analysis showed significantly_associated three milk_fatty acid the remaining snp found significantly_associated least_one milk_fatty acid also found two haplotype_block consisting nine two snp respectively significantly_associated eight milk_fatty acid however none polymorphism observed ehhadh gene conclusion finding first indicate gene significant genetic impact unsaturated saturated_fatty acid trait dairy_cattle although biological_mechanism still undetermined requires validation', 'previous_research shown play_essential role sheep reproduction however research focused reproductive_seasonality sheep scientist studied association polymorphism gene ovine litter_size reproductive_seasonality therefore chose gene detect novel sequence polymorphism population genetics analyse association seasonal reproduction litter_size ewe the mrna_expression level hypothalamus pituitary ovary also detected study five polymorphism identified exon most importantly significant difference oestrous_sheep seasonal oestrous_sheep great effect litter_size small_tail han_sheep addition mrna_expression level hypothalamus polytocous small_tail han_sheep significantly_higher monotocous small_tail han_sheep expression hypothalamus oestrous_sheep significantly_higher seasonal oestrous_sheep polymorphism exon may_regulate reproductive_seasonality litter_size ewe influencing gene expression regulate reproductive_seasonality litter_size ewe our study provided_useful guidance selection litter_size small_tail han_sheep', 'eye_colour genetics extensively studied human since rediscovery mendel law this trait first interpreted using simplistic genetic model soon realised complex study analysed eye_colour variability large_white pig population report result gwass based several comparison including pig four main eye_colour category three pigmented eye different brown grade pale medium dark another one eye completely depigmented heterochromia pattern heterochromia iridis depigmented iris sector pigmented iris heterochromia iridum one whole eye iris depigmented phenotype eye iris completely pigmented pig genotyped_illumina beadchip gemma used association analysis the result_indicated chromosome ednrb kitlg affect different grade brown pigmentation eye bilateral eye depigmentation defect heterochromia iridis defect recorded white pig population respectively these gene involved several mechanism affecting pigmentation significant association eye depigmented pattern also identified snp two region including two candidate_gene including candidate_gene this_study provided_useful information understand eye pigmentation mechanism valuing pig animal model study complex phenotype human', 'litter_size economically_important trait sheep breeding the_objective study follows ascertain known variant bmprib gene present associated litter_size mongolia_sheep identify novel variant perform_association analysis validate effect promoter variant activity gene the result known variant showed fecbb affected litter_size mongolia_sheep the association analysis result novel variant showed genbank_accession untranslated_region utr exon snp promotor significantly_associated litter_size mongolia ewe respectively addition promoter_activity analysis showed allele position could_decrease luciferase_activity compared allele our_finding may facilitate effective selection increase litter_size mongolia_sheep population well bring new_insight expression', 'objective intramuscular_fat imf_content play_important role meat_quality identification single_nucleotide polymorphism snp gene related pig imf especially using pig population high imf_content variation help establish novel molecular breeding tool optimizing imf pork unveil mechanism_underlie fat metabolism method collected muscle sample chinese lulai black pig measured imf_content soxhlet extraction method genotyped snp using geneseek genomic_profiler porcine_beadchip then association study performed_using linear_mixed model implemented gemma_software result total snp identified significantly_associated imf_content cutoff among significant snp greatest number snp detected two linkage_disequilibrium block formed among additionally significant snp mapped previously_reported quantitative_trait locus qtls imf confirmed_previous qtls study annotated gene centering significant snp obtained ensembl database overrepresentation test pathway gene_ontology term revealed enriched reactome pathway term mainly involved_regulation basic material transport energy metabolic_process signaling_pathway conclusion these_finding improve_understanding genetic_architecture imf_content pork facilitate study gene influence fat_deposition muscle', 'plumage colouration bird important plethora reason ranging camouflage sexual signalling specie recognition the gene underlying colour variation vital understanding gene affect phenotype multiple gene identified affect plumage variation research principally focused gene causing albinism barring like rather smaller effect modifier locus subtly influence colour utilising domestic wild advanced_intercross combination classical qtl mapping red colouration quantitative_trait targeted genetical_genomics approach identified five separate candidate_gene crebbp putatively influence quantitative variation colouration chicken treating colour quantitative rather qualitative trait identified qtl gene small effect such small effect locus potentially far prevalent wild population therefore potentially highly relevant colour evolution', 'sheep important_source meat dairy_product wool play_essential part global agricultural economy body_weight body_conformation key trait sheep industry however underlying genetic_mechanism poorly_understood study_gwas implemented identify promising gene possibly linked birth_weight body_conformation trait neonatal sheep using chip_after quality_control individual variant analyzed using gemma_software mixed_linear model total suggestive snp obtained four associated four withers_height body_length chest_girth total gene associated body_conformation trait identified aligning sheep genome ovis involved cell_cycle body development promising_candidate gene found included following fo like transcription_factor subunit potassium channel_subfamily member transmembrane protein transforming_growth factor beta induced tgfbi leukocyte chemotaxin trafficking kinesin protein these_result provide cue similar study aiming uncovering genetic_mechanism underlying body development selection_program focusing body_conformation trait sheep', 'the genetic factor determining phenotypic_variation porcine fatness phenotype still largely unknown investigated_whether polymorphism eight gene ciart display differential_expression skeletal_muscle fasted fed sow associated variation lipid mrna_expression phenotype duroc_pig the performance association analysis gemma_software demonstrated snp gene associated ldl concentration day corrected moreover snp gene displayed significant association stearic_acid content longissimus_dorsi muscle corrected both snp also associated mrna_level corresponding gene gluteus_medius skeletal_muscle from biological perspective result meaningful protein play_essential role mitochondrial fusion process tightly connected energy status cell fundamental component circadian clock however inclusion two snp association analysis demonstrated located peak significance two trait study thus implying two snp causal effect', 'objective feed_consumption contributes large percentage total production cost_poultry industry detecting gene associated feeding trait benefit improve_understanding molecular determinant feed_efficiency the_objective study identify candidate_gene associated feed_conversion ratio_fcr via association study_gwas using sequence_data imputed single_nucleotide polymorphism snp panel chinese_indigenous chicken population method total chinese_indigenous chicken phenotyped fcr genotyped using snp genotyping_array bird selected sequencing snp panel data imputed whole sequence_data bird reference the gwas_performed gemma_software result after_quality control snp used sequence based gwas ten significant genomic_region detected associated fcr ten candidate_gene ubiquitin specific peptidase leukotriene hydrolase ets transcription_factor inhibitor apoptosis protein sosondowah ankyrin repeat_domain family_member calmodulin regulated spectrin associated protein family_member zinc_finger btb domain_containing potassium channel_subfamily member member ra oncogene family annotated several within near reported fcr quantitative_trait locus others newly_reported conclusion result study provide_valuable prior_information chicken genomic breeding_program potentially improve_understanding molecular_mechanism feeding trait', 'aggression pig welfare concern negatively_affect production skin lesion reliable indicator aggression moderately_heritable suggesting selective_breeding may reduce aggression understand_genetic control behavioral trait aggressive response regrouping associated single_nucleotide polymorphism snp identified within genome region snp located related known gene investigate snp associated aggression purebred yorkshire_pig strategically remixed new group familiar unfamiliar animal three life stage lesion count_recorded genomic_best linear_unbiased prediction_gblup model_fitted trait the genetic additive_effect obtained genetic relationship_matrix constructed snp snp effect variance estimated gblup object snp associated significant portion trait variance identified lesion anterior three snp fdr central one snp fdr portion body pig these snp located chromosome suggesting chromosome contains region explaining variation lesion count explored identify gene underlying biological control aggression', 'determine genetic_basis pork eating quality trait cooking_loss herein_performed association study_gwas tenderness_juiciness oiliness umami overall liking cooking_loss using whole_genome sequence heterogeneous stock pig generated crossing typical western_pig breed duroc_landrace large_white pietrain typical asian pig breed erhualian laiwu bamaxiang tibetan identified associated locus qtls novel seven locus also showed pleiotropic association different trait addition identified multiple promising_candidate gene trait including cooking_loss tenderness_juiciness myh gene oiliness overall liking our_result provide better_understanding genetic_basis meat_quality also potential_application future_breeding complex trait', 'excessive fat_deposition negative factor poultry production reduces feed_efficiency increase cost meat production health concern consumer genotyped bird brazilian chicken resource_population using snp_array estimate genomic heritability fat_deposition related trait identify_genomic region positional_candidate gene pcgs associated trait selection_signature region haplotype_block snp data previous whole_genome sequencing study founder chicken population used refine list pcgs identify potential causative snp obtained high genomic heritabilities identified unique qtls abdominal_fat carcass fat_content trait these qtls harbored pcgs involved biological_process fat cell_differentiation insulin triglyceride_level lipid biosynthetic process three pcgs located_within haplotype_block associated fat trait five overlapped selection_signature region contained predicted deleterious variant the identified qtls pcgs potentially causative snp provide_new insight_genetic control fat_deposition lead improved_accuracy selection reduce excessive fat_deposition chicken', 'micrornas mirna key modulators gene expression act putative complex phenotype here hypothesized causal_variant complex trait enriched mirnas network first conducted association study_gwas seven functional milk_production trait using_imputed sequence_variant million animal three dairy_cattle breed holstein hol nordic_red cattle rdc jersey jer second analyzed enrichment association signal mirnas network our_result demonstrated genomic_region harboring mirna gene significantly_enriched gwas signal milk_production trait mastitis enrichment within gene network significantly_higher random majority trait furthermore correlation enrichment network significantly greater random suggesting pleiotropic_effect mirnas intriguingly gene differentially_expressed response mammary_gland infection significantly_enriched network associated mastitis all finding consistent_across three breed collectively observation demonstrate importance mirnas target expression complex trait', 'background single_nucleotide polymorphism snp_array facilitated discovery genetic marker associated complex trait domestic cattle thereby enabling modern breeding selection_program association analysis gwaa growth trait conducted geographically diverse gelbvieh cattle using union set imputed snp birth_weight weaning_weight yearling_weight analyzed using gemma_emmax via imputed genotype gxe interaction also investigated result gemma_emmax produced moderate_heritability estimate similar gwaa using_imputed snp gemma_emmax revealed common positional_candidate gene underlying pleiotropic qtl gelbvieh growth trait the estimated proportion_phenotypic variance_explained pve lead snp defining qtl emmax larger similar smaller collectively gwaas gemma_emmax produced highly concordant set qtl met nominal_significance level prioritization common positional_candidate gene including gene previously associated stature feed_efficiency growth trait ncapg lcorl qtl consistent among trait nominal_significance threshold although shared qtl apparent le stringent significance_threshold conclusion pleiotropic qtl growth trait detected gelbvieh beef_cattle seven qtl detected gelbvieh growth trait also recently detected feed_efficiency growth trait angus simangus hereford cattle heritability_estimate detection pleiotropic qtl segregating multiple breed support implementation genomic_selection', 'wrinkle uneven fold ridge crease skin facial_wrinkle appear head typically increasing along aging however several chinese_indigenous pig erhualian_pig rich facial_wrinkle generated growth stage one breed characteristic investigate genetic_basis underlying development swine facial_wrinkle estimated folding extent facial_wrinkle herd erhualian_pig conducted association study facial_wrinkle using porcine chip found facial_wrinkle high_heritability estimate erhualian_pig notably one significant qtl detected porcine chromosome the significant snp located_downstream candidate_gene allele benefit increase facial_wrinkle evolutionary selection analysis suggested haplotype containing allele artificial_selection consistent local animal sacrificial custom praying longevity our_finding made important clue deciphering molecular_mechanism swine facial_wrinkle formation shed_light research skin wrinkle development human mammal', 'detection snp change biological_function gene may_lead identification putative_causative allele within qtl region discovery genetic marker large effect phenotype this_study objective first develop validate transcribed gene using data achieve objective two bioinformatics pipeline gatk samtools used identify transcribed snp allelic_imbalance associated important aquaculture production trait including body_weight muscle yield muscle fat_content shear_force whiteness addition bacterial disease bcwd snp ere identified pooled data_collected fish representing family family line divergent phenotype addition transcribed snp without strategically added build affymetrix snp selected included two snp per gene gene snp the used genotype fish the average snp sample passing quality_control fish the second objective_study test feasibility using new gwa association analysis identify qtl explaining muscle yield variance gwa study fish representing family consecutive_generation muscle yield phenotype genotyped polymorphic marker passing identified several qtl region explaining together additive_genetic variance muscle yield rainbow_trout population the significant qtls chromosome genetic_variance respectively many annotated gene qtl region previously_reported important regulator_muscle development cell signaling major qtls identified previous gwa study using genomic snp_chip fish population these_result indicate improved detection_power transcribed gene target trait population allowing identification qtls important trait rainbow_trout', 'blood value calcium inorganic phosphorus alkaline phosphatase activity alp valuable indicator mineral status bone mineralization the mineral homeostasis maintained absorption retention excretion process employing number known unknown sensing regulating factor implication immunity due high variation level blood pig clarify molecular contribution variation genetics hematological trait related balance investigated german_landrace population integrating association study_gwas approach genomic heritability_estimate suggest moderate genetic contribution variation hematological alp ratio value ranging the analysis marker add number genomic_region list quantitative_trait locus overlap previous result despite gap knowledge gene involved metabolism gene like shh ptprt reported connection bone metabolism derived significantly_associated genomic_region additionally genomic_region included gene coding phosphate transporter linked homeostasis the study call improved functional_annotation proposed candidate_gene derive feature involved_maintaining balance this gene information exploited diagnose predict characteristic micronutrient utilization bone development musculoskeletal system pig husbandry breeding', 'intramuscular_fat imf important quantitative_trait meat affect associated sensory property nutritional_value pork gain better_understanding genetic determinant imf used composite strategy including association analysis perform_association study_gwas imf duroc_boar estimated genomic heritability imf total single_nucleotide polymorphism snp found significantly_associated imf the mixed_linear model_mlm method mixed_linear model mrmlm fast efficient_mixed model association fastmremma integrative sure independence screening expectation maximization bayesian least absolute shrinkage selection operator model isi analysis identified significant snp respectively interestingly novel quantitative_trait locus qtl ssc found affect imf addition candidate_gene utrn dpyd found associated imf based potential functional role imf analysis showed gene involved muscle organ development significantly_enriched kegg pathway sphingolipid signaling_pathway reported associated fat_deposition obesity identification novel variant functional gene advance_understanding genetic_mechanism imf provide specific opportunity genomic_selection pig general composite strategy gwas may_useful understanding_genetic architecture economic trait livestock', 'salmonella enterica serovar gallinarum cause devastating outbreak fowl_typhoid across globe especially developing country with use antimicrobial agent reduced due legislation absence licensed vaccine part world attractive complementary control_strategy breed chicken increased resistance salmonella the potential genetic control salmonellosis demonstrated experimental challenge inbred population quantitative_trait locus qtl associated resistance identified many genomic_region major qtl associated systemic salmonellosis identified region termed present_study two outbreak fowl_typhoid united_kingdom used investigate genetic_architecture salmonella_resistance commercial_laying hen first outbreak resistant_susceptible layer genotyped using single_nucleotide polymorphism snp microsatellite_marker located previously identified region chromosome from second_outbreak resistant_susceptible layer belonging different line genotyped snp_array substantial heritability_estimate obtained population layer first_second outbreak respectively significant association three marker chromosome located_close gene coding protein_kinase protein respectively identified first outbreak from analysis second_outbreak eight significant association salmonella_resistance identified chromosome several others suggestive_significance found pathway network analysis_revealed presence many innate_immune pathway related salmonella_resistance although significant association snp located locus identified scan layer second_outbreak pathway analysis_revealed signaling significant pathway summary resistance fowl_typhoid heritable polygenic trait could possibly enhanced selective_breeding', 'objective the_purpose study_investigate single step association study ssgwas identifying genomic_region affecting reproductive trait landrace_large white pig method the trait included number pig weaned per sow per_year pwsy number litter per sow per_year lsy pig weaned per_litter pwl born_alive per_litter bal day npd wean conception interval per_litter total animal landrace_large white pig genotyped_illumina porcine snp beadchip containing single_nucleotide polymorphism snp multiple trait genomic_blup method used_calculate variance snp window landrace_large white data record result the outcome ssgwas reproductive trait identified snp associated reproductive trait landrace_large white respectively three known gene identified candidate_gene landrace pig including retinol binding_protein ubiquitination factor gene pwl bal pwsy one gene solute_carrier organic anion transporter family_member lsy npd meanwhile five gene identified candidate_gene large_white two aldehyde dehydrogenase family_member leucine rich repeat kinase associated six reproduction trait three gene retrotransposon gag like transient receptor potential cation channel_subfamily member lhfpl tetraspan subfamily_member five trait except conclusion the genomic_region identified study provided point marker_assisted selection estimating genomic breeding_value improving reproductive trait commercial_pig population', 'characterization genetic variant affecting gene expression_level expression quantitative_trait locus eqtls pig testis may improve_understanding genetic_architecture boar_taint animal_welfare trait help genomic_selection program the_aim study identify eqtls associated androstenone find candidate eqtls low androstenone validate top eqtl reverse transcriptase quantitative_pcr gene expression profile obtained rna_sequencing testis danish pig genotype data single_nucleotide polymorphism panel total eqtls false_discovery rate_fdr identified using two software package matrix eqtl krux eqtl eqtls significantly_associated androstenone_concentration gene expression fdr the eqtls associated several gene boar_taint relevance including one eqtl gene amph differentially_expressed fdr affected chicory five candidate eqtls associated low androstenone_concentration discovered including top eqtl associated confirmed target gene expression significantly different based eqtl genotype furthermore eqtls enriched qtls boar_taint related trait pigqtldb this_first study report eqtls testis commercial_crossbred pig used pork production reveal genetic_architecture boar_taint potential_application include development dna test advanced genomic_selection model boar_taint', 'litter_size one important economic trait pig production directly related production efficiency important litter_size trait pig number_piglet born_alive birth nba receives widespread interest pig_industry however trait piglet_born dead including number_stillborn piglet piglet mummified birth noted explain loss reproduction herein present_study total producing sow sampled farrowing record nba trait collected duroc swine population subsequently association study_gwas performed nba parity group total putative region found associated trait after stepwise conditional analysis around putative region eight independent signal ultimately identified nba seven promising_candidate gene related trait including rxrg apc our_finding contribute understanding significant genetic cause piglet_born alive dead could positive effect pig production efficiency economic profit', 'identifying genetic_basis domestication improvement_livestock contributes understanding role artificial_selection shaping genome here used sequencing genotyping sequencing approach detect artificial_selection signature identify associated snp two economic trait duroc_pig total candidate selection region detected combining fixation index composite likelihood_ratio method further association study revealed seven associated snp related intramuscular_fat content feed_conversion ratio trait respectively enrichment_analysis suggested artificial_selection region harbored gene mstn responsible economic trait including lean muscle_mass fertility immunization overall study found series candidate_gene putatively associated breeding improvement duroc_pig polygenic basis adaptive evolution provide important reference fundamental information future_breeding program', 'genomic_selection proposed mitigation methane emission cattle considerable variability emission individual fed diet the association study_gwas represents important tool_detection candidate_gene haplotype single_nucleotide polymorphism snp marker related characteristic economic_interest the present_study included information cow three dairy production_system mexico dual purpose specialized tropical dairy familiar production_system concentration breath individual cow time milking meim estimated system infrared sensor after_quality control analysis snp included association marker made using linear_regression model corrected principal_component analysis total snp identified significant production several snp associated production found region previously_described quantitative_trait locus composition characteristic meat milk_fatty acid characteristic related feed_intake concluded snp identified could_used genomic_selection program developing country combined datasets global selection', 'despite major advance estimated large part melanoma predisposing gene remains discovered animal model spontaneous disease valuable_tool experimental_cross used identify new susceptibility locus associated melanoma performed association study_gwas melanoma occurrence progression clinical ulceration presence metastasis porcine model spontaneous melanoma melim pig five locus chromosome showed_significant association either one phenotype suggestive association also found additional locus moreover comparison porcine result reported human melanoma gwas indicated shared association signal notably tert locus also nearby fto locus extensive search literature revealed potential key_role gene identified porcine locus tumor invasion dst immune_response modulation progression phenotype these biological_process consistent feature melim tumor open new route future melanoma research human', 'insect bite hypersensitivity ibh cutaneous allergic reaction antigen culicoides prevalent skin disorder horse misdiagnosis possible ibh usually diagnosed based clinical_sign our study first employ ige_level several recombinant culicoides spp allergen objective independent quantitative phenotype improve power_detect genetic variant underlie ibh genotype shetland pony icelandic horse belgian warmblood_horse analyzed using_mixed model approach polymorphism snp passed bonferroni corrected significance_threshold several region identified within across breed confirmed previously identified region interest addition identifying new region interest ige_level continuous objective phenotype allow powerful analysis compared significant association obtained however use higher density array seems necessary fully employ use ige_level phenotype while result still require_validation large independent dataset use ige_level showed value objective continuous phenotype deepen understanding_biology underlying ibh', 'there several association study_gwas reported carcass growth meat trait chicken most study based single snp gwas contrast gwas report limited present_study northeast_agricultural university_broiler line_divergently selected abdominal_fat content neauhlf genotyped chicken snp_chip used_perform gwas the lean_fat chicken line_selected abdominal_fat content abdominal_fat weight significantly different line however difference body_weight lean_fat line total haplotype window significantly_associated abdominal_fat weight these significantly_associated haplotype window primarily located chromosome seven candidate_gene including shh located_within associated region these gene may_play important_role control abdominal_fat content two region chromosome significantly_associated testis weight these region previously detected single snp gwas using resource_population chromosome identified potentially important candidate_gene testis growth development based gene expression analysis reported function gene previously detected snp snp interaction analysis located region chromosome significantly_associated testis weight six candidate_gene including nppc mthfr chromosome may_play important_role bone development based known_function gene addition several region significantly_associated carcass growth trait candidate_gene identified the result present_study may helpful understanding_genetic mechanism carcass growth trait chicken', 'the debao_pony dwarf horse breed_china group gene regarded one important candidate_gene regulating body_height horse the_aim study study association mutation gene withers_height debao_pony the polymorphism exon partial intron gene screened sequencing across debao_pony and association dna variant withers_height analyzed seven genetic variant identified gene including six novel variant among six mutation located two closed linked block the three novel variant intron fifth exon known mutation significant association withers_height debao_pony these_result suggest four variant potential used genetic marker dwarf horse breeding activity', 'the roan coat_color horse characterized dispersed white hair dark point this phenotype segregate broad_range horse breed underlying genetic background still_unknown previous_study mapped roan locus kit gene equine chromosome however association could validated across different horse breed performing association analysis gwas noriker horse identified single_nucleotide polymorphism snp intron kit gene the top associated snp present roan horse namely quarter horse murgese slovenian belgian draught horse absent panel breed including horse gray lipizzan horse eight animal exhibited heterozygous genotype comparative sequence analysis kit region revealed two deletion downstream region deletion combined insertion intron kit within noriker sample locus complete_linkage disequilibrium identified top snp based_upon pedigree_information historical record able trace back genetic origin roan coat_color baroque gene pool furthermore data suggest allelic heterogeneity existence additional roan allele pony breed related english thoroughbred order study roan phenotype segregating breed association verification study required', 'one abundant milk whey_protein many mammal specie including domestic horse the_aim study screen polymorphism equine gene sequence exon_intron region ass potential relationship particular genotype gene expression_level measured milk somatic_cell milk composition trait protein fat lactose total content direct dna_sequencing analysis performed twelve horse breed polish primitive horse pph polish coldblood_horse pch polish warmblood_horse pwh silesian hucul fjording haflinger shetland pony welsh pony arabian thoroughbred revealed presence polymorphic_site gene respectively including eight previously unknown association analysis selected polymorphism gene expression milk composition trait conducted pph pch pwh breed showed several statistically_significant relationship example two linked snp associated total milk_protein content our study also confirmed horse breed significant impact gene transcript_level milk lgb content whereas influence lactation period seen gene relative mrna_abundance', 'sheep seasonally polyestrous traditionally breeding day length shortens autumn the changing photoperiod stimulates reproductive_hormone series chemical pathway ultimately leading cyclicity some breed sheep polypay dorset selected reduced seasonality lamb despite selection still variation within breed ability lamb season the identification season lambing quantitative_trait locus potential improve genetic_progress using genomic_selection scheme association study fixation index fst run_homozygosity roh evaluated identify region genome influence ability ewe lamb season all analysis used genotypic_data illumina_ovine beadchip association tested across breed ewe within dorset polypay breed fst measured across breed dorsets ass population difference roh estimated ewe identify homozygous region contributing season lambing significant association multiple_testing correction found approach leading identification several candidate_gene study gene involved eye development reproductive_hormone neuronal change identified promising influencing ewe ability lamb these candidate_gene could advantageous selection improved lamb production provide better insight_complex regulation seasonal reproduction', 'objective muscle_fiber type number area crucial aspect associated meat production quality however study pig muscle_fibre trait term detection_power false_discovery rate confidence_interval precision quantitative_trait locus qtl previously performed genome scanning muscle_fibre trait using microsatellites detected significant qtls white erhualian population the confidence_interval qtls ranged centimorgan contained hundred gene hampered identification qtls sequence imputation population used fine_mapping study method sequence association study performed population genotyping performed individual the variant imputed single_nucleotide polymorphism snp identified examined association longissimus_dorsi muscle_fiber trait result total significant snp comprising novel qtls showing association relative area fiber_type fiber_number per square centimeter total fiber_number tfn moreover one qtl pig chromosome found affect tfn furthermore four plausible_candidate gene associated kinase domain_containing tfn solute_carrier family_member contactin associated protein like glutamate metabotropic receptor identified conclusion efficient powerful association approach utilized identify gene potentially associated muscle_fiber trait these identified gene snp could explored improve meat production quality via selection pig', 'disease_resistance one important trait aquaculture_industry for catfish industry enteric septicemia catfish esc caused bacterial pathogen edwardsiella ictaluri severe disease causing enormous economic_loss every year study used three channel_catfish family individual fish per family catfish snp_array conducted association study detect_quantitative trait locus qtl associated esc_resistance three significant qtl two located one three suggestive qtl located respectively identified associated esc_resistance with reference genome_sequence gene around involved qtl region identified among gene gene known_function immunity may involved esc_resistance notably identified also found qtl region esc_resistance channel_catfish blue catfish interspecific_hybrid system suggesting qtl operating within channel_catfish population interspecific_hybrid backcross population many gene class mhc pathway mediated antigen processing presentation found qtl region the positional correlation found study expressional correlation found previous_study indicated class mhc pathway significantly_associated esc_resistance this_study validated one qtl previously identified using second fourth generation interspecific_hybrid backcross_progeny identified five additional qtl among channel_catfish family taken_together appears major qtl esc disease_resistance making selection effective approach genetic_improvement esc_resistance', 'the pelibuey_sheep adaptability climatic variation resistance parasite good maternal_ability whereas ewe present multiple birth increase litter_size farm sheep the litter_size wool sheep breed associated presence mutation mainly family transforming_growth factor gene explore_genetic mechanism_underlying variation litter_size conducted association study two group pelibuey_sheep multiparous sheep two lamb per birth uniparous sheep single lamb birth using beadchip identified total putative snp marker bonferroni_correction the candidate_gene may associated litter_size pelibuey_sheep cga genomic_region also identified contain three quantitative_trait locus qtls aseasonal_reproduction asrep milk_yield body_weight these_result allowed_identify snp associated gene could involved reproductive process related prolificacy', 'the present_study aimed_identify molecular_marker gene influence intramuscular_fat content ifc average_backfat thickness abt total suhuai_pig slaughtered measurement ifc_abt obtained phenotypic genetic_correlation ifc_abt calculated thirteen single_nucleotide polymorphism snp among candidate_gene ifc analyzed including lipe lep_lepr retn scd association evaluated snp ifcifc abt performed our_result showed mean ifc_abt respectively the coefficient_variation cv ifc_abt respectively the phenotypic genetic_correlation ifc_abt moderate only associated ifc_abt besides tendency association scd ifc our_result indicated snp could_used marker improve ifc without changing abt suhuai_pig breeding system', 'genome_wide association analysis diverse population identify complex trait locus specifically present one population shared across multiple population help_better understand_genetic architecture_complex trait broader genetic context study conducted association study fatty_acid composition trait million imputed genome_sequence snp pig six population encompassing white_duroc erhualian sutai dly cross laiwu erhualian bamaxiang pig originally genotyped million single_nucleotide polymorphism snp_chip the analysis uncovered lead snp among locate lead chip snp considered novel largely augmented landscape locus porcine muscle fatty_acid composition enhanced association significance locus near scd thrsp gene suggesting possible existence population shared mutation_underlying locus further haplotype analysis scd locus identified shared haplotype sutai dly pig showing consistent effect decreasing content three population contrast fasn locus found erhualian specific haplotype explaining population specific association signal erhualian_pig this_study refines understanding landscape locus candidate_gene fatty_acid composition trait pig', 'carcass quality trait back_fat loin_depth adg extreme economic_importance swine_industry this_study aimed estimate genetic_parameter trait conduct_association study ssgwas identify_genomic region affect carcass quality growth trait purebred_crossbred pig total pb cbs pig phenotyped adg genotyped using_illumina beadchip_after quality_control snp available used_perform ssgwas bootstrap analysis signal enrichment_analysis performed declare snp significance genome region based variance_explained significant sliding_window estimate_heritability adg estimate_heritability adg genetic_correlation across two population adg respectively the variance_explained significant region trait pb ranged adg cbs variance_explained significant region ranged adg study described region genome determine carcass quality growth trait pig these_result provide_evidence overlapping nonoverlapping region genome influencing carcass quality growth trait pb pig', 'finding effective predictor trait related boar fertility essential increasing efficiency artificial_insemination system pig breeding the_objective study find association polymorphism snp within candidate_gene fertility breed landrace duroc animal breeding_value total number_piglet born exonic region candidate_gene related male_female fertility using sample landrace boar duroc_boar four high four low breeding_value total number_piglet born breed male_fertility female_fertility detect genetic variant genotyping detected snp done landrace boar duroc_boar two snp one snp found significantly_associated total number_piglet born landrace duroc two snp plcz one snp vwf one snp found significantly_associated total number_piglet born these snp explained genetic_variance these effect low used directly selection purpose interest used genomic_selection', 'eastern southern chinese pig imported western country improve economic trait including fertility western_pig breed intensive selecting chinese advantage gene reported selected mutation including aryl hydrocarbon receptor ahr gene could increase litter_size multiple european_commercial line the_objective study identify whether ahr gene polymorphic influence litter_size pig population including five chinese_indigenous breed one cultivated breed one breed two north_american breed one european breed found polymorphism population whereas associated litter_size french yorkshire chinese cultivated suhuai_pig containing approximately british yorkshire_pig ancestry our_result indicated ahr gene potential marker improve litter_size european_commercial line pig containing ancestry european_commercial line whereas locus maybe causal_mutation affecting litter_size linkage_disequilibrium causal_mutation litter_size', 'background growth major economic production trait aquaculture improvement growth performance reduce time cost fish reach market size however gene underlying growth fully explored rainbow_trout result previously developed snp_chip containing snp showing allelic_imbalance potentially associated important aquaculture production trait including body_weight muscle yield used genotyping total fish available phenotypic_data bodyweight_gain genotyped fish obtained two consecutive_generation produced ncccwa breeding_program weighted_gblup wssgblup used_perform association_gwa analysis identify_quantitative trait locus qtl associated bodyweight_gain using genomic sliding_window adjacent snp snp associated bodyweight_gain identified gene involved cell growth cell_proliferation cell_cycle lipid_metabolism proteolytic activity chromatin modification developmental_process chromosome harbored highest number snp snp window_explaining highest additive_genetic variance bodyweight_gain included nonsynonymous snp gene_encoding inositol polyphosphate additionally based gwa_analysis snp identified association bodyweight_gain the highest snp explaining variation bodyweight_gain identified gene coding conclusion the majority gene including involved developmental_process our_result suggest gene important determinant growth could prioritized used genomic_selection breeding_program', 'the montana_composite recently developed beef_cattle population rapidly expanding brazil tropical country this mainly due improved meat_quality adaptation tropical climate condition compared zebu taurine cattle breed respectively this_study aimed_investigate genetic_architecture carcass meat_quality trait montana_composite beef_cattle therefore estimated variance_component genetic_parameter performed association study using weighted genomic_best linear_unbiased prediction_gblup approach pedigree dataset containing animal used genotyped using single_nucleotide polymorphism panel snp total phenotypic_record trait longissimus_muscle area_lma backfat_thickness bft rump_fat thickness rft marbling_score marb respectively used analysis moderate_high heritability_estimate obtained ranged rft_marb high genetic_correlation observed bft_rft suggesting similar set gene affect trait the relevant genomic_region associated lma bft_rft marb found two overlapping genomic_region identified rft_marb bft_rft candidate_gene identified study including lyn wwox previously_reported associated growth stature skeletal_muscle growth fat_thickness fatty_acid composition our_result indicate carcass meat_quality trait montana_composite beef_cattle heritable therefore improved selective_breeding addition various novel already known genomic_region related trait identified contribute_better understanding_underlying genetic background lma bft_rft marb montana tropical composite population', 'background bovine paratuberculosis contagious disease_caused mycobacterium_avium subsp paratuberculosis_map adverse effect animal_welfare serious_economic consequence published result host genetic resistance map inconsistent mainly difficulty characterizing infection_status cow the_objective study identify_quantitative trait locus qtl resistance map holstein_normande cow accurately defined status map result from herd cow without clinical_sign disease subjected least four repeated serum elisa fecal pcr test time determine infected status clinical_case confirmed using pcr only cow concordant result test included analysis positive control cow matched within herd according birth_date ensure level exposure map cow accurate phenotype unaffected control affected clinical_case genotyped_illumina beadchip genotype imputed_sequence using bull genome reference_population association study_gwas map status holstein_normande cow using either two control versus case three class phenotype control clinical_case revealed three region bos_taurus bta chromosome presenting significant effect holstein_cow one identified normande_cow the significant effect found short region conditional analysis_revealed one causal_variant may responsible effect observed chromosome gene good functional_candidate conclusion gwas cow resistance map accurately defined able_identify candidate variant located gene functionally related resistance map explained genetic_variance trait these_result encouraging effort towards implementation breeding_strategy aimed improving resistance paratuberculosis holstein_cow', 'our previous gwas revealed significant snp promising_candidate gene associated milk_fatty acid trait dairy_cattle out carboxypeptidase cpm gene contains significant snp strongly_associated myristic acid herein aimed confirm genetic effect cpm milk_fatty acid chinese_holstein seven snp detected sequence entire exon_flanking region cpm gene three flanking_region one utr three flanking_region using haploview estimated among identified snp found two haplotype_block with animal model performed association analysis observed snp haplotype_block mainly strong genetic association saturated_fatty acid caproic acid caprylic acid capric acid lauric acid addition using genomatix software predicted three snp flanking_region cpm changed transcription_factor binding_site pref progesterone receptor biding site transcription_factor eight central zinc_finger krab domain region dimeric binding_site region alternative splicing variant activated escs further reporter assay showed three snp altered transcriptional_activity cpm gene summary using strategy first confirmed significant genetic effect cpm milk_fatty acid dairy_cattle identified three potential_causal mutation', 'reducing_incidence degree assistance required calving well extent perinatal_mortality economic societal benefit the existence heritable genetic_variability trait signifies presence underlying genomic variability the_objective present_study locate region genome extension putative gene mutation likely underpinning genetic_variability direct_calving difficulty dcd maternal_calving difficulty mcd imputed polymorphism snp data angus_charolais limousin sire representing calving event descendant used several putative quantitative_trait locus qtl region associated calving_performance within across dairy beef breed identified although majority qtl surrounding encompassing myostatin_mstn gene associated dcd population the mutation fifth strongest_association dcd population accounted genetic_variance dcd contrast none segregating variant mstn associated dcd population genomic_region downstream mstn associated the genetic_architecture dcd differed population relative two qtl encompassing bos_taurus autosome_bta identified former pleiotropic snp associated three calving_performance trait also identified three beef breed snp pleiotropic snp associated one trait within population the majority pleiotropic snp surrounding mstn associated dcd multiple previously_reported also novel qtl associated calving_performance detected large study these also included qtl region_harboring snp direction allele_substitution effect dcd mcd thus contributing effective simultaneous selection trait', 'the large small problem posed significant challenge analysis interpretation association study_gwas the use prior_information rank genomic_region perform snp selection could increase_power gwas study propose use gene expression data multiple tissue prior_information assign weight snp select snp based weight threshold utilize weighted hypothesis testing conduct gwas library hypothalamus duodenum ileum jejunum tissue pig divergent feed_efficiency phenotype sequenced gene individual tissue clustering analysis performed_using constrained tensor decomposition obtain total gene expression module loading value gene module used assign weight commercial snp marker snp selected using weight threshold resulting snp set ranging size marker weighted gwas feed_intake pig performed_separately snp set total unique significant snp association identified across ten gene module snp set for comparison standard unweighted gwas using snp performed snp significant none snp unweighted analysis resided known qtl related swine feed_efficiency feed_intake average_daily gain_feed conversion_ratio compared weighted analysis snp residing feed_intake qtl these_result suggest heritability feed_intake driven many snp individually attain significance gwas hence proposed procedure prioritizing snp based gene expression data across multiple tissue provides promising approach improving power gwas', 'objective association study two based gwas_performed explore_genetic mechanism_underlying variation pig number_born alive_nba total number_born tnb method single trait gwas two meta_analysis multitrait meta_analysis used study nba_tnb yorkshire population including three different american yorkshire population one british yorkshire population result the result single trait gwas showed_significant associated single_nucleotide polymorphism snp identified using meta_analysis meta_analysis within population significant locus identified associated target trait spindlin vascular endothelial growth_factor forkhead box msh homeobox lhfpl tetraspan submily member five functionally plausible_candidate gene nba_tnb compared single population gwas meta_analysis improve detection_power identify snp integrating information multiple population the analysis reduced power_detect locus enhanced power identify common locus across trait conclusion total finding identified novel gene validated candidate nba_tnb pig also enabled enlarge population size including multiple population different genetic background increase_power gwas using meta_analysis', 'feed_efficiency key trait pig production improvement positive economic_environmental impact complex phenotype testing animal costly therefore desire find functionally relevant single_nucleotide polymorphism snp biomarkers improve biological understanding well accuracy_genomic prediction performed eqtl expression quantitative_trait locus analysis population danbred durocs danbred landrace using linear anova model based muscle tissue analyzed total combination eqtl detection model the gene based differential gene expression analysis using gene related additionally combined mitochondrial gene the snp applying stringent quality_control linkage_disequilibrium filtering genotype data using ggp porcine snp_array applied fold bootstrapping enrichment_analysis validate analyze detected eqtls identified eqtls fdr affecting several gene found previous_study commercial_pig breed example include mff the bootstrapping result showed statistically_significant enrichment eqtls ci enrichment_analysis top revealed high enrichment gene category gene_ontology associated genomic context expression regulation this included transcription_factor transcription_factor activity nucleus gene negative regulation expression these_result would_useful future genome assisted breeding pig improve improved understanding functional mechanism trans eqtls', 'sow fertility trait litter_size number lifetime parity produced reproductive_longevity economically_important selection trait difficult lowly_heritable expressed late life age_puberty early indicator reproductive_longevity here utilized custom affymetrix polymorphism snp_array enriched positional_candidate genetic variant association study fine_map genetic source associated fertility trait research university unl commercial sow population five major quantitative_trait locus qtl located four sus_scrofa chromosome discovered unl_population negative_correlation observed qtl genomic estimated_breeding value reproductive_longevity measured lifetime number parity ltnp some snp discovered major qtl region located candidate_gene gene_ontology these snp showed_significant suggestive association reproductive_longevity litter_size trait unl_population litter_size trait commercial sow for_example unl_population number favorable_allele snp located untranslated_region increased decreased ltnp increased additionally suggestive difference_observed isoforms usage hypothesized source qtl puberty onset mapped beneficial characterize candidate snp gene understand impact protein sequence function gene expression splicing process change affect phenotypic_variation fertility trait', 'meat_quality important genetic component modified fatty_acid composition amount fat contained adipose_tissue muscle the present_study aimed find genomic_region associated composition backfat muscle longissimus_dorsi pig three different genetic background iberian breed common association study_gwas performed polymorphism snp covering pig genome phenotypic trait related backfat muscle composition nine significant associated region found backfat sus_scrofa chromosome_ssc for intramuscular_fat six significant associated region identified total candidate_gene proposed explain variation backfat muscle composition trait gwas also reanalysed including snp five candidate_gene fasn scd region molecular_marker described study may_useful meat_quality selection commercial_pig breed although several polymorphism analysis would needed evaluate possible causal_mutation', 'meat_quality iberian pig defined combination genetic characteristic particular production_system carry genetic analysis main meat_quality trait estimated_heritabilities genetic_correlation association effect selected snp candidate_gene total ten trait measured longissimus_dorsi sample iberian pig fattened traditional system water_holding capacity thawing cooking centrifuge force water_loss instrumental colour lightness_redness yellowness myoglobin content shear_force cooked_meat shear_force maximum compression force loin estimated heritability value low_moderate lowest highest cooking_loss strong genetic_correlation water_holding capacity trait myoglobin content observed the association analysis_revealed snp significantly_associated different trait consistent strong effect observed snp water_loss also shear_force the snp mapping showed highest effect minolta colour trait genotyping snp could_useful selection iberian young boar similar estimated_breeding value productive trait', 'the chinese qingyu_pig breed invaluable indigenous genetic resource however study investigated genetic_architecture meat_quality trait qingyu_pig here purebred qingyu_pig subjected sequencing after_quality control snp retained association study_gwas performed meat_color three postmortem time_point min using regression analysis total snp associated meat_color longissimus_thoracis muscle ltm respectively snp associated meat_color semimembranosus_muscle respectively seven snp associated pork shared three postmortem time_point several candidate_gene meat trait identified including four gene related skeletal_muscle development regulation release muscle anaerobic respiration promising_candidate selecting superior meat_quality trait qingyu_pig knowledge_first study investigating postmortem genetic_architecture pork_color qingyu_pig our_finding current understanding_genetic factor influencing meat_quality', 'intramuscular_fat content fatty_acid composition affect porcine meat_quality nutritional_value the present_work aimed_identify genomic variant regulating expression porcine muscle longissimus_dorsi candidate_gene lipid_metabolism fatty_acid composition three experimental backcrosses based iberian breed expression association study egwas performed muscle gene expression value measured quantitative_pcr genotype snp distributed_along chromosome the egwas identified esnps located ten sus_scrofa region associated expression fo fdr gene two expression quantitative_trait locus eqtls classified eqtls suggesting mutation gene affecting expression conversely ten eqtls showed effect gene expression when egwas performed backcross independently three common region observed indicating different regulatory_mechanism allelic_frequency among breed addition hotspot region regulating expression several gene detected our_result provide_new data better_understand functional regulatory_mechanism lipid_metabolism gene muscle', 'background due ethical reason surgical castration young male_piglet first week_life without anesthesia banned germany breeding boar_taint already implemented sire breed breeding organization recent_year low demand made trait economically le important the_objective study estimate heritabilities genetic relationship boar_taint compound_androstenone skatole reproduction trait landrace_large white animal nucleus population additionally genome_wide association analysis gwas_performed per trait breed detect snp marker possible_pleiotropic effect associated boar_taint fertility result estimated_heritabilities androstenone_skatole heritabilities reproduction differ breed except age_first insemination estimate genetic_correlation boar_taint fertility different breed unfavorable observed androstenone number_piglet born_alive whereas opposite sign similar difference_observed skatole sperm count within indicates relationship trait whereas point unfavorable relationship gwas identified qtl region androstenone_skatole for one marker found androstenone one qtl skatole conclusion knowledge genetic_correlation could help balance conventional breeding_program boar_taint maternal breed qtl region unfavorable pleiotropic_effect boar_taint fertility could deleterious consequence genomic_selection program constraining weighting qtl genomic_selection formula may_useful strategy avoid physiological imbalance', 'digital dermatitis cause_lameness dairy_cattle detect_quantitative trait locus qtl associated association study_gwas performed_using single_nucleotide polymorphism snp genotype binary quantitative average number per hoof trimming record recurrent case episode control phenotype cow across four dairy control linear_mixed model lmm random_forest approach identified top snp used predictor bayesian regression_model ass snp predictive value the lmm analysis identified qtl region containing candidate_gene bos_taurus autosome_bta binary recurrent phenotype quantitative phenotype related epidermal integrity immune_function wound_healing although larger_sample size necessary reaffirm small effect locus amidst strong environmental effect sample cohort used study sufficient estimating snp effect high predictive value', 'tenderness major quality_attribute fresh beef steak united_state meat_quality trait general suitable candidate genomic research the_objective present analysis perform_association gwa_analysis marbling shear_force wbsf_tenderness connective_tissue using data angus population identify enriched pathway gwa_analysis construct interaction_network using associated gene perform proteolysis assessment associated structural_protein population individual assessed animal transported commercial packing plant harvested average age_day after postmortem marbling recorded grader visual appraisal two steak sampled muscle recording wbsf_tenderness connective_tissue sensory panel the relevance additive_effect marbling wbsf_tenderness connective_tissue evaluated scale using_mixed approach analysis gene enrichment performed gwa polymorphism association lower included the gene identified associated included interaction_network candidate structural_protein assessment proteolysis analysis total polymorphism significantly_associated marbling wbsf_tenderness connective_tissue respectively the associate region harbor highly_significant marker meat_quality trait enrichment term nucleus includes transcription_factor evident the final network included interations gene the important gene based significance encode structural_protein included proteolysis analysis protein potential substrate overall comprehensive study unraveled genetic variant gene mechanism_action responsible variation meat_quality trait our_finding provide opportunity improving meat_quality beef_cattle via selection', 'recent_year study biological_mechanism underlying_complex trait facilitated innovation genotyping_technology conducted weighted association study wssgwas evaluate backfat_thickness carcass_weight eye_muscle area marbling_score yearling_weight cohort hanwoo_beef cattle using beadchip the wssgwas uncovered genomic_region explained_additive genetic_variance mostly_located chromosome among identified window region seven quantitative_trait locus qtl pleiotropic_effect qtl significant pathway_implicated measured trait gene_ontology term enrichment_analysis included following lipid biosynthetic process regulation lipid metabolic_process transport localization lipid regulation growth developmental growth multicellular organism growth integration gwas result studied trait pathway network analysis facilitated exploration respective candidate_gene involved several biological_function particularly lipid growth metabolism this_study provides novel_insight genetic base underlying_complex trait could_useful developing breeding_scheme aimed improving growth_carcass trait hanwoo_beef cattle', 'background over last year association study_gwas based imputed_sequence wgs used detect_quantitative trait locus qtl highlight candidate_gene important trait however general approach allow validate effect candidate mutation determine truly causative trait question address question applied gwas approach trait linked milk_production udder_health udder_morphology montbéliarde mon normande nor holstein hol cattle detected candidate variant using_imputed wgs mon_nor hol bull validated effect three younger population mon_nor hol cow result bull gwas detected qtl milk_production trait somatic_cell score_sc udder_morphology trait mon_nor hol respectively five genomic_region effect milk_production trait shared among three breed whereas six production udder_morphology health trait effect two breed qtl highlighted based significance effect functional_annotation the subsequent gwas mon_nor hol cow validated qtl production trait sc udder_morphology trait respectively confirmed qtl identified bull significant effect single_nucleotide polymorphism snp standard chip the best validated qtl located gene functionally related production qtl udder qtl trait conclusion using gwas approach identified validated qtl included mostly_located within functional_candidate gene explained udder trait production trait genetic_variance economically_important dairy trait these included chip used evaluate french_dairy cattle integrated routine genomic_evaluation', 'background study assessed accuracy_genomic prediction carcass_weight cwt marbling_score eye_muscle area_ema back_fat thickness_bft hanwoo cattle using genomic_best linear_unbiased prediction_gblup weighted_gblup wgblup bayesr model for model investigated potential gain using single_nucleotide polymorphism snp association study_gwas imputed_sequence data gene expression information used data animal carcass phenotype imputed_sequence genotype split independent gwas discovery set varying size remaining set validation prediction expression data used hanwoo gene expression experiment based animal result using larger number animal reference set increased accuracy_genomic prediction whereas larger independent gwas discovery dataset improved identification predictive snp using snp gwas gblup improved_accuracy prediction ema bft cwt compared standard snp_array gave accuracy respectively accuracy_prediction bft cwt increased bayesr applied snp_array respectively improved combining array respectively contrast using bayesr resulted limited improvement ema wgblup improve_accuracy increased prediction bias based experiment identified informative expression quantitative_trait locus used gblup improved_accuracy prediction slightly snp located gene expression associated difference trait phenotype contribute higher prediction_accuracy conclusion_our result_show hanwoo_beef cattle snp gwas imputed_sequence data accuracy_prediction improves slightly whereas contribution snp selected based gene expression significant the benefit statistical_model prioritize selected snp estimating genomic breeding_value depends genetic_architecture trait', 'milking speed temperament workability trait great importance dairy_cattle production breeding this mainly due increased intensification worldwide production_system greater adoption precision technology le interaction both heritable trait thus genomic_selection promising tool expedite genetic_progress however genetic_architecture biological_mechanism underlying phenotypic expression trait remain underexplored study investigated association million imputed_sequence variant north_american holstein_cattle respectively the statistical_analysis performed_using mixed_linear model fitting polygenic_effect detected significant snp independently associated respectively distributed_across chromosome eight candidate_gene lsamp suggested play_important role involved biologically relevant pathway glutamatergic synapse vomeronasal receptor oxytocin_signaling within coding upstream sequence used independent data_set detect validate significantly differentiated snp cattle breed known difference there fewer candidate_gene potentially implicated gene also identified population validated study the significant snp novel candidate_gene identified contribute_better understanding_biological mechanism_underlying trait dairy_cattle this information also useful optimization prediction genomic breeding_value giving greater weight snp located genomic_region identified', 'single gwas conducted detect genomic_region candidate_gene associated meat_color trait lightness_redness yellowness nellore_cattle phenotypic_record animal genotype snp used the family program used single step gwas approach the top genomic_region gwas explained genetic_variance harbored candidate_gene respectively regarding gwas top snp window_explained genetic_variance harbored candidate_gene respectively pleiotropic_effect evidenced overlapping region detected bta associated genetic_correlation bta associated genetic_correlation similar genomic_region located bta detected single gwas overlapped region harbored total functional_candidate gene involved mitochondrial activity structural integrity muscle lipid oxidation anaerobic metabolism muscular', 'the german black pied cattle dsn become endangered breed approximately registered cow germany the breed genetically related cattle old dsn breed contributed selection modern holstein_dairy cow dairy farm breeder aim improve animal health reducing number mastitis case would also reduce milk loss treatment cost genomic level marker associated clinical_mastitis reported dsn therefore performed association study dsn cow using univariate linear_mixed model included relatedness matrix correct population_stratification although statistical_power limited small population size marker significantly_associated additional marker showed suggestive association clinical_mastitis those marker accounted variance clinical_mastitis examined dsn population one marker found intragenic region marker intergenic_region further analysis identified positional_candidate gene among previously associated clinical_mastitis dairy_cattle breed the marker presented used selection animal endangered dsn population broadly contribute_better understanding mastitis determinant dairy_cattle breed', 'functional enduring mammary structure pivotal producer profitability_animal health_welfare beef production genetic_evaluation teat_udder score canadian_angus cattle previously developed the_aim study identify_genomic region associated teat_udder structure canadian_angus cow thereby enhancing knowledge biological architecture trait thus performed weighted genome_wide association study wssgwas identify candidate_gene teat_udder score canadian_angus cow typed genomic_profiler bovine snp_array genomically enhanced estimated_breeding value gebvs converted snp marker effect using unequal variance marker calculate weight snp three iteration genome_wide level detected window consecutive snp explained variance observed trait total window identified teat_udder score respectively two snp window common trait using ensembl snp window used search candidate_gene quantitative_trait locus qtl total characterized gene identified region teat_udder score respectively gene common trait gene network enrichment_analysis using ingenuity_pathway analysis ipa signified key pathway unique trait gene interest associated immune_response wound_healing adipose_tissue development morphology epithelial vascular development morphology genetic_architecture gwas confirms teat_udder score distinct polygenic trait involving varying complex biological_pathway genetic selection improved teat_udder score possible', 'chicken growth trait economically_important relevant genetic_mechanism yet elucidated herein_performed association study identify variant associated growth trait total chicken resource_population phenotyped growth_carcass trait sample genotyped based gb method finally chicken snp remained quality_control removal sex chromosome data used carry gwas analysis total significant polymorphism snp trait detected mapped chromosome chr significant snp found associated trait multiple trait shared significant snp indicating mutation region might large effect multiple growth_carcass trait haplotype analysis_revealed snp within candidate region presented mosaic pattern the significant snp pathway_enrichment analysis_revealed mlnr gene could putative candidate_gene growth_carcass trait the finding study improve_understanding genetic_mechanism regulating chicken growth_carcass trait provide theoretical basis chicken breeding_program', 'marek_disease represents significant global economic animal_welfare issue marek_disease virus_mdv highly contagious oncogenic highly virus infects chicken causing neurological effect tumour formation though partially controlled vaccination continues profound impact animal health poultry_industry genetic selection provides alternative complementary method vaccination however even year study genetic_mechanism underlying resistance_mdv remain poorly_understood the major histocompatability complex mhc known play_role disease_resistance along handful gene study one largest date used approach identify qtl region qtlr influencing resistance_mdv including population advanced_intercross line fsil two elite commercial layer_line differing resistance_mdv information virus challenged chick genome_wide association study_gwas multiple commercial_line candidate genomic element residing qtlr tested association offspring mortality face mdv challenge eight pure_line elite bird qtlr found chicken chromosome candidate_gene mirnas lncrnas potentially functional mutation identified region association test carried qtlr using eight pure_line elite bird numerous candidate genomic element strongly_associated resistance genomic_region significantly_associated resistance_mdv mapped candidate_gene identified various qtlr element shown strong genetic association resistance these_result provide large number significant target mitigating effect mdv infection poultry health economy whether mean selective_breeding improved vaccine design technology', 'disease control prevention critical factor dramatic growth poultry_industry disease_resistance chicken improved genetic selection immunocompetence the ratio blood reflects immune_system status chicken our objective conduct_association study_gwas pathway analysis identify possible biological_mechanism involved trait study_gwas performed cobb broiler identify significant polymorphism snp associated eight snp reached significant level association the significant snp gga chicken chromosome gene complement binding_protein the mutant individual showed_significant difference five identified snp according result pathway analysis nine associated pathway identified combining gwas pathway analysis found snp explained_phenotypic variation snp associated explained much phenotypic_variation our_finding contribute understanding_genetic regulation provide theoretical support', 'newcastle disease global threat domestic poultry especially rural area africa asia loss entire backyard local chicken flock often threatens household food security income investigate genetics ghanaian local chicken_ecotypes newcastle disease_virus ndv study three popular ghanaian chicken_ecotypes regional population challenged lentogenic ndv strain day_age this_study conducted parallel similar study used three popular tanzanian local chicken_ecotypes two companion study united_state using brown commercial_laying bird addition growth_rate ndv response trait measured following infection including antibody_level day dpi viral_load dpi genetic_parameter estimated two association study analysis method used data ghanaian chicken genotyped chicken single_nucleotide polymorphism snp_chip both ghana tanzania ndv challenge study revealed moderate_high estimate_heritability trait except viral clearance heritability_estimate different zero tanzanian ecotypes for ghana study quantitative_trait locus qtl growth response_ndv analysis genomic_region explained genetic_variance using bayes method identified seven window also identified least_one significant snp single snp analysis growth_rate antibody_level viral_load dpi important gene growth stress associated growth_rate identified positional_candidate gene well immune related gene including the qtl identified ghana study overlap identified tanzania study however study revealed qtl gene vital growth immune_response ndv challenge the tanzania parallel study revealed overlapping qtl chromosome viral_load dpi ndv study bird challenged ndv heat_stress this qtl region includes gene related immune_response including tirap the moderate_high estimate_heritability identified qtl suggest host_response ndv local african chicken_ecotypes improved selective_breeding enhance increased ndv resistance vaccine efficacy', 'the genetic_architecture innate fear behavior chicken poorly_understood here_performed quantitative_trait locus qtl analysis innate response tonic immobility open field fear newly hatched chick population native japanese nagoya breed white_leghorn breed using single_nucleotide polymorphism marker obtained restriction dna_sequencing significance_level four qtl trait revealed chromosome two locus effect trait for trait three qtl revealed chromosome the qtl identified showed overlap genomic_region different mode_inheritance the three qtl one qtl exerted antagonistic effect trait the result demonstrated qtl underlie_variation innate behavior', 'several adipocytokines involved_inflammatory immune_response well regulated fat_deposition lipid_metabolism mammal this_study aimed verify polymorphism porcine interleukin interleukin gene ass association intramuscular_fat imf_content fatty_acid composition commercial_crossbred pig two single_nucleotide polymorphism snp porcine locus found segregating crossbred pig furthermore porcine polymorphism found significantly_associated myristic palmitic_palmitoleic eicosadienoic acid level moreover porcine polymorphism significantly_associated imf_content homolinolenic acid level these_result suggest polymorphism porcine gene correlated lipid content composition confirmed importance adipocytokine gene candidate_gene fatty_acid composition muscle pig', 'lamb weight month_age important trait sheep industry term onset_puberty around age however knowledge effective genetic factor limited therefore gwas using performed baluchi sheep identify_genomic region associated weight the result present_study revealed five snp chromosome significance_level jointly accounting total genetic_variance four gene mtpn hydin lrguk found interval around significant snp mtpn involved_regulation skeletal_muscle growth our_result may provide_new vision identify_genomic region affecting growth trait sheep', 'objective milk_production one desirable trait livestock recently receptor tlr identified candidate_gene milk trait cow far information concerning contribution gene milk trait sheep this_study designed_investigate tlr gene polymorphism barki_ewe egypt correlate milk trait order_identify potential single_nucleotide polymorphism snp trait sheep method part ovine tlr gene amplified barki_ewe identify snp consequently barki_ewe genotyped using polymerase_chain strand_conformation polymorphism protocol these genotype correlated milk trait daily milk_yield dmy protein_percentage fat_percentage lactose percentage total_solid percentage tsp result age parity ewe significant effect dmy tsp the direct sequencing identified missense_mutation located coding_sequence gene predicted change_amino acid sequence resulted protein the association analysis suggested significant effect tlr genotype dmy tended influenced well interestingly presence allele tended increase dmy significantly decreased tsp conclusion the result study suggested receptor candidate_gene improve milk trait sheep worldwide enhance ability understand_genetic architecture gene underlying snp affect trait', 'the search genetic_determinism prolificacy variability sheep evidenced several major mutation gene playing crucial_role control ovulation_rate noire velay sheep population recent genetic study evidenced segregation mutation named fecl however based litter_size record fecl ewe segregation second prolificacy major mutation suspected population order_identify mutation combined association study ovine snp_chip genotyping whole_genome sequencing functional analysis new single_nucleotide polymorphism located chromosome upstream gene evidenced highly associated prolificacy variability the variant allele called fecx shown segregate also blanche massif central bmc sheep population bmc fecx allele_frequency estimated close effect estimated lamb per lambing heterozygous state homozygous_fecx carrier ewe fertile increased prolificacy contrast numerous mutation affecting molecular level fecx shown decrease promoter_activity supposed impact expression oocyte this regulatory action proposed causal mechanism fecx mutation control ovulation_rate prolificacy sheep', 'mammal melatonin_receptor gene widely studied since great influence reproductive trait however_little known association polymorphism coding_region gene oestrus litter_size small_tail han_sheep better_understand effect single_nucleotide polymorphism snp population polymorphism analysis conducted using genotyping data sheep breed around world the result_indicated dominant genotype sheep breed the association snp reproductive_seasonality litter_size small_tail han_sheep showed correlated fecundity assessed reproductive_seasonality litter_size bioinformatics_analysis indicated change_amino acid ile leu may affect function protein impacting secondary tertiary protein structure the present result_demonstrate could_used selection litter_size small_tail han_sheep', 'the number_teat trait great_economic relevance affect mothering_ability sow thus number properly weaned_piglet moreover genetic_improvement trait fundamental parallelly help selection increased litter_size present result association study number_teat two large cohort heavy_pig breed italian_large white italian_landrace including animal genotyped ggp porcine_beadchip animal genotyped_illumina beadchip italian_large white population genome_scan identified three genome region confirmed involvement vrtn gene previously_reported highlighted additional locus known affect teat_count including gene region different picture emerged italian_landrace population total genome region eight chromosome mainly detected via genome_scan the relevant qtl close gene marker vrtn gene region significant italian_landrace breed the use association analysis helpful exploit dissect genome pig different population overall obtained result supported polygenic_nature investigated trait better elucidated genetic_architecture italian_heavy pig', 'semen trait crucial commercial_pig production since semen boar widely used artificial_insemination purebred_crossbred pig production revealing genetic_architecture semen trait potentially promotes efficiency improving semen trait artificial_selection this_study aimed_identify candidate_gene related semen trait duroc_boar first identified gene significantly_associated three semen trait including sperm_motility sperm_concentration con semen_volume vol duroc_boar population association study_gwas second performed weighted gene network analysis wgcna total polymorphism found significantly_associated con vol respectively based haplotype_block analysis identified one genetic region associated explained genetic trait variance located_within region considered candidate_gene regulating another genetic region explaining con genetic_variance identified region cic detected candidate_gene two genetic region accounted vol genetic_variance identified two region pelo identified candidate_gene wgcna analysis showed among candidate_gene pelo located_within significant module eigengenes confirming candidate_gene role_regulating semen trait duroc_boar the identification candidate_gene help_better understand_genetic architecture semen trait boar our_finding applied semen trait improvement duroc_boar', 'polymorphism milk_protein gene proposed candidate marker dairy production trait cattle present_study polymorphism detected promoter_region bovine lalba gene transition located nucleotide relative transcription_start site recognizable psti restriction endonuclease silico_analysis showed mutation created novel retinoid receptor alpha vitamin receptor transcription_factor binding_site pcr found cow different genetic variant promoter demonstrated different level expression lalba mrna milk somatic_cell msc the genotype cow demonstrated low expression whereas demonstrated much_higher expression elisa analysis found milk lalba protein level also differed cow level correlated mrna_abundance msc association analysis found polymorphism promoter_region lalba gene influenced milk_production trait polish cow high daily milk_yield dry_matter yield high lactose_yield concentration associated genotype the genotype cow also lower number somatic_cell milk considered indicator udder_health status therefore genotype could desirable breeder perspective', 'performed association study fine_mapping using two method single marker regression frequentist approach bayesian bayesc fitting selected single_nucleotide polymorphism snp bayesian framework three snp_chip platform analyze milk_production phenotype korean_holstein cattle identified four significant snp phenotype single marker regression_model bos_taurus autosome_bta milk_yield adjusted fat_yield respectively bta adjusted protein_yield bta somatic_cell score_sc using bayesc model discovered significant window region harbored additive_genetic variance effect four milk_production phenotype the concordant significant snp window region characterized quantitative_trait locus qtl among qtl region focused gene diacylglycerol newly_identified gene phosphodiesterase anoctamin observed involved glycerolipid metabolism fat digestion absorption metabolic_pathway retinol metabolism involved camp signaling our_finding suggest candidate_gene qtl strongly related physiological mechanism related fat production consequent total korean_holstein cattle', 'the_aim study identify candidate_gene associated milk fat per_cent fatty_acid composition vrindavani cattle using_illumina polymorphism snp_array after_quality control total informative snp used association study_gwas milk fat_percentage different type fatty_acid lactation_stage parity test day milk_yield proportion exotic inheritance included_fixed effect gwas model total significant snp suggestive significant snp identified out snp associated one trait the strongest_association found milk fat_percentage polyunsaturated_fatty acid several significant snp identified close within gene known associated fat_percentage composition dairy_cattle breed this_study step_forward better characterize molecular_mechanism phenotypic_variation milk_fatty acid composite cattle breed reared tropical_environment', 'ketosis one frequent metabolic disease dairy_cow characterized high concentration ketone body blood urine milk causing high economic_loss the search polymorphic gene whose allele different effect resistance developing disease extreme importance help_select le_susceptible animal the_aim study identify_genomic region associated clinical_subclinical ketosis concentration north_american holstein_dairy cattle investigate region identify candidate_gene metabolic_pathway associated trait achieve gwas_performed trait clinical_ketosis lactation clinical_ketosis lactation_subclinical ketosis_lactation subclinical_ketosis lactation the estimated_breeding value cow bull deregressed used pseudophenotypes gwas the genomic_region explaining largest_proportion genetic_variance investigated putative gene associated trait functional analysis region interest identified chromosome clinical_ketosis lactation clinical_ketosis lactation_subclinical ketosis_lactation subclinical_ketosis lactation the highlighted gene potentially related clinical_subclinical ketosis included enrichment_analysis list candidate_gene clinical_subclinical ketosis showed molecular function biological_process involved fatty_acid metabolism lipid_metabolism inflammatory_response dairy_cattle several genomic_region snp related susceptibility_ketosis dairy_cattle previously_described study confirmed the novel genomic_region identified study aid characterize important gene pathway explain susceptibility clinical_subclinical ketosis_dairy cattle', 'sole ulcer sus white line disease wld two common noninfectious_claw lesion nicl arise due compromised horn production frequent cause_lameness dairy_cattle imposing welfare profitability concern low_moderate heritability_estimate wld susceptibility indicate genetic selection could reduce prevalence identify susceptibility locus wld_wld type noninfectious_claw lesion association study_gwas performed_using generalized_linear mixed_model glmm regression association testing cbat random_forest approach cow five commercial dairy california classified control lameness record year old case wld_wld wld type noninfectious_claw lesion the top single_nucleotide polymorphism snp defined passing suggestive_significance threshold glmm analysis validated model considered important effect top snp quantified using_bayesian estimation linkage_disequilibrium block_defined top snp explored candidate_gene previously identified functionally relevant quantitative_trait locus the glmm cbat approach revealed region association common wld_wld nicl these snp effect significantly different zero block_defined explained significant amount_phenotypic variance dataset indicating small notable contribution region susceptibility these region contained candidate_gene involved wound_healing skin lesion bone growth mineralization adipose_tissue keratinization the block_defined significant snp included snp previously associated the model overfitted indicating snp effect small thereby preventing meaningful interpretation snp downstream analysis these_finding suggested variant associated various physiological system may_contribute susceptibility nicl demonstrating complexity genetic_predisposition', 'bos_indicus breed sahiwal famous optimum performance far genetically improved performance trait based phenotypic_record genomic knowhow regarding gene region biological_process underlying_complex quantitative_trait lacking context association study performed fertility growth trait sahiwal cattle shed_light genomic profile total snp found associated trait suggestive threshold lrpprc identified putative candidate_gene body_weight different age however several gene mapped growth trait like significant physiological underpinnings determining fertility animal moreover quantitative_trait locus qtl identification revealed potential overlap already_reported qtls fertility growth trait further candidate snp enrichment_analysis revealed enriched biological_process birth_weight significant reproductive role based finding genetic linkage underlying fertility growth could discerned sahiwal population may utilized improving fertility trait future', 'background rainbow_trout significant fish farming specie temperate climate female_reproduction trait play_important role economy breeding_company sale fertilized egg the_objective study threefold estimate genetic_parameter female_reproduction trait determine genetic_architecture trait identification quantitative_trait locus qtl ass expected efficiency selection blup genomic_selection trait result pedigreed population trout genotyped snp marker phenotyped seven trait year age spawning_date female body_weight spawning spawn_weight egg number spawn egg average weight average diameter genetic_parameter estimated linear animal model heritability_estimate moderate varying the female body_weight genetically_correlated reproduction trait spawn_weight showed strong favourable genetic_correlation number egg spawn individual egg size trait egg number uncorrelated egg size trait the association study showed trait polygenic since le genetic_variance explained cumulative effect qtls trait qtls detected explained genetic_variance genomic_selection based reference_population one_thousand individual related candidate would improve efficiency blup selection depending trait conclusion_our genetic_parameter estimate made unlikely hypothesis selection growth could induce indirect improvement female_reproduction trait thus important consider direct selection spawn_weight improving egg_production trait rainbow_trout breeding_program due_low proportion genetic_variance explained qtls detected reproduction trait marker_assisted selection effective however genomic_selection would_allow significant gain accuracy compared selection', 'background genetic_improvement fillet quality_attribute priority aquaculture_industry muscle composition impact quality_attribute flavor appearance texture juiciness fat_moisture make tissue weight the genetic_architecture underlying fat_moisture content muscle still fully explored fish gene transcribed snp_chip used genotyping fish available phenotypic_data fat_moisture content genotyped fish obtained two consecutive_generation produced national center cool cold_water aquaculture ncccwa breeding_program estimate snp effect weighted_gblup wssgblup used_perform association_gwa analysis identify_quantitative trait locus qtl associated studied trait result using genomic sliding_window adjacent snp snp identified associated fat_moisture content respectively chromosome harbored highest number snp explaining least genetic_variation fat_moisture content total common snp chromosome affected aforementioned trait association suggests common mechanism_underlying intramuscular_fat moisture_content additionally based gwa_analysis snp identified association fat_moisture content respectively conclusion gene primarily involved_lipid metabolism cytoskeleton remodeling protein turnover this work provides putative snp marker could prioritized used genomic_selection breeding_program', 'morphological trait great importance dairy goat production given effect phenotype economic_interest however underlying genomic architecture yet extensively characterized herein aimed_identify genomic_region associated body udder leg_conformation trait recorded goat genotyped resource_population using beadchip_illumina san_diego performed association analysis using gemma_software found significant association marker capra hircus chi chi medial suspensory ligament contrast detect significant association body leg trait moreover found significant association udder body leg trait respectively comparison data previous_study revealed low level positional_concordance region associated morphological trait addition technical factor lack concordance could due substantial level genetic heterogeneity among breed strong polygenic background morphological trait make difficult detect genetic factor small phenotypic effect', 'the mineral composition bovine milk play_important role determining nutritional_value concentration main mineral predicted spectrum produced milk recording combined cow genotype provide unique opportunity decipher genetic_determinism trait the present_study included million prediction citrate content montbéliarde_cow genotype data available all investigated trait highly_heritable exception association study_gwas detected qtl affecting two five trait positional_candidate gene variant mostly_located sequence silico_analysis highlighted variant could regulatory snp altering transcription_factor binding_site located rna mainly lncrna furthermore found positional_candidate gene tfs highly_expressed mammary_gland compared bovine tissue among gene ankh encoding protein involved ion transport located significant qtl this_study therefore highlight comprehensive set functional_candidate gene variant affect milk mineral_content', 'copy_number variation cnvs major_source structural variation mammalian genome here characterized cnv sheep population world using ovine infinium snp beadchip tested association distinct phenotypic trait conducting multiple independent test total detected unique cnvs cnv event cnv region cnvrs covering_whole sheep genome identified seven cnvrs frequency correlating geographical origin cnvrs overlapping known quantitative_trait locus qtls gene_ontology pathway_enrichment analysis gene revealed common involvement energy_metabolism endocrine regulation nervous_system development cell_proliferation immune reproduction for phenotypic trait detected significantly_associated adjusted cnvrs harboring functional_candidate gene polycerate tail weight supernumerary nipple ear_size wadi sheep sheep icelandic finnsheep mica romanov texel_sheep litter_size these cnvs associated gene important marker molecular breeding sheep livestock_specie', 'body_size important_indicator growth health sheep present_study performed association study_gwas detect significant polymorphism snp associated sheep body_size after genotyping parental offspring generation nucleus herd meat production sheep conducting gwas body_height chest_circumference body_length tail length_tail width two group snp associated body_height snp correlated chest_circumference identified chromosomal significance_level snp significantly_correlated body_length tail length_width four snp found located_within gene kitlg considered candidate functional gene related body_height candidate functional gene related chest_circumference the snp found gwas verified using generation nucleus herd meat production nine product amplified around site snp found mutation site mutation downstream mutation upstream mutation downstream significantly_correlated body_height reporter gene experiment showed snp could significantly impact gene transcription activity', 'association study_gwas performed identify new single_nucleotide polymorphism snp gene associated mastitis_resistance assaf sheep using_illumina ovine snp beadchip total record multiparous assaf ewe least three test day record aged year old used_estimate corrected phenotype somatic_cell score_sc then ewe selected top bottom tail corrected sc phenotype distribution used gwas although significant snp found genome level four snp significant chromosome level fdr two different region the snp located_intron close gene apart three snp totally linked located apart gene these three gene related immune_system response these_result validated two snp total population kompetitive pcr kasp_genotyping furthermore also associated lactose content', 'gastrointestinal_nematode gin_infection negative_impact animal health_welfare production information molecular study highlight underlying genetic_mechanism enhance host_resistance gin however information often lack traditionally_managed indigenous livestock here analysed single_nucleotide polymorphism genotype gin infected traditionally_managed autochthonous tunisian sheep grazing communal natural pasture population structure analysis find genetic differentiation consistent infection_status however contrasting infected versus cohort using roh fst identified candidate region overlapped least two method nineteen region harboured qtls parasite_resistance immune_capacity disease susceptibility ten region harboured qtls production growth meat carcass fatness anatomy trait the analysis also revealed candidate region spanning gene enhancing innate_immune defence intestinal wound gin expulsion our_result suggest traditionally_managed indigenous sheep evolved multiple strategy evoke enhance gin resistance developmental stability they confirm importance obtaining information indigenous sheep investigate genomic_region functional significance understanding architecture gin resistance', 'animal temperament defined consistent behavioral physiological difference seen individual response stressor neurotransmitter system like serotonin oxytocin central nervous_system underlie_variation behavioral trait human animal variation like single_nucleotide polymorphism snp gene tryptophan serotonin transporter serotonin receptor oxytocin receptor oxtr associated behavioral_phenotype human thus objective_study identify snp gene test variation associated temperament merino_sheep using ewe university western australia temperament flock selected emotional_reactivity generation eight snp oxtr found distributed differently calm nervous sheep these eight snp genotyped sheep_flock never selected emotional_reactivity followed estimation behavioral trait sheep using arena test isolation box test found several snp strong_linkage disequilibrium associated behavioral_phenotype nonselected sheep similarly also associated behavioral_phenotype']
In [51]:
# Compute TF-IDF
tfidf_vec = TfidfVectorizer(ngram_range=(1, 1), stop_words='english')
tfidf_matrix = tfidf_vec.fit_transform(trigram_text)
tfidf_scores = np.asarray(tfidf_matrix.mean(axis=0)).flatten()
tfidf_word = dict(zip(tfidf_vec.get_feature_names_out(), tfidf_scores))
# Sort highest ranked words
top_words = sorted(tfidf_word.items(), key=lambda x: x[1], reverse=True)[:10]
top_words_list, top_scores_list = zip(*top_words)
for word, score in top_words:
print(f"{word}: {round(score, 4)}")
qtl: 0.069 snp: 0.056 trait: 0.0492 gene: 0.0401 association: 0.0299 significant: 0.0283 region: 0.0278 chromosome: 0.0268 associated: 0.0265 effect: 0.0252
Main result:¶
- How many phrases you extracted can be found in the trait dictionary (by exact string matching)?
In [83]:
file_name = "Trait dictionary.txt"
final_path = os.path.join(file_path, file_name)
# Read trait dictionary file
with open(final_path, "r", encoding="utf-8") as file:
trait_phrases = set([phrase.lower().strip() for phrase in file if phrase.strip()])
print(f"Number of good phrases in the trait dictionary: {len(trait_phrases)}")
print(trait_phrases)
Number of good phrases in the trait dictionary: 22719
{'splenocyte apoptosis trait', 'female reproductive system morphology', 'total milk casein amount', 'number of mature b cells', 'sciatic nerve morphology', 'somite development', 'milk fatty acid c18:3 n-3', 'serum chloride level', 'percentage of study population developing trigeminal nerve malignant peripheral nerve sheath tumors during a period of time', 'gizzard morphology', 'placenta labyrinth', 'the weight of both kidneys', 'ratio of the count of pancreatic islets with peripheral duct and vessel inflammatory infiltrate only to total pancreatic islet count', 'wrisberg ganglia morphology', 'small intestine', 'primitive streak formation', 'circular sinus morphology', 'facial nerve', 'serum level of immunoglobulin', 'liver sterol', 'milk nitrogen concentration', 'tibial area', 'bone morphological', 'urine catecholamine level', 'area of individual liver tumorous lesion', 'erythroblast count', 'kidney pyramid morphology', 'blood angiotensin ii', 'brain physiology measurement', 'intraepithelial t-lymphocyte', 'hippocampus development trait', 'wool fiber', 'growth hormone secretion trait', 'cd8-positive, alpha-beta cytotoxic t lymphocyte morphology', 'heart muscle cell number', 'interleukin-10 physiology trait', 'double-positive t cell morphology', 'right kidney wet weight to body weight ratio', 'rdw', 'adipose androstenone', 'lens morphology trait', 'cd25 cell', 'serum aspartate aminotransferase activity', 'serum intermediate density lipoprotein phospholipid', 'blood glycerol level', 'blood cd45rchigh cd4+ t cell', 'retroperitoneal fat pad weight', 'spleen periarteriolar lymphoid sheath', 'lge', 'serum idl level', 'placenta morphological measurement', 'respiratory alveolus development', 'cd45r+ thymic lymphocyte count', 'tibia length', 'hypertrophic chondrocyte zone width', 'chronic pancreatitis incidence/prevalence', 'myocardial morphology trait', 'mammary tumor incidence/prevalence', 'functional nipple', 'adipose fatty acid c20:2 content', 'respiratory alveoli', 'avoidance learning behavior', 'saline drink intake volume', 'the number of fetuses lost perinatally', 'squamo-parietal suture morphology', 'bronchiole branching trait', 'cochlear microphonics', "schwalbe's ring morphology", 'enterocyte morphology', 'kidney glutathione reductase activity to total protein level ratio', 'pancreas wet weight', 'area of prostate occupied by tumorous lesions as percentage of total prostate', 'malpighian pyramid size', 't lymphocyte anergy', 'vomer bone morphology trait', 'spongy substance', 'nephron morphology trait', 'tonsil', 'food calorie intake', 'blood triiodothyronine to thyroxine ratio', 'serum interleukin-6', 'splenic follicular dendritic cell network', 'transverse gyrus of heschl morphology', 't cell receptor alpha chain v-j joining', 'mucous neck cell', 'novel object', 'tympanic cavity epithelium thickness', 'number of immature b-lymphocytes', 'blood vessel receptor-independent maximum contractility', 'serum level of immunoglobulin g2b', 'igg3 concentration', 'serum triacylglycerol', 'tumor measurement', 'plasma ace activity level', 'uterus rna composition measurement', 'cranial ganglion v morphology', 'aortic wall protein/peptide composition', 'mononuclear phagocyte morphology trait', 'heart elastic fiber morphology', 'meat water holding capacity', 'milk fatty acid c22:6 n-3', 'adipocyte maximal glucose uptake', 'calculated renal blood flow rate', 'coagulated milk firming rate', 'bone marrow cavity development trait', 'choroid plexus morphology trait', 't cell receptor delta chain v-d-j recombination', 'ifn-gamma inducing factor secretion', 'pelvic girdle', 'blood ggt activity', 'blood sterol level', 'lymphoid system morphology trait', 'memory b cell physiology trait', 'stratum cylindricum morphology trait', 'stomach measurement', 'superior vagus ganglion of the vagus (x) nerve morphology trait', 'blood dipeptidyl carboxypeptidase activity', 'ipsp', 'nk t-cell physiology trait', 'vasculogenesis', 'meat cooking loss trait', 'thymus trabeculae', 'pupil orientation', 'motor neuron target finding', 'palatal shelf morphology trait', 'labia minora size', 'milk xanthine oxidoreductase concentration', 'mature gamma-delta t lymphocyte number', 'spiral ganglion morphology trait', 'serum gpx activity', 'uvea morphology', 'inner hair cell sterocilia number', 'teat morphology', 't-helper 2 cell morphology', 'nose morphology trait', 'circulating il-12 p70', 'platelet aggregation trait', 'the total number of offspring', 'iris cell number', 'urine taurine measurement', 'adipocyte nefa secretion measurement', 'vestibular membrane', 'blood th1-like cell count to total lymphocyte count ratio', 'bulbourethral gland dry', 'oligodendrocyte', 'skin k+', 'enteric neuron', 'blood hemoglobin a1c', 'skin chloride amount', 'organ system trait', 'calculated lymphocyte tracer radioactivity measurement', 'blood cholesterol level', 'islet of langerhans tumorous lesion measurement', 'blood immunoglobulin', 'mesenteric lymph node morphology trait', 'both suprarenal glands wet', 'thalamus morphology trait', 'excitatory postsynaptic current', 'serum igm-rf level normalized', 'cerebellum cell', 'blood ldh activity', 'blood non-specified leukocyte', 'egg aftertaste', 'vitreous lamella morphology', 'cochlear canal morphology', 'calculated plasma escherichia coli specific antibody', 'serum levels of thyrotropin', 'egg cylinder morphology', 'duodenum crypt of lieberkuhn', 'eosinophil physiology', 'claudius cell', 'early pro-b cell quantity', 'cerebrospinal fluid amount', 'cardiac septum morphology trait', 'erythrocyte shape trait', 'ampullary crest neuroepithelium morphology', 'olfactory neuron', 'ventricular papillary muscle', 'blood low density lipoprotein triglyceride level', 'corneal stroma', 'corpus luteum morphology trait', 'ligamentum spirale cochleae', 'adipose tetradecanoic acid concentration', 'total milk mineral', 'cerebrovascular system integrity trait', 'synaptic plasticity', 'milk odor intensity', 'milk monounsaturated fatty acid composition', 'epiphysial plate proliferative zone morphology trait', 'splenic b cell corona morphology', 'hse incidence', 'total plasma bilirubin', 'gaba neuron morphology trait', 'dendritic cell quantity', 'hair-down cell innervation pattern trait', 'blood hormone content', 'occipital bone morphology trait', 'immune serum protein amount', 'photopic response', 'daily spermatozoa', 'plasma aldosterone level', 'single kidney wet weight to body weight ratio', 'front foot phalanges count', 'clonal deletion trait', 'malignant colorectal neoplasm number', 'arm span', 'blood glomerular filtration rate', "bruch's membrane morphology", 'eustachian tube morphology trait', 'heart lesion', 'blood oxidized glutathione level', 'milk saturated fatty acid content', 'blood vessel', 'plasma igg', 'inferior olive morphology', 'blood interleukin-4', 'floccular fossa morphology trait', 'absolute change in the angle of a tilted plane at which balance/traction is lost', 'anterior nares morphology trait', 'myocardial clearance rate', 'vitreous membrane', 'female fertility', 'bone mineralization trait', 'body length, nose', 't cell receptor beta chain v-d-j recombination', 'ciliary body morphology', 'poorly differentiated colorectal adenocarcinoma surface area', 'b cell progenitor morphology', 'percentage of study population developing herpes simplex encephalitis during a period of time', 'spine morphology trait', 'benign colorectal tumor surface area', 'liver integrity trait', "reichert's membrane morphology trait", 'milk fatty acid c9:0 concentration', 'mge morphology trait', 'enamel cell development trait', 'seminal vesicle', 'immune cell cellular extravasation', 'limb bud morphology trait', "cowper's gland morphology trait", 'mesencephalic vesicle morphology trait', 'blood interleukin-15', 'mesencephalic duct morphology trait', 'serum vldl-c level', 'serum anti-bovine type ii collagen antibody', 'adipose fatty acid cis-9-c18:1 percentage', 'milk capric acid', 't-helper 2 cell morphology trait', 'cochlear outer hair cell physiology', 'percentage of study population displaying spleen fibrosis at a point in time', 'heart left ventricle wall thickness', 'ltp: ca1 region', 'milk total calcium content', 'limb muscle morphology', 'alveolar bone morphology trait', 'infection', 'percentage of study population developing experimental autoimmune neuritis during a period of time', 'ovary cell', 'blood enzyme level', 'milk conjugated linoleic acid', 'percentage of study population developing trigeminal nerve neurilemmomas during a period of time', 'hepatic lipid', 'blood immunoglobulin g1', 'vaginal epithelium morphology', 'memory b-cell morphology trait', 'kidney lpo', 'anus morphology', 'circulating il-23b level', 'forelimb muscle morphology', 'blood hdl triglyceride', 'intestinal goblet cell morphology trait', 'follicular dendritic cell morphology', 'bmi using nose to rump body', 'muscle fatty acid cis-11-c20:1', 'meat cis-vaccenic acid content', 'igg2c concentration', 'cervical vertebral column length', 'brain norepinephrine amount', 'bone section mineralized tissue surface', 'heart angiotensin i converting enzyme 2 activity level', 'calculated heart left ventricle deoxyribonucleic acid', 'peripheral nervous system', 'crop', 'aortic wall morphological', 'forebrain morphology', 'lumbar vertebra cortical cross-sectional area', 'blood interleukin measurement', 'blood hdl cholesterol', 'total wbc count', 'qtc interval', 'plasma alpha-1-acid glycoprotein', 'igg1 concentration', 'neuronal golgi apparatus measurement', 'stab form leukocyte count', 'both ovaries dry', 'parasympathetic nervous system physiology', 'brain spike-wave activity', 'blood ethanol', 'behavioral response to novel object', 'plasma glucagon level', 'fibula', 'lymph node wet', 'atrial symmetry', 'somatic nervous system physiology trait', 'calculated vocalisation measurement', 'liver ribonucleic acid composition measurement', 'blood thyroid-stimulating hormone', 'mean circumferential fiber shortening rate', 'cardiac output trait', 'dressed carcass subdivision', 'maximum breathing capacity', 'serum gsh-px activity level', 'cochlear hair bundle horizontal top connectors morphology trait', 'inflammatory exudate lxa4', 'platelet size trait', 'medullary sinus', 'heart effluent measurement', 'plasma conjugated bilirubin level', 'suprarenal gland morphological', 'tarsometatarsus', 'gall bladder size', 'type 2 diabetes mellitus incidence', 'the effective renal plasma flow', 'pituitary gland tumorous lesion incidence/prevalence', 'submandibular gland morphology trait', 'primitive erythrocyte morphology', 'b-cell receptor editing', 'ovary wet', 'blood fructosamine level', 'systolic blood pressure variability', 'erythrocyte burst-promoting factor secretion', 'neonatal body', 'vestibular hair cell physiology trait', 'exploratory behavior trait', 'pancreatic tissue protein/peptide composition measurement', 'ratio of area occupied by beta cells to total pancreatic islet area', 'disease process measurement', 'blood potassium', 'body region fat morphological', 'sensory dissociation area morphology trait', 'circulating interleukin-23 p40 level', 'vermal uvula morphology', 'malt morphology', 'thyroid cartilage', 'femur area', 'tyrosinase activity', 'nucleus accumbens morphology trait', 'bulbuorethral gland ductal cell number', 'superior colliculus', 'brain type i spike-and-wave discharge severity grade', 'basal ganglion morphology trait', 'fibula area', 't cell dependent paracortex morphology', 'bilateral testis tumor incidence/prevalence', 'common lymphocyte progenitor cell morphology trait', 'absolute change in partial pressure of blood oxygen', 'milk potassium', 'oval corpuscle size', 'circulating il-1 level', 'kidney g6pd activity', 'number of rearing movements with lid-pushing in an experimental apparatus', 'jejunum muscle thickness', 'sarcomere length', 'hematuria incidence/prevalence', 'ocular fundus', 'depth of mammary gland fissure', 'mast cell function', 'adrenal gland wet weight', 'arterial stenosis measurement', 'milk fatty acid trans-9,cis-12-c18:2 concentration', 'chemical nociception trait', 'intestine morphological', 'muscle electrophysiology', 'kidney edema incidence', 'change in left ventricular systolic blood pressure', 'moma-1 positive cell', 'count of non-categorized leukocytes', 'frontoparietal suture morphology', 'branchial arch development trait', 'cn-xii', 'axial skeleton morphology', 'midbrain/pons dopamine amount', 'blood cd45rchigh cd4 t cell', 'latency to locate a visible target platform in an experimental apparatus', 'bulbourethral gland ductal cell quantity', 'bone marrow cavity', 'urine calcium', 'superficial glomerulus', 'central pattern generator physiology', 'unk cell number', 'circulating interleukin-16 level', 'scrotum circumference', 'blood gbp--28', 'transitional stage b lymphocyte number', 'respiratory mucosa goblet cell morphology trait', 'vestibular hair cell stereocilia number', 'phenylephrine-induced blood vessel constriction expressed', 'neuronal precursor differentiation trait', 'milk caprylic acid', 'circulating il2', 'thymus ribonucleic acid composition', 'somatic sympathetic system morphology trait', 'stomach epithelium morphology trait', 'drink intake rate', 'adipose 7-octadecenoic acid', 'corneal stroma morphology trait', 'liver copper concentration', 'colliculus size', 'mean duration of a single type i spike-and-wave discharge train', 'muscle iron', 'milk lauroleic acid percentage', 'tibia cortical bone midshaft cross-sectional area', 'blood orosomucoid 1', 'lipid metabolism trait', 'blood insulin auc', 'meat saturated fatty acid', 'lens capsule', 'rt6.1+ t cell count', 'egg shell color', 'blood immunoglobulin g2b amount', 'myocardial cell morphology', 'urine electrolyte', 'clitoris morphology', 'aer development', 'ldl cholesterol level', 'belly muscle percentage', 'membrane electric potential gradient', 'both testes dry weight', 'food intake weight, single feeding', 'mean pulmonary artery (pa) pressure', 'blood alanine aminotransferase activity level', 'nasal mucosa morphology trait', 'late pro-b cell quantity', 'sinus venosus morphology trait', 'spinal nerve', 'female reproductive system morphology trait', 'jejunum glandular crypt width', 'semimembranosus muscle', 'ltp', 'mammary gland width', 'ureter luminal epithelial cell', 'calculated intramuscular fat', 'milk plasmin amount', 'corticotropin', 'milk fatty acid c18:3 n-3 concentration', 'parasite size measurement', 'blood phosphate level', 'angiogenesis', 'logarithm of the total number of cfu in effusion plus wash', 'areola', 'blood hemoglobin amount', 'medulla oblongata 5-hydroxyindoleacetic acid amount', 'calculated kidney medulla protein composition', 'positive t cell selection', 'basement lamina formation', 'blood vessel contractility measurement', 'mesenteric artery phosphylated enos protein level', 'circulating adreniline concentration', 'total body fat volume', 'pecquet duct morphology', 'cerebellum cell quantity', 'modiolus size', 'forelimb integrity', 'pancreatic islet area as percentage of total pancreatic area', 'upper jaw', 'connective tissue protein', 'spinal cord size', 'lumbar vertebra area', 'palatine palatal process', 'carbohydrate absorption', 'muscle glycogen', 'corpora quadrigemina morphology', 'midbrain/pons 5-hydroxyindoleacetic acid amount', 'inflammatory exudate polymorphonuclear leukocyte count', 'squamosal bone morphology', 'kidney ribonucleic acid composition measurement', 't cell maturation', 'drumstick muscle weight', 'adipose 7-octadecenoic acid concentration', 'squamous cell carcinoma of the tongue', 'blood angii', 'skin chloride ion', 'brain ventricle measurement', 'blood chylomicron triglyceride amount', 'anterior prostate morphology', 'mucosa-associated lymphoid tissue morphology trait', 'shoulder size trait', 'blood cell measurement', 'pulse', 'parotid gland', 'blood fibrinogen level', 't-lymphocyte morphology', 'neutrophil leukocyte physiology', 'mgi-2 secretion', 'change in rsna', 'adrenal gland morphology', 'myotome development', 'cardiac looping morphogenesis', 'sphenoparietal suture morphology', 'teat shape', 'spleen follicle centre morphology', 'intraepithelial t cell', 'homotypical cortex', 'tissue protein', 'urinary system physiology trait', 't cell receptor v(d)j rearrangement', 'head movement trait', 'urine protein level', 'calculated daily sperm count', 'choroid', 'pancreatic beta cell morphology trait', 'renal fat pad morphology trait', 'absolute change in ecg lf/hf', 'milk fatty acid trans-9,trans-14-c18:2', 'balt', 'lower jaw', 'malar bone morphology trait', 'double negative t cell morphology trait', 'meat trans-16-octadecenoic acid', 'effector t-lymphocyte', 'craniosacral system morphology', 'testis rna composition', 'coagulating gland morphology', 'eosinophilic leucocyte', 'respiratory alveolus', 'helper t-lymphocyte type 1 cell', 'mature b-lymphocyte morphology trait', 'circulating interleukin', 'total fat body', 'urine sodium amount', 'tarsal bone morphology trait', 'myeloblast morphology trait', 'right atrial morphology', 'calculated lymph node weight', 'limbic system', 'renal tubule size', 'brain epinephrine amount', 'percentage of study population displaying pyometritis at a point in time', 'liver tumorous lesion number to liver area ratio', 'ventricle of rhombencephalon morphology', 'posterior limiting lamina of cornea morphology trait', 'calculated cerebral artery inner diameter', 'meat eicosenoic acid', 'renal tubular degeneration incidence/prevalence', 'pulmonary alveolar duct morphology trait', 'number of ruptures of internal elastic laminae in arteries', 'granulocyte quantity', 'smooth muscle contractility trait', 'delta hct', 'serum levels of fsh', 'liver fibrosis size', 'blood very low density lipoprotein triglyceride', 'malignant hepatic tumor incidence', 'pituitary tumor growth rate', 'brain interneuron morphology trait', 'tibia bone mineral content', 'milk fatty acid cis-9-c18', 'cervical vertebra height', 'phenylephrine half maximal effective concentration (ec50)', 'circulating follicle stimulating hormone', 'calculated heart right ventricle deoxyribonucleic acid', 'liver size measurement', 'blood ldh activity level', 'deltoid tuberosity', 'serum igm-rf titer', 'type 1 helper t cell to type 2 helper t cell ratio as', 'longissimus dorsi', 'superior vena cava morphology', 'colorectal adenocarcinoma', 'pacinian corpuscle morphology trait', 'milk fatty acid trans-9,trans-11-c18:2 percentage', 'number of langerhans cells', 'tarsus morphology trait', 'left ventricular morphology trait', 'tibia midshaft cortical thickness', 'plasma insulin-like growth factor 1 level', 'liver edema incidence/prevalence measurement', 'follicular dendritic cell', 'red blood cell shape', 'calculated kidney glomerulus', 'dressed carcass muscle weight', 'digit morphology', 'heart left ventricle end-diastolic ventral wall thickness', 'brain spike-and-wave discharge', 'logarithm of the lesioned side motor neuron count to contralateral side motor neuron count ratio', 'blood ferritin amount', 'prostate tumorous lesion incidence/prevalence measurement', 'adipose distribution trait', 'poorly differentiated malignant colorectal neoplasm incidence', 'blood adipoq amount', 'muscle nitrogen amount', 'immunoglobulin level', 'milk omega-6 fatty acid concentration', 'anterior eye segment', 'ratio of glomerular area occupied by activated mesangial cells to total glomerular', 'calculated heart rv dna', 't cell development trait', 'ptp', 'head and neck tumor', 'interneuron quantity', 'muscle free fatty acid (ffa) level', 'jejunal smooth muscle contractility trait', 'abdominal lymph node morphology', 'inflammatory exudate total protein level', 'neutrophil', 'lymphocyte anergy trait', 't cell domain of the splenic white pulp', 'lumbar vertebra strength', 'macrophage development', 'inflammatory exudate tnf-alpha', 'anti-nuclear antigen antibody', 'palmar eccrine gland', 'teat number', 'muscle ribonucleic acid amount', 'cerebrovascular lesion prevalence', 'plasma superoxide dismutase activity level', 'cd8-positive, gamma-delta intraepithelial t cell morphology trait', 'eosinophil count', 'pigmented coat/hair area to total coat/hair area ratio', 'urine aldosterone excretion rate', 'milk xor', 'cd4+ t-cell', 'intracranial ganglion morphology', 'malignant colorectal cancer prevalence', 'outflow tract morphology', 'calculated liver fibrotic lesion area', 'plasma anti-deoxyribonucleic acid antibody level', 'thymus physiology', 'tumor', 'vestibular membrane morphology', 'qa', 't cell receptor delta chain v(d)j recombination', 'ileal smooth muscle contractility trait', 'segmented neutrophil', 'corneal thickness trait', 'male reproductive system physiology trait', 'nk cell morphology trait', 'locate a visible target platform in an experimental apparatus', 'calculated tibia bone volume', 'rhinencephalon morphology', 'circulating tnf level', 'circulating il7', 'eosinocyte morphology', 'external auditory canal', 'jejunum mucosa', 'blood very low density lipoprotein cholesterol', 'thigh size trait (poultry)', 'middle ear morphological', 'oviduct size', 'yolk sac vasculature', 'serum anti-double-stranded dna antibody', 'cochlear canal', 'mandibular nerve morphology', 'sternebra morphology', 'brain activity', 'maternal age at birth of first offspring', 'blood phosphate amount', 'nasopharynx morphology', 'venous sinus of sclera morphology trait', 'area of liver occupied by hepatocellular carcinomas', 'secretion of crh', 'percent of time spent in voluntary immobility', 'urine ketone body', 'nociception system physiology trait', 'forelimb zeugopod', 'pulmonary valve configuration trait', 'cochlear outer hair cell', 'middle cervical ganglion morphology trait', 'blood tsh', 'ureter', 'monophasic action potential', 'cochlear canal morphology trait', 'olfaction trait', 'duodenal region pancreatic beta cell weight calculated as the product of pancreas duodenal region weight and corresponding beta cell fractional', 'hematopoietic system', 'alanine aminotransferase activity', 'blood immunoglobulin e', 'gustatory papillae taste bud morphology', 'pectoralis muscle size trait', 'urine steroid level', 'meat conjugated linoleic acid', 'limbus laminae spiralis osseae', 'meatus auditorius internus morphology trait', 'thymus total cell', 'vertebra spongy bone cross-sectional', 'tooth eruption', 'incus size trait', 'vitreous lamella', 'lymphocyte radioactive tracer', 'parasympathetic neuron morphology', 'kidney lesion measurement', 'ldl', 'milk whey acidic protein amount', 'benign colorectal tumor surface area measurement', 'serum anti-dna antibody', 'fetus morphological measurement', 'sensory', 'internal auditory canal', 'thymus molecular composition trait', 'average horizontal distance in proximity', 'fungal infection', 'blood immunoglobulin g2c', 'blood gamma-glutamyltransferase activity', 'circulating il2 level', 'cochlear inner hair cell efferent innervation pattern', 'splenic iron', 'partial pressure of blood carbon dioxide (pco2)', 'time of sexual maturation trait', 'milk tetracosanoic acid', 'soleus', 'benign hepatic tumor prevalence', 'cauda epididymis morphology', 'lymph node secondary follicle morphology', 'eae latency', 'leydig cell', 'interferon-gamma secretion trait', 'interferon physiology trait', 'jejunum muscle', 'hair number', 'tarsometatarsus circumference', 'perivascular macrophage morphology trait', 'pulmonary vasculature', 'head', 'urine trait', 'white blood cell radioactive nucleoside incorporation', 'cranium mass', 'neutrophil migration', 'serum lipid', 'ventriculus quartus morphology', 'plasma cell development trait', 'thyroid gland dry', 'heart lactate dehydrogenase activity', 'plasma orosomucoid 1', 'posterior elastic layer morphology trait', 'enteroendocrine cell morphology trait', 'gizzard muscle thickness', 'neocortex thickness', 'blood interleukin-1', 'dopamine', 'serum igf2', 'brain type ii swd severity grade', 'chordamesoderm development', 'serum intermediate density lipoprotein cholesterol level', 'milk fatty acid c20', 'iris cell', 'parietal suture morphology trait', 'sperm capacitation trait', 'number of degenerated embryos per round of so/ai', 'stratum germinativum morphology', 'milk fatty acid cis-13-c18:1', 'heart wet weight as a percentage of body weight', 'mzb cell morphology', 'feeder per day', 'white adipocyte lipid droplet size trait', 'somatic sensory system morphology trait', 'epiphysis morphology', 'thymus structure', 'whole pancreas protein', 'serum glutamic-oxaloacetic transaminase activity level to glutamic-pyruvate transaminase activity level ratio', 'calculated thymus weight', 'xiphoid process morphology trait', 'il-18 secretion', 'heart right ventricle insulin-like growth factor 1 mrna level', 'milk lauroleic acid amount', 'anorectal integrity trait', 'serum uric acid', 'scapula morphology trait', 'skin dry', 'poorly differentiated malignant colorectal cancer incidence', 'calculated heart left ventricle dna content', 'heart ventricle septal wall', 'duodenum crypt of lieberkuhn depth', 'milk palmitic acid concentration', 'single pancreatic islet', 'reproductive life span', 'nk t-cell morphology', 'marginal zone b cell', 'back fat weight', 'heart left atrium configuration', 'cd4-positive, cd25-positive, alpha-beta regulatory t cell', 'ileum villi height', 'placenta maternal decidual layer', 'circulating ldl cholesterol level', 'plasma igm level', 'plasma glutamate dehydrogenase activity', 'cerebellar vermis lobule morphology trait', 'blood vldl-c level', 'cytokine synthesis inhibitory factor secretion', 'visual ability', 'rib quantity', 'liver nonremodeling tumorous lesion number', 'alternative complement cascade', 'esophageal epithelium morphology', 'lactation length', 'sensory nerve fiber quantity', 'food energy intake measurement', 'liver enzyme', 'sertoli cell morphology trait', 'leukocyte adhesion', 'milk cis fatty acid content', 'stratum reticulare cutis', 'stratum cylindricum morphology', 'plasma anti-double-stranded dna antibody titer', 'otoacoustic response trait', 'olfactory epithelium morphology', 'blood gonadotropin level', 'adipocyte maximal free fatty acid secretion', 'blood hdl triglyceride level', 'calculated kidney glomerulus measurement', 'autonomic nervous system morphology trait', 'sphenofrontal suture morphology', 'hse incidence/prevalence', 'lung ribonucleic acid amount', 'weight of the liver', 'blood cd8 cell', 'cerebellum lobule development trait', 'urine microalbumin excretion rate', 'meninges morphology', 'blood calcidiol amount', 'mesoderm development trait', 'milk fatty acid c17:0 percentage', 'lung ribonucleic acid composition', 'normal sperm count to total sperm count ratio', 'urine adrenaline', 'serum anti-dna antibody level', 'wing mass trait', 'combined food plus drink calorie intake level', 'pupil orientation trait', 'calculated whole pancreas protein', 'urine mineral', 'blood total cholesterol level', 'calculated kidney glomerulus morphological measurement', 'tumor necrosis factor-alpha physiology trait', 'male reproductive system morphology trait', 'b1a cell morphology', 'hepatic tumorous lesion volume', 'tissue weight of the forestomach', 'heart ace activity level', 'labyrinthus osseus', 'cerebrum integrity', 'scleral venous sinus morphology trait', 'ml-1 secretion', 'mesencephalic trigeminal nucleus morphology trait', 'testicular secretion trait', 'stomach morphology trait', 'blood natural killer cell', 'popliteal lymph node morphology trait', 'spleen b cell corona morphology', 'canal of schlemm size trait', 'serum creatinine level', 't-lymphocyte anergy', 'femur midshaft cortical cross-sectional', 'muscle dry weight', 'milk butyric acid', 'anterior uvea morphology trait', 'gamma-delta intraepithelial t-cell morphology', 'mesenteric artery morphological', 'brain swd amplitude', 'perirenal fat pad morphology', 'methylene blue metabolism-surface area product after auto-oxidation', 'tb.n', 'cd8-positive, alpha-beta regulatory t-cell', 'b cell positive selection trait', 'blood physiology trait', 'memory b lymphocyte morphology trait', 'impulse conducting system morphology', 'blood immunoglobulin g2a', 'splenic primary b cell morphology trait', 'entocornea morphology', 'plasma gssg level', 'experimental autoimmune neuritis incidence/prevalence', 'sphenozygomatic suture', 'blood th1 cell count', 'coagulating gland ductal branching', 'circulating adrenaline', 'aqueous humor morphology', 'egl thickness', 'double-positive t cell quantity', 'eosinophil morphology trait', 'embryonic erythropoiesis', 'change in blood insulin', 'hemogenesis', 'circulating atrial natriuretic factor level', 'il-12a secretion', 'glomerular capsule', 'drink energy intake level', 'trigeminal nerve neurilemmoma incidence/prevalence measurement', 'germinal streak', 'leukemia incidence', 'interferon physiology', 'both seminal glands wet weight', 'mating', 'calculated urine urea', 'vestibular system physiology', 'blood th cell count', 'globus pallidus', 'muscular system morphology trait', 'logarithm of the ratio of the lesioned side motor neuron count to contralateral side motor neuron count', 'inguinal fat morphological', 'perirenal fat pad weight', 'heart rv dna content', 'urinary bladder epithelium morphology trait', 'bone section mineralized tissue volume', 'dorsal spinal root morphology trait', 'thymus trabecula', 'female germ cell', 'central abdominal fat', 'egg length, fowl', 'mononuclear phagocyte morphology', 'meat color a', 'luteinization', 'total pancreas', 'lowenberg scala', 'respiratory rate', 'macrophage development trait', 'cochlear outer hair cell efferent innervation', 'reproduction measurement', 'cone', 'milk fatty acid trans-9,cis-12-c18:2', 'thymic morphology', 'masticatory muscle morphology trait', 'lamina elastica posterior morphology', 'inferior olive morphology trait', 'milk myristoleic acid percentage', 'left atrium', 'number of damaged pancreatic islets', 'epidermis stratum spinosum cell size trait', 'vascular endothelial cell number', 'milk alpha-lactalbumin amount', 'sertoli cell development trait', 'tnf secretion', 'blood tyrosinase activity level', 'gamma-interferon secretion', 'parasitic infection incidence/prevalence', 'adipose saturated fatty acid', 'coagulating gland morphology trait', 'molecule homeostasis trait', 'scarpa ganglion morphology', 'liver regeneration', 'loin fat weight', 'both lungs wet weight to body weight ratio', 'plasma free fatty acids', 'otolith size trait', 'neuron quantity', 'lymph node trabeculae morphology', 'scala vestibuli morphology trait', 'hypothalamus cell number', 'blood th cell count to total lymphocyte count ratio', 'hair growth trait', 'r-eae prevalence', 'tissue weight of the reticulo-rumen', 'heart lv dna content', 'lactation', 'liver sitosterol', 'maxillary sinus morphology', 'area of ventral prostate occupied by tumorous lesions as percentage of total ventral prostate area', 'semen measurement', 'mean platelet volume', 'sodium nitroprusside-induced blood vessel dilation expressed as percent of phenylephrine-induced vasoconstriction', 'temporal bone morphology', 'optic tract morphology', 'interleukine 2 secretion', 'autoantibody measurement', 'plasma acetaminophen level', 'inflammatory exudate monocyte count', 'fenestra cochleae morphology trait', 'deltoid crest morphology trait', 'plasma gamma-glutamyl transpeptidase activity level', 'heart right ventricle cell size trait', 'pancreas secretion', 'blood apolipoprotein a level', 'vertebral body development trait', 'calculated mesenteric artery molecular composition measurement', 'blood', 'neurilemmoma incidence/prevalence', 'aorta morphological', 'erythrocyte shape', 'transitional three stage b lymphocyte morphology trait', 'yolk sac color', 'granulocyte chemotaxis', 'heart left ventricle natriuretic peptide a protein', 'skin mass', 'apolipoprotein b', 'packed red blood cell volume', 'facial morphology trait', 'follicular dendritic cell physiology', 'rostral-caudal body axis extension', 'cd4-cd8- t cell number', 'swallowing reflex trait', 'temperament trait', 'heart relative wall thickness', 'neutrophil leucocyte morphology trait', 'number of aa- and ia-riel', 'milk pentadecylic acid percentage', 'onset of experimental arthritis', 'blood cd8(+) cell count', 'dressing percentage', 'interleukin-1 alpha secretion trait', 'circulating il-12 p70 level', 'skin potassium level plus skin sodium level', 'neuronal migration', 'circulating il-12b level', 'total white blood cell count', 'urinary relative excretion of potassium', 'myelination trait', 'hemopoietic system development trait', 't cell domain of the splenic white pulp morphology', 'spleen follicle center', 'epidermis stratum spinosum thickness', 'embryonic/fetal subventricular zone', 'absolute change in urine vma', 'total foot mass', 'meat lignoceric acid content', 'subcutaneous fat amount', 'meat hematin concentration', 'serum level of pituitary hormone', 'percentage of study population displaying unilateral renal agenesis at a point in time', 'meat indole content', 'erythrocyte', 'uterus development', 'digestive organ orientation trait', 'inner hair cell stereociliary bundle orientation trait', 'blood apolipoprotein aii level', 'meat linoleic acid', 'passive avoidance behavior', 'experimental allergic encephalomyelitis incidence/prevalence measurement', 'brain lipid', 'papillary layer morphology', 'free fatty acids level', 'concentration of acetylcholine at which the reduction in force during dilation of a blood vessel is half the maximum value (ec50)', 'thymus cmz', 'milk fatty acid c11:0', 'strial basal cell tight junction morphology trait', 'egg flavor', 'notochord morphology', 'spleen trabecular artery', 'stimulated renal sympathetic nerve activity to basal renal sympathetic nerve activity ratio', 'mge', 'liver', 'heart left ventricle dorsal wall', 'thymic corpuscle morphology trait', 'plasmacytoid dendritic cell', 'internal auditory canal morphology', 'individual kidney wet weight as percentage of body weight', 'calculated heart ventricle end-diastolic septal wall thickness', 'urine chloride level', 'eye physiology', 'inflammatory exudate lipoxin a4 level', 'pancreas development trait', 'urine creatine amount', 'cns glia morphology trait', 'colostrum immunoglobulin a amount', 'peripheral nervous system physiology trait', 'cytokine physiology trait', 'clonal deletion', 'squamosal suture morphology', 'energy expenditure trait', 'insulin-stimulated adipocyte maximal glucose uptake', 'superior vena cava', 'circulating tnf', 'quicki', 'muscle ribonucleic acid', 'change in left ventricular developed pressure', 'blood interleukin-10 amount', 'b-2 b cell quantity', 'tissue epinephrine amount', 'osteoblast morphology', 'receptor-dependent blood vessel maximum contractile force exoressed as a percentage of receptor-independent blood vessel maximum contractile force', 'renal development', 'subependymal layer morphology', 'cube root of body weight', 'motoneuron count', 'urine norepinephrine excretion rate', 'temporalis', 'blood acrp30', 'optic vesicle development', 'aortic elastin content', 'total food intake weight', 'vertebral cross-sectional area', 'band neutrophil count', 'lvedd', 'longissimus thoracis muscle area', 'meat fatty acid cis-12-c18', 'serum sodium level', 'calculated heart left ventricle end-systolic internal dimension', 'tibia-fibula cortical bone periosteal cross-sectional area', 'age at onset/diagnosis of adult-onset diabetes mellitus', 'preputial gland morphology trait', 't cell receptor gamma chain v-j recombination', 'blood aspartate aminotransferase activity level', 'metacarpus morphology', 'thoracic girdle morphology', 'mammary fat pad mass', 'colostrum immunoglobulin m', 'calculated total pancreatic islet beta cell weight', 'deep cell morphology trait', 'single-positive t cell quantity', 'malleal processus brevis', 'aqueous vein morphology trait', 'corticospinal tract morphology', 'plasma norepinephrine', 'blood pyrophosphate', 'area of individual liver fibrotic lesion', 'kidney lipid peroxidation level', 'liver gamma-glutamyltranspeptidase mrna level', 'serum level of corticosterone', 'b-lymphocyte receptor editing', 'serum anti-rat type 2 collagen antibody level', 'brain type i spike-wave activity severity grade', 'inner hair cell stereociliary bundle morphology', 'blood th1 cell percentage', 'inhibitory postsynaptic potential', 'b cell physiology', 'prostate size trait', 'superior vagus ganglion of the vagus (x) nerve morphology', 'tibia stiffness', 'cd25(+) cell count to cd8(+) cell count ratio', 'right kidney wet', 'homeostasis', 'plasma alcohol level', 'cranial base', 'number of unfertilized ova per superovulation/artificial insemination event', 'ivss', 'proximal hind limb circumference', 'ovarian folliculogenesis trait', 'visceral fat weight/ tibial', 'sternum size', 'anti-single stranded dna antibody level', 'heart ventricle end-systolic septal wall index', 'urine protein amount', 'aorta smooth muscle cell', 'percentage of study population developing pituitary tumors that invade the glandular capsule during a period of time', 'pancreas insulin level to pancreas total protein ratio', 'paw/hand/foot/hoof mass', 'bone mineral content', 'gait', 'heart insulin-like growth factor 1 mrna', 'poorly differentiated malignant colorectal tumor surface area measurement', 'cd4-positive, gamma-delta intraepithelial t cell morphology trait', 'milk fatty acid cis-9-c14:1', 'inner ear morphology trait', 'circulating bcgf-1 level', 'chemical homeostasis', 'meat heneicosylic acid', 'calculated body region fat morphological', 'ion homeostasis', 'ribeye area', 'experimental diabetes mellitus incidence', 'brain campesterol', 'cerebellum lobule development', 'telencephalic vesicle development trait', 'liver total tumorous lesion number', 'coccygeal vertebra', 'auditory vesicle size', 'immature b cell', 'calculated hirschsprung disease severity', 'large intestine length', 'milk triglyceride content', 'thyroid gland physiology', 'celiac lymph node size trait', 'double-negative t cell quantity', 'circulating gonadotropin level', 'adipose physiology trait', 'photoreceptor outer segment morphology', 'metencephalon morphology', 'gall bladder', 'spine morphology', 'stria vascularis intermediate cell', 'blood immunoglobulin g1 amount', 'cardiomyocyte quantity', 'adipose fatty acid c18:0 percentage', 'lymphatic system morphological', 'antibody response', 'lymph organ size', 'retina cell quantity', 'auditory vesicle', 'heart right ventricle anterior wall', 'kidney tubule', 'liver hyperemia incidence/prevalence', 'neutrophilic leukocyte physiology', 'orbit morphology', 'meat pentadecanoic acid content', 'vermis morphology', 'total area of tumorous lesions in an individual liver', 'l5 ganglion size', 'cytotoxic lymphocyte maturation factor secretion', 'intestinal epithelium morphology', 'anti-erythrocyte antigen antibody', 'b cell negative selection', 'atrial septal morphology trait', 'heart size', 'thorax morphology trait', 'cerebellar glomerulus morphology trait', 'milk flow', 'tooth mineralization', 'milk fatty acid c5:0 percentage', 'islet of langerhans lesion', 'emission behavior', 'th1 cell', 'lymph node medulla', 'plasma creatine phosphokinase activity', 'trachea', 'seminiferous tubule size trait', 'both kidneys wet', 'nerve fiber organization trait', 'obesity index', 'absolute change in adipocyte non-esterified fatty acid release', 'milk lactose concentration', 'muller fiber morphology trait', 'calculated whole pancreas protein level', 'semilunar valve morphology', 'cochlear inner hair cell efferent nerve fiber organization trait', 'spinal cord dorsal horn morphology', 'plasma immunoglobulin g3 amount', 'immunoglobulin v(d)j joining', 'teat diameter', 'polymorphonuclear cell', 'disease progression measurement', 'blood prl level', 'renal cortex protein measurement', 'tissue hormone composition measurement', 'prostate tumorous lesion size measurement', 'erythroid progenitor morphology', 'urine dopamine', 'calculated drink intake', 'alanine transaminase', 'corpora lutea morphology trait', 't lymphocyte apoptosis', 'chemoreceptor morphology', 'percent change in left ventricular systolic blood pressure', 'bulbourethral gland physiology trait', 'blood prolactin amount', 'vestibular canal morphology', 'vascular smooth muscle size trait', 'capillary measurement', 'cutis vera morphology', 'accumbens nucleus', 'sex gland', 'thyroid physiology trait', 'treg count', 'blood mug1 amount', 'oral mucosa', 'single nephron filtration fraction', 'calculated plasma lipoprotein level', 'perirenal fat pad volume', 'calculated rsna measurement', 'pancreas integrity', 'single-positive t cell morphology', 'serum free hemoglobin', 'femoral work to failure', 'plasma lactate dehydrogenase activity level', 'ampullary groove', 'lvsa', 'inner ear canal', 'circulating il-4', 'transitional two stage b-cell morphology', 'orbit width', 'vaginal opening morphology', 'ileum mass', 'plasma aspartate aminotransferase activity level', 'spleen measurement', 'aorta wall molecular composition measurement', 'serum thyroid stimulating hormone level', 'cd8-positive, alpha-beta regulatory t lymphocyte morphology', 'taste response', 'viable offspring', 'breast weight', 'urine amino acid level', 'absolute change in renal blood flow rate', 'milk fatty acid c18:0 concentration', 'spleen b-cell corona morphology trait', 'brain plant sterol and stanol', 'total dorsal coat/hair area', 'retinopathy incidence/prevalence', 'circulating cytokine synthesis inhibitory factor level', 'taste bud morphology', 'beta coefficient of mean arterial blood pressure change', 'ventricle of rhombencephalon size', 'neutrophil development trait', 'lung vascular', 'storage of mast-cell proteases', 'displacement activity reaction', 'rod neutrophil count', 'cn-i', 'nodular lymph node cortex', 'b-cell physiology', 'egg albumen percentage, fowl', 'splenic germinal center number', 'heart left ventricle interstitial bradykinin', 'muscle molecular composition trait', 'blood flow rate', 'helper t-lymphocyte type 1 function', 'ham muscle', 'tibia midshaft cortex cross-sectional area', 'ihc synaptic ribbon morphology trait', 'serum idl-c level', 'stomach mucosa morphology', 'serum immunoglobulin m-type rheumatoid factor titer', 'hair-tylotrich neuron morphology', 'milk fatty acid c5:0 concentration', 'lacrimal system morphology', 'parasympathetic ganglion', 'tibia-fibula cortical bone total cross-sectional area', 'milk medicinal flavor intensity', 'heart left ventricle end-diastolic diameter', 'ham trait', 'erythropoiesis trait', 'respiratory bronchiole', 'stratum papillare', 'anorectal malformation incidence/prevalence', 'meat lignoceric acid', 'milk heat stability', 'blood interleukin amount', 'total heart ventricle weight as a percentage of body', 'retina morphology trait', 'l4 ganglion size trait', 'paranasal sinus morphology', 'milk rumenic acid content', 'spleen gc morphology', 'milk kappa-casein amount', 'prostate tumor incidence/prevalence', 'blood flavanone amount', 'behavioral response', 'sperm count to epididymis weight ratio', 'meat chewiness trait', 'fat pad', 'tympanic membrane size trait', 'blood chylomicron cholesterol level', 'placenta wet', 'milk fatty acid c14:0 percentage', 'cerebellar granule layer morphology', 'alternative complement pathway', 'total heart ventricle size trait', 'serum igg-rheumatoid factor level', 'interdental cell morphology', 'natural immunity', 'angii half maximal effective concentration', 'gustatory papillae taste bud', 'palatine bone morphology', 'gill arch development trait', 'milk caproic acid', 'milk fatty acid c18:3(n-3)', 'eosinophil migration', 'incus morphology', 'milk fatty acid c12:0 concentration', 'metallophilic macrophage', 'calculated uterine weight', 'nasal septum morphology', 'hemolymphoid system development trait', 'gait trait', 'lymph organ', 'b-lymphocyte anergy', 'alisphenoid bone', 'adipose fatty acid c18', 'horn morphological measurement', 'erythrocyte physiology trait', 'endometrial adenocarcinoma prevalence measurement', 'hair cell physiology trait', 'oculomotor nucleus morphology', 'milk selenium amount', 'left adrenal gland wet weight', 'neural tube closure', 'acth', 'experimental autoimmune neuritis severity', 'pigmented ventral coat/hair area', 'wbc number', "schlemm's canal size trait", 'mature b-lymphocyte', 'lumbar vertebrae morphological measurement', 'embryo hatching trait', 'phalanx', 'xenobiotic stimulus', 'tunica albuginea oculi', 'ratio of the weight of both adrenal glands to the weight of the body', 'tnfa secretion', 'blood dihydrotestosterone amount', 'plasma sod activity', 'bacterial infection severity score based on mucosal leukocyte infiltration', 'brain hva', 'back fat thickness, 1st rib', 'midbrain/pons dihydroxyphenylacetic acid (dopac) amount', 'maximal oxygen consumption', 'serum triglyceride', 'serum troponin t level', 'energy expenditure', 'pancreas hormone composition measurement', 'measurement of voluntary locomotion in an experimental apparatus', 'tactile sensory behavior', 'left uterine horn length', 'nervous system integrity trait', 'liver sterol amount', 'serum insulin level times blood glucose level', 'interleukin-2 secretion', 'heart left atrium weight to body weight ratio', 'rod morphology', 'channel response', 'pharyngeal pouch morphology', 'eicosanoid', 'kidney molecular composition measurement', 'milk protein yield', 'urine calcium level', 'pulmonary artery morphology trait', 'tissue molecular composition measurement', 'calculated adrenal gland weight', 'interferon-gamma inducing factor secretion', 'basal ganglion morphology', 'tn2 cell number', 'circulating b-cell proliferating factor', 'blood t3 to t4 ratio', 'immune system organ development', 'area of liver occupied by tumorous lesions', 'circulating il-3', 'milk green flavor intensity', 'polymorphonuclear leukocyte morphology trait', 'laryngeal muscle morphology', 'mammary gland cistern', 'parathyroid gland', 'urethra size trait', 'thymus', 'cd4-cd8- t cell morphology', 'number of perinatal live-born offspring deaths', 'efferent arteriolar plasma protein', 'acromion morphology trait', 'calculated inflammatory exudate eicosanoid', 'mhc class ii rt1a-positive spinal cord ventral horn area to total spinal cord ventral horn area ratio', 'liver glutathione', 'serum levels of growth hormone', 'interdental cell', 'intraepithelial t-cell number', 'the target during voluntary locomotion in an experimental apparatus', 'blood thyroxine', 'neuron vacuole', 'oesophagus size', 'hemolymphatic system development', 'pulmonary interstitium morphology', 'uterine integrity trait', 'cerebrum cell', 'endocrine pancreas', 'poorly differentiated malignant colorectal neoplasm surface area measurement', 'cd4+ t cell development trait', 'epithalamus morphology', 'mean brain type ii spike-and-wave discharge duration', 'urine myoglobin amount', 'serotonin', 'superior glossopharyngeal ganglion of the glossopharyngeal (ix) nerve morphology', 'brain spike-wave discharge rate', 'serum ige level', 'abomasum volume', 'vascular endothelial cell measurement', 'hepatic copper weight to liver dry weight ratio', 'beef flavor intensity', 'fenestra rotunda', 'frontal process of maxilla morphology trait', 'bone remodeling', 'milk volume', 'lung enzyme activity measurement', 'milk fatty acid trans-16-c18', 'ureter development', 'blood globulin amount', 'nodose ganglion neuron', 'abdominal lymph node morphology trait', 'parasite', 'drumstick bone', 'epithelium thickness of the reticulo-rumen', 'dressed carcass water', 'bronchoalveolar duct junction morphology', 'blood vessel maximum contractile force', 'cardiac muscle contraction', 'movement latency period', 'hypophysis morphology', 'blood globulin', 'mature b-cell morphology', 'olfactory cortex morphology trait', 'thickness', 'macula utriculi', 'cardiovascular', 'absolute change in plasma norepinephrine', 'tail size trait', 'lipid', 'spinal cord anterior column morphological', 'serum anti-type 2 collagen antibody titer', 'hepatic copper weight', 'neutrophilic leukocyte physiology trait', 'forelimb length', 'hemopoietic system physiology trait', 'surface structure physiology', 'cd4-positive, cd25-positive, alpha-beta regulatory t-lymphocyte morphology', 'haemolymphoid system development trait', 'alveolar macrophage morphology trait', 'milk palmitoleic acid content', 'stapes footpiece', 'blood bicarbonate level', 'capillary morphology trait', 'vertebra cortical cross-sectional', 'circulating interleukin-1 alpha level', 'blood glucose', 'normal sperm', 'serum anti-deoxyribonucleic acid antibody', 'reticulorumen epithelium', 'pontine flexure', 'kidney glomerulus morphological measurement', 'adult parasite count', 'serum bicarbonate level', 'nasopharyngeal tonsil', 'hyoid bone morphology trait', 'myeloid leukemia incidence', 'acquisition performance measurement', 'clavicle cell', 'milk alpha-s1-casein concentration', 'liver tumorous lesion area to total liver area ratio', 'mesenteric artery morphology trait', 'spleen gc number', 'chew score', 'longissimus dorsi morphology', 'ventral prostate tumorous lesion size measurement', 'red blood cell count', 'platelet physiology trait', 'post-insult time to onset of type 2 diabetes mellitus', 'prolactin secretion trait', 'sphenoparietal suture', 'stria vascularis blood vessel', 'spinal cord anterior horn cellular composition', 'milk lactose', 'circulating multipotential colony-stimulating factor', 'blood ace2 activity level', 'plasma retinol level', 'inflammatory exudate tumor necrosis factor', 'circulating ifn-beta level', 'transitional stage t2 b cell morphology', 'voluntary locomotion measurement', 'egg yolk morphology', 'percentage of study population displaying pituitary tumors at a point in time', 'cerebellum external granule cell layer morphology', 'milk fatty acid trans-5-c18:1 percentage', 'gall bladder physiology trait', 'neostriatum morphology', 'ventricle of diencephalon size trait', 'short lived plasma cell', 'plasma ige', 'alpha-beta intraepithelial t-lymphocyte morphology', 'stereotypic behavior', 'b cell antigen presentation trait', 'nervous system morphology trait', 'fontanelle', 'hair follicle root sheath morphology', 'heart left ventricular end-diastolic blood pressure to heart left ventricular end-diastolic diameter ratio', 'age at onset/diagnosis of iddm', 'pituitary gland tumorous lesion measurement', 'nk t cell', 'choroid blood vessel morphology', 'lip morphology trait', 'hydrocephalus severity score', 'tcr delta chain v(d)j recombination', 'milk fat globule surface area trait', 'milk alpha-casein amount', 'plasma ggtp activity', 'sinusoidal space size trait', 'endometrioid carcinoma prevalence measurement', 'pancreas gland', 'longissimus thoracis size trait', 'blood eosinophil count to total leukocyte count ratio', 'area of individual ventral prostate tumorous lesion', 'serum ldl-c level', 'infarction', 'pectoralis muscle', 'smi', 'milk fatty acid c22:6 n-3 content', 'alveolar body morphology', 'interventricular septum configuration', 'jejunum mass', 'coronary artery integrity', 'receiving feather pecking trait', 'urethra morphology trait', 'organism subdivision trait', 'smooth muscle morphology trait', 'renal tubulointerstitial score', 'blood glutamic-oxaloacetic transaminase activity level', 'cochlea basement membrane morphology', 'long bone shaft', 'liver copper weight to liver dry weight ratio', 'memory b cell development trait', 'hind limb length', 'time between stimulus and first movement outside a discrete space in a an experimental apparatus', 'superior vagus ganglion', 'hypothalamus norepinephrine amount', 'total calorie intake rate', 'muscle cholesterol level', 'belly composition', 'colon muscle', 'midbrain/pons norepinephrine amount', 'calculated apoptotic body', 'endometrioid carcinoma measurement', 'milk oleic acid percentage', 'vertebrae morphology', 'single kidney wet weight as percentage of body', 'total white blood cells', 'basal white blood cell dna synthesis measurement', 'interdental cell morphology trait', 'sanguification', 'milk polyphenol amount', 'humerus size trait', 'labia majora', 'renal fat depot', 'trigeminal ganglion of trigenmial (v) nerve morphology trait', 'mammary tumor measurement', 'dermis stratum papillare', 'blood antidiuretic hormone amount', 'area of liver occupied by fibrosis as percentage of total liver area', 'plasma murinoglobulin 1', 'insulin-dependent diabetes incidence', 'ratio of number of glomeruli with microaneurysms to number of total glomeruli', 'meat fatty acid c14:0 percentage', 'plasma immunoglobulin e', 'serum malondialdehyde', 'areola mammae/nipple', 'brain type ii spike-wave discharge frequency', 'prl secretion', 'offspring morphological', 'mature gamma-delta t cell quantity', "meissner's corpuscle nerve fiber organization", 'intraepithelial lymphocyte morphology', 'chest trait', 'time to peak heart contraction', 'blood lipoprotein triglyceride level', 'milk linoleic acid percentage', 'petrosal ganglion size', 'urine hemoglobin', 'voluntary body movement', 'plasma aldosterone', 'percentage of study population displaying chronic eae at a point in time', 'kidney blood vessel physiology', 'sex determination', 'liver parenchymal degeneration incidence', 'dressing', 'meat fatty acid c17', 'neurohypophysis morphology', 'blood ammonia level', 'serum levels of luteinizing hormone', 'blood gonadotropin amount', 'prostate tumor incidence/prevalence measurement', 'autonomic nervous system physiology trait', 'hepatocellular carcinoma tumor count', 'pancreas weight', 'plasma hdl level', 'cytotoxic t cell physiology', 't lymphocyte function', 'serum direct renin activity', 'circulating albumin', 'cataract incidence/prevalence measurement', 'muscle fatty acid cis-11-c20:1 percentage', 'hair shaft morphology', 'renal tubule morphology trait', 'ejaculation trait', 'experimental autoimmune neuritis incidence', 'plasma anti-bovine type ii collagen antibody titer', 'semitendinosus muscle', 'placenta measurement', 'serum magnesium level', 'tectorial membrane attachment', 'blood gsh level', 'dark adaptation', 'alveolocapillary membrane', 'intraepithelial t-lymphocyte morphology trait', 'ureteric bud morphology', 'embryonic epiblast morphology trait', 'diabetes incidence', 'cone morphology trait', 'copper homeostasis trait', 'corpus pineale', 'extraembryonic tissue physiology', 'mammary tumor latency', 'adipose palmitic acid concentration', 'latency of induced type 1 diabetes mellitus', 'nk cell morphology', 'aortic peak velocity (apv)', 'cerebellar granule neuron morphology', 'spleen dry', 'lymph gland weight to body weight ratio', 'schwann cell count', 'fsh secretion trait', 'parasympathetic nervous system physiology trait', 'cd4-positive, cd25-positive, alpha-beta regulatory t lymphocyte', 'pancreas tumorous lesion', 'scapula', 'serum chylomicron level', 'calculated heart rv dna content', 'skeletal muscle myosin isoform amount', 'channel response intensity', 'abdominal fat pad morphology', 'opercular flap morphology trait', 'esa', 'kidney g6pd activity to total protein level ratio', 'blood vessel outer diameter', 'plasma gpx activity level', 'blood aspartate transaminase activity level', 'excretory system', 'circulating hormone level', 'retinal photoreceptor morphology trait', 'hydronephrosis severity measurement', 'core temperature', 'pituitary tumor latent period', 'milk fatty acid cis-11-c20:1', 'semimembranosus size trait', 'egg cylinder', 'amniotic fluid amount', "bruch's membrane", 'spleen mononuclear cell number', 'calculated blood globulin', 'cd8-positive, alpha-beta intraepithelial t-cell', 'caul fat', 'brain dry weight', 'cranial temperature', 'blastocele formation', 'blood thyroxine level', 'pancreas gland physiology', 'spinal cord beta-2 microglobulin protein', 'cerebral artery inner diameter', 'blood-inner ear barrier physiology', 'food intake', 'venous blood flow trait', 'semilunar ganglion morphology', 'splenic marginal sinus', 'brain development trait', 'hindlimb zeugopod morphology trait', 'muscle', 'placenta vascular morphology trait', 'serum got activity level', 'semilunar valve morphology trait', 'intramuscular adipose area as percentage of muscle area', 'tricuspid valve', 'calculated heart wall thickness', 'talus morphology', 'response to cocaine trait', 'ear lobe size trait', 'immature b lymphocyte morphology trait', 'adrenal gland', 'tibial energy', 'muscle innervation pattern trait', 'nipple angle', 'calculated liver copper', 'squamosal suture morphology trait', 'blood ldl', 'retinal layer morphology', 'basal body weight', 'limb regeneration trait', 'ventricle septal', 'marrow cavity morphology', 'blood alkaline phosphatase activity level', 'kidney molecular composition', 'utricle morphology trait', 'serum cartilage oligomeric matrix protein', 'atrium septum', 'nociceptor morphology', 'skin fold thickness, tricep', 'in vivo vessel shear stress', 'cd8-positive t cell morphology trait', 'neutrophil quantity', 'aortic size', 'total kidney weight', 'calculated renal non-tumorous lesion', 'stab neutrophil count', 'fetal body weight', 'vas deferens morphology trait', 'pulmonary alveolus epithelial cell', 'blood phytosterol level', 'third ventricle size', 'total serum bilirubin level', 'splenocyte physiology trait', 'ro-23-6019 secretion', 'thymus dry weight', 'belly', 'unilateral left-sided renal agenesis incidence', 'hair medulla morphology', 'adipose heptadecanoic acid', 'social tendency trait', 'temporal bone', 'cd8-positive t cell physiology trait', 'mammary gland growth', 'shoulder yield', "peyer's patch quantity", 'total litter size', 'gamma-delta t-cell', 'tibia force at failure', 'enamel morphology trait', 'plasma plant sterol and stanol', 'central b-lymphocyte anergy', 'cerebral cortex projection neuron', 'interscapular fat pad', 'faecal parasite oocyst count', 'kidney morphological measurement', 'mammary duct morphology trait', 'thymus stromal cell count', 'nk t-lymphocyte morphology trait', 'fontanelle morphology trait', 'forelimb integrity trait', 'cholinergic nerve fiber organization', 'blood immunoglobulin a amount', 'interleukin-21 secretion', 'locomotor coordination', 'milk monounsaturated fatty acid amount', 'plasma dihydrotestosterone', 'lumbar vertebrae morphological', 'natural killer t-cell physiology', 'spiral ligament morphology', 'negative t cell selection', 'primary motor area morphology trait', 'dn2 cell number', 'iris pigmentation trait', 'cerebellar posterior vermis', 'turbinated bone', 'urine keto acid amount', 'midbrain', 'hepatic remodeling tumorous lesion number', 'heart effluent enzyme level', 'humerus mineral mass', 'ocular fundus morphology trait', 'alisphenoid morphology', 'plasma thyrotropin', 'kidney pyramid size trait', 'vestibulocochlear ganglion size trait', 'basal ganglia', 'segmented neutrophil granulocyte percentage', 'calorie intake', 'apical ectodermal ridge development', 'tarsals', 'milk copper', 'embryo implantation trait', 'hypothalamus dihydroxyphenylacetic acid (dopac) amount', 'mesenteric artery molecular composition', 'humerus morphology', 'placenta mass', 'plasma tc level', 'humeral axillary lymph node size', 'plasma thyroxine level', 'dressed carcass bone weight', 'skin cell', 'heart right ventricle', 'total coat/hair area', 'b-1a b lymphocyte morphology trait', 'serum alt activity', 'frontal process of maxilla', 'scala tympani morphology trait', 'thyroid cartilage morphology trait', 'anorectal malformation prevalence', 'ratio of hepatic reduced glutathione level to liver', 'cd4-negative, cd8-negative, alpha-beta intraepithelial t cell morphology trait', 'corticobulbar tract morphology trait', 'uterine tube size', 'hind limb', 'respiratory muscle morphology trait', 'cardiac excitatory physiology', 'ischial bone', 'cytotoxic t lymphocyte morphology', 'experimental autoimmune neuritis severity score', 'kidney collecting tubule morphology trait', 'circulating thyroid hormone level', 'collar bone morphology trait', 'alcohol metabolism trait', 'c2 physiology', 'neuronal mitochondrion measurement', 'calculated serum paracetamol', 'mesangial cell morphology', 'muscle water amount', 'intermuscular fat content', 'statolith size trait', 'circulating interleukin-18', 'heart igf1 mrna level', 'joint integrity', 'sialoschesis', 'muscle myoglobin', 'sperm development trait', 'hippocampal fornix', 'plasma gldh activity level', 'milk sodium concentration', 'b1 cell morphology trait', 'yolk sac vasculature morphology', 'both kidney', 'popliteal lymph node', 'interleukin ii secretion', 'ratio of the effective renal plasma flow to the weight of both kidneys', 'respiratory alveoli morphology trait', 'chondrocyte morphology trait', 'lymph node quantity', 'circulating interferon-gamma level', 'deiters cell morphology trait', 'lower jaw morphology', 'interleukin-23b secretion', 'kidney glomerulosclerotic lesion diameter to mean arterial blood pressure ratio', 'kidney cortex protein measurement', 'ts/c cell count', 'vertebra cortex cross-sectional area', 'plasma albumin level', 'total fat pad weight', 'fibrin formation', 'arterial blood flow rate', 'cerebrospinal fluid chemistry measurement', 'blood vessel reactivity', 'plasma total ige', 'quadrigeminal body morphology trait', 'hippocampal mossy fiber morphology', 'brain', 'midbrain roof plate morphology', 'thoracic aorta cellular protein', 'circulating eosinophil differentiation factor', 'muscle fatty acid cis-9-c16:1', 'drink energy intake measurement', 'corneal endothelium', 'muscle cross-sectional', 'milk cooked flavor intensity', 'primary auditory area morphology', 'myelin sheath', 'milk trans-9,trans-12-octadecadienoic acid content', 'addictive substance trait', 'calculated heart ventricle end-systolic septal wall', 'serum free fatty acids level', 'conception rate', 'viral infection incidence/prevalence', 'blood parathyroid hormone amount', 'blood intermediate density lipoprotein cholesterol level', 'cytotoxic t lymphocyte', 'plasma comp', 'width of the glandular crypts of the ileum', 'testes integrity', 'body fat percentage, ortiz equation', 'hippocampus projection neuron', 'serum carboxy-terminal collagen crosslinks', 'corpus luteum size', 'gamma-delta intraepithelial t cell quantity', 'type i pneumocyte morphology trait', 'neocortex', 'parahippocampal gyrus', 'palisade layer', 'fertility', 'blood enzyme inhibitor', 'linoleic acid percentage', 'plasma angiotensin i converting enzyme 2 activity', 'calculated artery wall thickness', 'calculated spinal cord anterior horn area', 'hepatocyte count', 'kidney superoxide dismutase activity', 'dn3 cell number', 'placenta size trait', 'tunica vasculosa bulbi morphology', 'motor nerve collateral sprouting', 'kidney glomerulus', 'enteric neuron morphology trait', 'absolute change in mean arterial blood pressure', 'oral mucosa morphology trait', 'dairy form', 'total pancreatic tissue protein/peptide composition measurement', 'uterus ribonucleic acid composition', 'natural killer t-cell morphology', 'adipose fatty acid cis-9-c16', 'urine epinephrine level', 'active avoidance behavior trait', 'blood vessel endothelium measurement', 'spinal cord anterior horn morphological', 'blood tc', 'circulating il level', 'uvea integrity trait', 'parturition', 'spinal cord c1qb protein level', 'plasma norepinephrine level', 'nkt cell physiology trait', 'thoracic duct morphology', 'ventricular septal morphology', 'calculated prostate tumorous lesion area measurement', 'photoreceptor inner segment morphology', 'circulating interleukin-12 beta chain level', 'virchow-hassall body', 'epidermal layer morphology trait', 'somatic motor system', 'colostrum hormone content', 'hemopoietic cell number', 'number of ruptures of the internal elastic lamina of the renal arteries', 'kidney pelvis morphology trait', 'blood ggtp', 'ham fat thickness', 'serum peptidyl-dipeptidase a activity level', 'milk rumenic acid', 'epiphysis cerebri morphology trait', 'maximum time spent running to exhaustion on treadmill', 'tectum morphology', 'urine measurement', 'blood bradykinin', 'mucociliary clearance trait', 'cytokine secretion', 'renal fat pad morphological measurement', 'mature gamma-delta t-cell morphology', 'prostate gland wet', 'long bone epiphysis morphology', 'ast level', 'femur metaphysis morphological', 'faecal parasite egg', 'organ', 'skin fold thickness, bicep', 'absolute change in plasma adrenaline level', 'blood corticotropin-releasing hormone', 'blood anti-collagen antibody level', 'female meiosis trait', 'blood urea nitrogen', 'copper weight per whole liver', 'adrenal gland dry weight', 'mammary gland physiology', 'femoral neck morphological', 'milk fatty acid c18', 'drinking behavior', 'csf homeostasis', 'fdcn morphology trait', 'calculated lung weight', 'adipocyte incremental free fatty acid secretion per cell', 'circulating hepatocyte-stimulating factor', 'epidermis stratum granulosum morphology trait', 'hemolymphatic system physiology trait', 'meat dihomo-gamma-linolenic acid', 'plasma vitamin a1 level', 'serum total immunoglobulin g', 'urine hormone', 'parotid salivary gland cholinergic nerve fiber quantity', 'inflammatory exudate leukotriene b4 level', 'kidney weight', 'cheek bone morphology', 'blood osteocalcin level', 'stria vascularis melanocyte morphology', 'plasmacytoid monocytes cell', 'body morphological measurement', 'percentage of non-categorized leukocytes', 't helper 2 physiology trait', 'cd4-positive, gamma-delta intraepithelial t-lymphocyte morphology trait', 'mortality', 'calculated heart left atrium morphological measurement', 'vestibular ganglion size trait', 'meat capric acid', 'intestinal peristalsis trait', 'the number of lymphocytes in an inflammatory exudate', 'thymus lobule', 'meat myristic acid', 'corneal light-scattering', 'measurement of distance moved per unit of time in an experimental apparatus', 'intraepithelial t lymphocyte number', 'uterine nk cell', 'egg yolk flavor', 'daily spermatozoa count', 'heart blood flow', 'mean corpuscular hemoglobin concentration', 'baroreceptor morphology trait', 'clavicle morphology trait', 'fenestra cochleae morphology', 'milk fatty acid trans-9,cis-12-c18:2 percentage', 'granule layer', 'neutrophilic leukocyte', 'spleen cell morphology', 'cd4-positive t cell physiology', 'cd8-positive, alpha-beta treg morphology trait', 'glomerular capsule size trait', 'serum immunoglobulin g-type rheumatoid factor level relative to an arbitrary reference serum', 'left major bronchus morphology', 'kidney cortex morphology trait', 'pericardium orientation', 'oocyte quantity', 'heart atrium appendage morphology', 'vasoconstriction trait', 'male fertility', 'milk triacylglycerol', 'somatic sympathetic system morphology', 'social investigation', 'intraocular pressure', 'caudate putamen complex morphology', 'log of the total number of recovered nthi bacterial cfus', 'egg albumen weight', 'adipocyte basal nefa release', 'hard palate morphology', 'bone area measurement', 'plasma prl level', 'masticatory muscle morphology', 'cd8-positive, alpha-beta intraepithelial t cell morphology trait', 'chronic experimental autoimmune encephalomyelitis incidence/prevalence measurement', 'schwann cell morphology trait', 'blood interleukin-17', 'change in heart rate to change in intracerebroventricular sodium concentration ratio', 'cartilage cell morphology trait', 'calculated left ventricular end-systolic blood pressure', 'supramarginal gyrus morphology', 'abdominal wall integrity', 'rostrum morphology trait', 'b cell physiology trait', 'nesting behavior trait', 'single adrenal gland', 'transitional two stage b-lymphocyte morphology', 'gonadotropin-releasing hormone secretion trait', 'canal of schlemm size', 'blood triiodothyronine amount', 'thyroid gland physiology trait', 'circulating ro-236019 level', 'yolk sac morphology', 'both inguinal fat pads weight to body weight ratio', 'calculated blood vessel lesion measurement', 'hepatic non-tumorous lesion', 'postnatal subventricular zone morphology trait', 'lymphoma incidence/prevalence', 'malignant liver tumor count', 'blood pressure time series linear term first order parameter', 'muscle fatigue trait', 'calculated food calorie intake measurement', 'ear lobe morphology', 'blood basophil count to total leukocyte count ratio', 'blood cd45rclow cd4 t lymphocyte count to total lymphocyte count ratio', 'hippocampus layer', 'sciatic nerve morphology trait', 'hepatic lipid composition', 'kidney collecting tubule morphology', 'splenic marginal zone morphology', 'milk color', 'white fat cell size', 'renal medulla trpv4 protein level to beta-actin protein level ratio', 'skin morphological measurement', 'plasma hdl', 'reflexes', 'circulating homocysteine content', 'blood glomerular filtration rate, diet in renal disease formula (mdrd)', 'splenocyte physiology', 'femur cross-sectional', 'harderian gland morphology', 'basis stapedis morphology', 'discrimination learning', 'palmar eccrine gland morphology', 'change in renal sympathetic nerve activity to change in intracerebroventricular sodium concentration ratio', 'amphetamine trait', 'serum progesterone level', 'blood cd8 lymphocyte count', 'hindbrain morphology trait', 'heart left ventricle atrial natriuretic factor', 'processus brevis', 'liver triglyceride', 'intestinal mucosa morphology trait', 'interteat distance', 'malar bone morphology', 't-cell stimulating factor secretion', 'mononuclear leukocyte development', 'milk fatty acid c10:0 percentage', 'multinucleated phagocyte morphology', 'eyelash morphology trait', 'cardiomyocyte morphology trait', 'heart left ventricle atrial natriuretic factor amount', 'pancreas non-tumorous lesion', 'adipocyte maximal radioactive glucose uptake', 'atrial appendage morphology trait', 'endolymph production trait', 'calculated glomerular filtration rate', 'post-insult time to onset of cerebrovascular lesion', 'circulating interleukin-10 level', 'adipose fatty acid c18:0', 'spleen gc morphology trait', 'dn4 cell', 'meat cis-10-heptadecenoic acid', 'urine electrolyte level', 'blood immunoglobulin m amount', 'coccyx morphology', 'geniculate ganglion morphology', 'foregut morphology trait', 'st_interval', 'mammary areola morphology', 'percentage of study population developing type 1 diabetes mellitus during a period of time', 'alpha-beta intraepithelial t lymphocyte morphology trait', 'testes development trait', 'urinary organ morphology trait', 'decrease in blood ethanol concentration per unit time', 'aortic valve configuration trait', 'serum hemoglobin level', 'aortic wall elastin dry', 'rhythmic behavior', 'hair cell mechanoelectric transduction trait', 'visceral endoderm morphology', 'intestinal aganglionosis incidence/prevalence', 'parametrial fat depot morphology', 'cochlear hair cell development', 'total liver', 'age of onset of experimental allergic neuritis', 'atrial auricle configuration trait', 'spleen mass', 'synapse morphology trait', 'reticulo-rumen volume', 'circulating il7 level', 't helper 2', 'hair follicle size', 'urine noradrenalin level', 'gonad rudiment', 'interscapular fat pad morphology', 'milk stearic acid content', 'milk fatty acid c20:0 percentage', 'vasoconstrictor log half maximal effective concentration (log ec50)', 'cartilage morphology', 'testis tumor measurement', 'calculated cytotoxic t cell', 'serum alanine transaminase activity level', 'lumbar dorsal root ganglion morphology trait', 'aorta elastic tissue molecular composition trait', 'b-1b b-cell morphology trait', 'adipocyte basal non-esterified fatty acid release', 'splenic morphology trait', 'reticulorumen', 'bone mineral', 'shoulder muscle percentage', 'neuroendocrine gland', 'meat composition', 'blood interferon-beta', 'gustatory system trait', 'milk fatty acid trans-6-8-c18:1 concebtration', 'left renal fat pad weight to body weight ratio', 'jejunum villi length', 'volume of liver occupied by nonremodeling tumorous lesions', 'pancreatic beta cell quantity', 'podocyte morphology', 'milk fatty acid cis-9-c17:1 percentage', 'heart rate-corrected left ventricular isovolumetric relaxation time', "rathke's pocket morphology", 'cerebellum posterior vermis morphology', 'thymus weight to body weight ratio', 'yolk sac morphology trait', 'palatine shelf morphology trait', 'blood cd45rclow cd4 t lymphocyte count', 'caval vein morphology trait', 'cd4-positive, alpha-beta intraepithelial t-cell', 'plasma idl phospholipid', 'plasma autoantibody titer', 'endocochlear potential trait', 'uterine horn morphological', 'behavioral response to novelty', 'skin (potassium plus sodium) level to skin water level ratio', 'autoregulatory index', 'serum glucose', 'urine bilirubin level', 'belly muscle', 'ampullary groove morphology trait', 'membrana statoconiorum morphology trait', 'serum globulin level', 'serum peptidyl-dipeptidase a activity', 'long bone morphology trait', 'omasum', 'chemical response/sensitivity measurement', 'apoptotic cell measurement', 'oropharyngeal lymphoid tissue morphology trait', 'pituitary gland integrity', 'experimental autoimmune uveitis severity score', 'ammon horn morphology', 'salivation', 'plasma cystatin c', 'transitional two stage b-cell', 'milk nutty flavor intensity', 'erythrocyte ion amount', 'blood cd3-positive cell count', 'ratio of ipca to total area of pancreas tail region', 'toxoplasma gondii infection incidence/prevalence measurement', 'common lymphocyte progenitor morphology', 'circulating catabloin level', 'circulating il-23p19', 'sensation behavior trait', 'labc', 'natural t cell morphology', 'encephalitis incidence/prevalence', 'monocyte count to total wbc count ratio', 'blood ige', 'endocardial cushion morphology', 'scapula morphology', 'serum globulin measurement', 'b cell selection', 'hind feet phalanges', 'total milk volume', 'prostate epithelium morphology', 'inflammatory exudate mononuclear leukocyte', 'plasma haemoglobin level', 'calculated voluntary body movement measurement', 'optic tract size', 'blood luteinizing hormone level', 'milk growth factor content', 'cd4-positive, alpha-beta intraepithelial t lymphocyte morphology trait', 'small intestine mass', 'coccygeal vertebra number', 'hepatic triglyceride level', 'clavicle morphology', 'incidence of relapsing-remitting experimental autoimmune encephalomyelitis (r-eae) in a disease population', 'ham size trait', 'inflammatory exudate tnf-alpha concentration', 'muscle fatty acid concentration', 'plasma haptoglobin', 'thymus morphology trait', 'olfactory nerve', 'liver weight to body weight ratio', 'serum aldosterone', 'brain rna composition', 'macrophage antigen presentation trait', 'maximum contractile force per wet weight of aorta', 'offspring quantity', 'blood lipid', 'inflammatory exudate lymphocyte count', 'total vertebra', 'brown adipose', 'cranium', 'reproductive anatomy', 'absolute change in urine vma level', 'blood igd', 'cd25(+) cell to cd4(+) cell ratio as', 'potassium chloride response/sensitivity measurement', 'milk fat concentration', 'trochlear nerve size trait', 'meat fatty acid trans-11-c18:1 percentage', 'kidney fibrotic lesion area to total kidney area ratio', 'basisphenoid bone morphology trait', 'muscle fatty acid', 'rib', 'tracheal-bronchial branching morphogenesis trait', 'milk urea amount', 'artery lumen measurement', 'rod morphology trait', 'hypothalamus serotonin', 'lung mass', 'innervation', "merkel's receptor nerve fiber", 'calculated food intake weight measurement', 'trimmed wholesale product weight', 'heart wet weight', 'organ of corti', 'phenylephrine response/sensitivity measurement', 'both testes wet weight as percentage of body weight', 'sagittal suture', 'strial marginal cell', 'haemoglobin concentration', 'heart left ventricle igf1r mrna', 'serum cpk activity', 'blood ace activity', 'heart right ventricle weight to left ventricle weight ratio', 'pyramid of vermis morphology', 'antigen presenting cell', 'abr threshold', 'coat density', 'helper t lymphocyte type 2 cell number', 'outflow tract morphology trait', 'circulating b-cell stimulatory factor 2 level', 'calculated femoral neck cross-sectional', 'change in diastolic blood pressure', 'fractional change in blood vessel diameter per unit change in intravascular pressure', 'blood glycated hemoglobin', 'pituitary gland wet', 'acute phase protein amount', 'metatarsal bone weight', 'nk t-lymphocyte', 'cd4-positive, alpha-beta intraepithelial t cell', 'clitoris size trait', 'hyaloid membrane morphology trait', 'age at onset/diagnosis of diabetes mellitus', 'meat fatty acid trans-11-c18', 'anterior prostate morphology trait', 'anterior stroma morphology trait', 'retinal ganglion layer morphology trait', 'pancreatic alpha cell physiology trait', 'segmented neutrophil count as percentage of total white blood cells', 'midbrain-hindbrain boundary development', 'occipitoparietal suture morphology', 'calculated neuronal golgi apparatus area', 'tibia cortical bone midshaft periosteal cross-sectional area', 'polynuclear neutrophilic leukocyte physiology trait', 'mesenteric artery molecular composition measurement', 'plasma idl-c level', 'spinal cord morphological measurement', 'splenic b cell corona', 'convoluted tubule morphology', 'sternum length', 'cochlear window morphology', 'nervous system tumor measurement', 'spine of scapula', 'milk omega-6 fatty acid content', 'ldl level', 't wave amplitude', 'pulmonary artery (pa) blood pressure measurement', 'presacral vertebrae number', 'parietal bone', 'calculated kidney glomerulosclerosis', 'abrs', 'blood t helper 1-like cell count to total lymphocyte count ratio', 'rt6.1 positive t cell count', 'vaginal epithelium', 'thermoreceptor morphology trait', 'mononuclear phagocyte', 'proximal forelimb circumference', 'plasma anti-single-stranded deoxyribonucleic acid antibody titer', 'abdominal visceral fat', 'food intake weight to change in body weight ratio', 'perilymph physiology', 'lymphatic vessel morphology trait', 'muscle dry matter', 'poorly differentiated colorectal adenocarcinoma surface area measurement', 'blood vessel contractile force', 'egg albumen', 'intestine integrity', 'meibomian gland size', 'circulating il15', 'immune system', 'diameter', 'discrimination learning trait', 'labia size', 'phalanges morphology', 'vitreous body morphology trait', 'serum anti-type ii collagen antibody titer normalized for absorbance', 'neurocranium mineral mass', 'tarsal gland size trait', 'behavioral response to novel environment', 'colorectal adenoma incidence', 'pulse pressure', 'benign colorectal cancer incidence', 'plasma reduced glutathione level', 'claudius cell morphology trait', 'splenic capsule', 'diabetes mellitus type ii incidence', 'number of escape attempts in an experimental apparatus', 'myelin sheath morphology', 'brain non-tumorous lesion incidence/prevalence measurement', 'helper t cell type 2 morphology', 'urine potassium amount', 'milk fatty acid cis-9,trans-11-c18:2 percentage', 'incisor bone', 'granulosa cell differentiation', 'gamma-delta intraepithelial t lymphocyte number', 'absolute change in thymus', 'blood circulatory physiology', 'circulating homocysteine', 'circulating macrophage cell factor level', 'cd4-positive, cd25-positive, alpha-beta treg morphology trait', 'calculated intramuscular fat area', 'skin k+ level to skin h2o level ratio', 'homotypic cortex', 'optic nerve fiber organization', 'plasma parathyroid hormone level', 'milk fat-to-protein ratio', 'phenylephrine-induced blood vessel contractile force expressed as percent of force at baseline', 'the wet weight of a single adrenal gland', 'thoracic aorta morphology trait', 'limb/digit morphology', 'stomach squamous epithelium morphology', 'stria vascularis melanocyte', 'change in plasma e. coli specific antibody level after challenge', 'metatarsus weight', 'metacarpal bone morphology trait', 'utricular macula morphology', 'c-reactive protein physiology', 'urine urea level', 'milk total protein amount', 'meatus auditorius internus', 'spleen wet', 'hypoglossal nucleus morphology', 'calculated blood vessel contractile force', 'renal fat pad mass', 'il-12 p70 secretion', 'organ of corti morphology trait', 'pancreatic islet area to total pancreas area ratio', 'mast cell growth factor-2 secretion', 'plasma ace activity', 'horizontal cell', 'serum cholesterol level', 'aorta wall extracellular collagen weight', 'total fat pad', 'cholinergic system morphology trait', 'tissue weight of the esophagus', 'transitional stage b lymphocyte', 'meibomian gland size trait', 'active-zone-anchored inner hair cell synaptic ribbon', 'blood ig', 'serum igg subtype', 'mononuclear leukocyte differentiation trait', 'stomach epithelial cell', 'iga concentration', 'extraembryonic endoderm morphology', 'epiphyseal plate proliferative zone morphology', 'absolute change in left ventricular diastolic blood pressure', 'femoral midshaft polar moment of inertia', 'tunica vitrea morphology', 'memory t lymphocyte', 'abdominal visceral fat area', 'nk cell physiology trait', 'colostrum growth hormone', 'serum immunoglobulin a', 'intraepithelial t-cell', 'number of live offspring per litter', 'marrow cavity development trait', 'venous blood pressure', 'central nervous system synapse formation trait', 'pubis morphology trait', 'retroperitoneal fat pad morphology trait', 'external meatus', 'backfat thickness', 'blood electrolyte measurement', 'blood triiodothyronine level', 'ciliary body', 'sympathetic neuron morphology', 'middle ear bone', 'reticulo-rumen morphology', 'blood vessel physiology', 'connective tissue development trait', 'trigeminal nerve integrity trait', 'pca inner diameter', 'forelimb long bone morphology', 'trigeminal malignant peripheral nerve sheath tumor incidence/prevalence', 'calculated blood alcohol', 'leydig cell number', 'intestine trypsin amount', 'urine aldosterone level', 'oocyte count', 'vertebra area', "meckel's cartilage development", 'lumbar vertebra number', 'liver granuloma severity composite score', 'percent of live offspring per litter', 'blood adrenaline level', 'front limb morphological', 'vertical eye alignment trait', 'total volumetric bmd', 'kidney glutathione-s-transferase activity', 'socialization', 'adipose tissue composition', 'back fat thickness, last rib', 'ulna morphology trait', 'spinal nerve morphology', 'heart left atrium morphology trait', 'milk fatty acid cis-9-c17:1 concentration', 'alcohol preference', 'pancreas weight to tibia', 'anion gap', 'total aortic wall dry weight', 'calculated motor neuron count', 'milk fatty acid cis-15-c18:1 concentration', 'mucosal lining of the mouth', 'dendritic cell antigen presentation trait', 'cerebellar molecular layer', 'percentage of study population developing spleen fibrosis during a period of time', 'prepulse inhibition', 'cerebrum integrity trait', 'dn1 thymic pro-t-cell number', 'minor salivary gland morphology trait', 'blood ldl phospholipid amount', 'toll-like receptor 2 protein', 'phagocyte morphology trait', 'tibio-fibular complex cortical bone endosteal cross-sectional', 'tibialis anterior muscle', 'brain type i spike-wave discharge frequency', 'bulbourethral gland wet', 'cerebellar anterior vermis morphology trait', 'morphine', 'blood vessel lesion measurement', 'cn-iv morphology trait', 'helper t-cell type 1 cell', 'autoantibody titer', 'late pro-b cell morphology trait', 'haemoglobin level', 'calculated bone section morphological measurement', 'olfactory lobe', 'spleen white pulp morphology', 'meat fatty acid cis-9,cis-12-c18', 'fat pad morphology', 'otic vesicle morphology', 'combined food plus drink energy intake rate', 'sex gland morphology trait', 'milk fatty acid trans-9,trans-14-c18:2 concentration', 'parasympathetic cholinergic neuron morphology', 'circulating interleukin-23a level', 'r73 cell', 'vascular smooth muscle cell', 'mammillary body morphology trait', 'meat fatty acid c14', 'isthmic organizer morphology', 'foreskin size trait', 'minimum weekly bpa-fructose drink intake rate', 'hip girth', 'spleen follicle center morphology trait', 'heart molecular composition trait', 'milk fatty acid cis-14-c18', 'liver color', 'lung vascular morphology', 'shoulder percentage', 'embryonic node', 'hepatic reduced glutathione', 'circulating lipid level', 'udder size trait', 'bilateral renal agenesis incidence/prevalence', 'comb morphology', 'interleukin-23 p40 secretion', 'internal auditory meatus morphology trait', 'memory b lymphocyte', 'glomerular capillaries morphology', 'serum sod activity', 'glandulae tarsales size', 'phagocytic cell morphology', 'tender weight', 'tibial toughness', 'circulating il3 level', 'kidney development trait', 'muscle linoleic acid content', 'blood low density lipoprotein phospholipid level', 'inflammatory exudate no', 'proerythroblast morphology', 'cervical lymph node cell quantity', 'milk fatty acid trans-10,trans-12-c18:2 concentration', 'secondary somatosensory cortex morphology trait', 'vestibular hair cell stereocilia morphology trait', 'placental labyrinth morphology', 'motile sperm count', 'serum epinephrine', 'suppressor t-lymphocyte', 'plasma peptidyl-dipeptidase a activity level', 'body weight loss', 'lung epithelial cell', 'calculated both kidneys weight', 'circulating ammonia', 'differential white blood cell', 'lambdoid suture morphology trait', 'organ of corti patterning trait', 'lung morphological', 'gastric surface mucous cell', 'follicle mantle morphology trait', 'circulating bsf-1', 'erythrocyte quantity', 'blood monoamine hormone', 'interleukin-12b secretion', 'frontoparietal suture', 'atrial auricle morphology trait', 'spinal column morphology', 'macrophage recruitment trait', 'humerus length', 'nervous system tract morphology trait', 'b lymphocyte apoptosis', 'pineal body morphology trait', 'pallium morphology trait', 'purkinje fiber', 'hair follicle development trait', 'plasma igf1', 'kidney vascular morphology trait', 'basophil percentage', 'gonadal fat pad', 'blood angiotensin ii amount', 'circulating lymphocyte chemoattractant factor level', 'spleen molecular composition trait', 'blood chloride amount', 'blood pituitary hormone', 'henle membrane morphology trait', 'calculated blood differential wbc', 'cd8-positive, cd25-positive, alpha-beta regulatory t cell morphology', 'mast-cell colony-stimulating factor secretion', 'islet of langerhans measurement', 'heart intraventricular end-systolic wall thickness', 'circulating interleukin-23 alpha level', 'single-positive t cell morphology trait', 'hippocampus pyramidal cell number', 'follicular arteriole morphology', 'infarction volume', 'osteocyte morphology trait', 'granulocyte differentiation', 'cerebellum development', 'helper t cell type 1 cell differentiation', 'bun', 'abducens nerve morphology', 'blood neutrophil count to total leukocyte count ratio', 'liver copper', 'muscle dry matter content', 'milk free calcium', 'adipose unsaturated fatty acid', 'sinoatrial node', 'neuronal vacuole measurement', 'heart weight as percentage of body', 'splenic periarteriolar lymphoid sheath morphology', 'metacarpus morphology trait', 'heart left ventricle morphological measurement', 'endplate potential activity', 'body wall morphology trait', 'lung wet', 'blood-brain barrier morphology', 'q wave duration', 'mitogen-stimulated white blood cell dna synthesis measurement', 'total leukocyte', 'endometrioid carcinoma incidence/prevalence measurement', 'bile duct development', 'serum anion gap', 'gonadal fat pad morphology', 'cochlear outer hair cell afferent innervation', 'urine urea level to urine creatinine level ratio', 'mpnst incidence/prevalence measurement', 'bone marrow cell quantity', 'otolithic membrane attachment', 'primary muscle spindle size', 'vestibular ganglion', 'milk linoleic acid', 'vascular morphology trait', 'plasma anti-laminin antibody level', 'aortic wall thickness', 'calculated lymphocyte tracer radioactivity', 'lacrimal gland cholinergic nerve fiber quantity', 't cell receptor v(d)j joining', 'lung molecular composition', 'vibrissa', 'serum epinephrine level', 'joint inflammation measurement', 'left ventricular isovolumetric contraction time', 'ratio of proliferating cell nuclear antigen-positive cells to total liver tumorous lesion cells', 'self mutilation severity measurement', 'infection incidence/prevalence', 'motor coordination/balance trait', 'milk tetracosanoic acid content', 'serum anti-single-stranded deoxyribonucleic acid antibody', 'venous', 'blood prolactin', 'blood vitamin', 'growth plate', 'total body weight', 'external auditory canal morphology trait', 'herpes simplex encephalitis prevalence', 'z line', 'serum anti-self antibody', 'parasympathetic neuron', 'circulating il10 level', 'plasma anti-rat type ii collagen antibody', 'igg1', 'serum immunoglobulin g subtype', 'tcr beta chain v(d)j recombination', 'ratio of the volume of ethanol consumed to the total volume of fluid consumed', 'sclerotome', 'heart right atrium mass', 'blood autoantibody level', 'congenital malformation incidence/prevalence measurement', 'blood naga activity', 'right lung wet weight', 'costal cartilage morphology', 'total enos protein level', 'monocyte differentiation', 'plasma apolipoprotein level', 'spleen b cell follicle cell', 'trans-9-octadecenoic acid content', 'ampullary groove morphology', 'circulating lcf factor level', 'epidermis stratum granulosum', 't cell clonal deletion', 'pmn morphology trait', 'heart left ventricle deoxyribonucleic acid', 'age at onset/diagnosis of juvenile diabetes', 'hypothalamus homovanillic acid amount', 'total wall area of artery', 'superior cervical ganglion', 'circulating il-23p40', 'interventricular groove morphology', 'aortic configuration', 'germ cell number', 'germ cell morphology trait', 'calculated blood vessel maximum contractile force', 'pyometritis incidence/prevalence', 'testes size', 'forelimb conformation', 'neutrophil granulocyte', "number of peyer's patches", 'basilar membrane morphology trait', 'meat fatty acid cis-9,cis-12-c18:2 percentage', 'basilar lamina', 'loin fat', 'spleen secondary b follicle', 'skin chloride level to skin dry weight ratio', 'milk fatty acid c20:4 n-6', 'adipose myristic acid concentration', 'interleukin-6 secretion trait', 'chemokine physiology trait', 'blood very low density lipoprotein triglyceride level', 'estrous cycle', 'timing of embryo turning', 'milk diacylglycerol', 'vestibular dark cell morphology trait', 'serum very low density lipoprotein cholesterol level', 'middle ear ossicle size trait', 'b lymphocyte count', 'pancreas/salivary gland', 'clp morphology trait', 'cerebrovascular system morphology trait', 'enteric neuron quantity', 'tunica albuginea oculi morphology', 'plasma igd', 'thyroid gland cell quantity', 'bone biomechanical measurement', 'proventriculus weight', 'sclera', 'pdc cell', 'epididymal fat pad morphology', 'kidney pyramid size', 'craniofacial bone', 'forebrain cell number', 'immunoglobulin light chain v-j rearrangement', 'brain type ii spike-wave activity rate', 'dorsal basal ganglia morphology', 'serum immunoglobulin e', 'aggression-related behavior trait', 'skin moisture', 'experimental autoimmune encephalomyelitis progression', 'calculated renal non-tumorous lesion measurement', 'tail regeneration trait', 'labia majora size', 'fenestra ovalis morphology trait', 'blood carboxyhaemoglobin level', 'feather pigmentation', 'leg', 'enteric cholinergic innervation pattern', 'immunoglobulin v-j recombination', 'ventilation measurement', 'vestibular hair cell stereociliary bundle', 'interlabial sulcus', 'bacteria quantity', 'myolemma', 'deltoid eminence morphology trait', 'body fat morphological', 'trabecular vbmd', 'urinary system integrity', 'myelin sheath morphology trait', 'cerebellar glomerulus', 'epiglottis morphology trait', 'serum anti-rat type ii collagen antibody titer', 'occipital suture morphology', 'serum tc level', 'skeletal myogenesis trait', 'sister chromatid exchange', 'heart atrium size', 'measurement of prepulse inhibition of the acoustic startle reaction', 'anterior nares morphology', 'mammary gland progenitor cell number', 'kidney pyramid morphology trait', 'circulating il-12p35', 'left testis wet weight', 'sebaceous gland function', 'lymphatic vessel cell', 'joint inflammation composite score', 'testis ribonucleic acid', 'milk fatty acid c11:0 concentration', 'dressed carcass bone percentage', 'blood aspartate transaminase', 'molar', 'physiological saline intake volume', 'stretched-attend posture', 'germinal center b cell morphology', 'digit development trait', 'cheek bone', 'milk color redness', 'blood murinoglobulin 1', 'milk undecanoic acid', 'serum ast activity', 'hippocampal fornix morphology', 'number of fetuses lost perinatally', 'serum anti-rat type ii collagen autoantibody level', 'epididymal fat depot morphology', 'neutrophil recruitment', 'heart ventricle size trait', 'epididymis morphology', 'filtration angle morphology trait', 'csf mineral', 'type ii pneumocyte', 'weaned offspring number', 'erythrocyte count', 'primitive node morphology', 'basis stapedis morphology trait', 'blood naga amount', 'right atrium weight', 'ts/c cell', 'birth', 'area of prostate occupied by tumorous lesions', 'pyometritis incidence', 'mammary gland mass', 'ratio of the count of inflammatory cell-infiltrated pancreatic islets without b cell pathology to the total pancreatic islet count', 'ligament morphology trait', 'fob cell', 'colliculi morphology', 'response to nicotine', 'organ of corti supporting cell differentiation', 'coat/hair development', 'lens clarity trait', 'anti-histone antibody level', 'paries vestibularis ductus cochlearis morphology', 'serum anti-dna antibody titer', 'hepatic malondialdehyde', 'blood t helper cell', 'muscle electrical activity', 'membrana basilaris morphology', 'gizzard mass', 'fallopian tube size trait', 'transitional three stage b-cell morphology trait', 'extraembryonic endoderm morphology trait', 'organ non-tumorous lesion measurement', 'regulatory t-cell', 'thymus cortex', 'intestine morphology', 'calculated back fat morphological', 'iridocorneal angle morphology', 'vulva morphology trait', 'blood eosinophil', 'ulna length', 'il-3 secretion', 'number of viable embryos per gestation', 'dressed carcass bone', 'nitric oxide amount', 'urine myoglobin', 'blood alt activity level', 'ratio of neointimal hyperplasia area to total wall area of artery', 'blood gas measurement', 'ventral horn morphology trait', 'contralateral side motor neuron count', 'blood high density lipoprotein phospholipid level', 'femoral neck area moment of inertia', 'behavioral response to xenobiotic stimulus', 'stomach tumor histological grade', 'ventral body wall', 'heart left ventricle morphology trait', 'plasma chloride', 'lymph node b cell domain morphology trait', 'serum very low density lipoprotein phospholipid', 'inguinal fat pad weight to tibia length ratio', 'left atrial weight', 'interleukin level', 'glutamic-pyruvic transaminase', 'cervical lymph node morphology', 'proerythroblast', 'vomeronasal organ morphology trait', 'claudius cell morphology', 'serum comp level', 'hindbrain', 'bursa of fabricius size', 'neutrophil number', 'sphenoid sinus morphology trait', 'bulbourethral gland size trait', 'pallidum morphology', 'ethanol intake weight', 'longissimus thoracis width', 'limb posture trait', 'tooth strength trait', 'circulating il1a level', 'caudal vertebrae', 'inguinal fat pad morphology', 'mortality measurement', 'cochlear hair cell stereocilia number', 'urine chloride excretion rate', 'pharyngeal muscle morphology trait', 'lymph node-specific lymphocyte tracer radioactivity', 'brain total type i swd duration', 'skin development trait', 'right kidney wet weight', 'basilar membrane morphology', 'basisphenoid morphology', 'bronchus-associated lymphoid tissue morphology trait', 'ifn-beta 2 secretion', 'transitional two stage b lymphocyte morphology', 'posture', 'tissue weight of the omasum', 'body fat percentage, schutte equation', 'circulating cytokine cx2 level', 'water intake drink rate', 'pancreatic islet insulin level', 'absolute change in plasma noradrenaline', 'calculated heart lv dna content', 'subcutaneous adipose amount', 'cd45rclow cd8 t cell count', 'appendage development trait', 'fingernail length', 'pancreatic islet area', 'fractional change in vessel distensibility contributing', 'experimental allergic encephalomyelitis incidence/prevalence', 'vertebral trabecular cross-sectional area', 'circulating ro-23-6019 level', 'caudal vertebra morphology', 'pharyngeal muscle', 'total milk fat content', 'urine ketone body level', 'oligodendrocyte quantity', 'tibial work', 'percentage of study population displaying type 1 diabetes mellitus at a point in time', 'meat omega-3 polyunsaturated fatty acid', 'serum aldosterone level', 'plasma anti-porcine type 2 collagen antibody titer', 'aqueous drainage system', 'dorsal-ventral axis patterning', 'myeloid dendritic cell quantity', 'nkt cell', 'urine sodium level', 'renal cortex trpv4 protein', 't-associated plasma cells cell', 'enteric cholinergic neuron morphology trait', 'dopaminergic neuron morphology', 'descemet membrane morphology', 'immunoglobulin v(d)j recombination trait', 'blood cd45rclow cd4 t lymphocyte', 'cardiac capacities', 'locomotor activity', 'disease population', 'lamina basilaris cochleae morphology', "peyer's patch size", 'esophageal squamous epithelium morphology trait', 'splenic germinal center size', 'thoracic aorta molecular composition trait', 'brainstem auditory evoked potential', 'total basal body weight', 'mammary gland secreted fluid morphology', 'milk fatty acid trans-8,cis-10-c18:2 percentage', 'calculated serum lipoprotein level', 'squama temporalis', 'fusion of vertebral bodies/neural arches', 'latency of induced diabetes mellitus', 'residual milk volume', 'deep cortex', 'total muscle weight', 'cochlea morphology', 'circulating prolactin', 'nervous system measurement', 'nostril morphology trait', 'juvenile diabetes incidence', 'percentage of study population displaying experimental arthritis at a point in time', 'blood lactate dehydrogenase activity level', 'spleen marginal zone', 'calculated drink calorie intake', 'nicotine trait', 'abdominal subcutaneous fat area', 'eosinophilic leucocyte morphology trait', 'blood inhibin', 't-cell lymphoma latency', 'calculated blood ethanol', 'endocrine/exocrine system', 'spiral ganglion', 'multipotent stem cell morphology', 'absolute change in left rear ankle joint diameter', 'pineal gland morphology', 'lachrymal gland morphology', 'self tolerance', 'milk fatty acid trans-10,trans-12-c18', 'hemolymphatic system development trait', 't cell receptor alpha/beta positive cell count', 'skin chloride level to skin water level ratio', 'muscular system physiology trait', 'vertebrae morphology trait', 'placenta dry weight', 'milk trans-16-octadecenoic acid content', 'milk lactoperoxidase amount', 'abducens nerve', 'urine albumin', 'aqueous humor morphology trait', 'opercular flap', 'milk linolenic acid percentage', 'labyrinthine righting reflex measurement', 'blood atrial natriuretic factor amount', 'ovary molecular composition trait', 'lesioned artery residual lumen area', 'dn4 alpha-beta immature t lymphocyte number', 'death incidence measurement as a', 'pericardial fat pad morphology trait', 'renal tubule', 'caculated blood apolipoprotein', 'midbrain/pons hva', 'brain physiological', 'blood glutamate dehydrogenase activity', 'barrel cortex', 'muscle thickness of the stomach', 'acoustic startle reaction measurement', 'thymus trabeculae morphology', 'waist circumference', 'milk fatty acid trans-11,trans-15-c18:2 percentage', 'inguinal lymph node mass', 'voluntary social interaction measurement', 'blood total protein amount', 'malleal processus brevis morphology', 'integumentary system morphology', 'inguinal canal morphology', 'blood lactate dehydrogenase activity', 'femur head morphological measurement', 'milk fatty acid c9', 'thoracolumbar system morphology trait', 'lymphocyte number', 'statoconia size', 'amount of experiment time spent in a discrete space in an experimental apparatus', 'ornithine decarboxylase activity trait', 'cranial/facial bone morphology', 'testes physiology trait', 'renin activity', 'prostate tumor', 'sensorineural hearing physiology trait', 'functional nipple number', 'peripheral lymph node morphology trait', 'pancreatic islet molecular composition measurement', 'cerebral physiology', 'serum haemoglobin level', 'thigh', 'spinal cord molecular composition trait', 'offspring mortality', 'hematopoietic system morphology', 'photoreceptor inner segment morphology trait', 'corpus luteum number', 'corneal stroma thickness', 'medulla oblongata homovanillic acid', 'cornea curvature trait', 'ethmoid sinus', 'blood glutamate dehydrogenase', 'plasma intermediate density lipoprotein phospholipid level', 'blood glutathione peroxidase activity', 'white adipocyte', 't cell receptor beta chain v-d-j rearrangement', 'neurophysis morphology trait', 'body weight area under curve (auc)', "hassall's corpuscle morphology", 'squamous cell carcinoma of the tongue tumor number', 'calculated colonic aganglionosis severity measurement', 'blood vldl particle size', 'stapes', 'reduced mature b cell number', 'cochlear hair bundle tip links', 'cd4-cd8- t cell morphology trait', 'cholinergic innervation pattern', 'urine molecular composition trait', 'meat gadoleic acid content', 'aortic smooth muscle cell count per unit vessel', 'red blood cell morphology trait', 'regulatory t-cell morphology', 'iron amount', 'posterior eye segment', 'post-immunization time to onset of experimental autoimmune neuritis', 'cementum morphology trait', 'per unit time', 'intermuscular fat', 'blood nk cell percentage', 'intact tumor cells in nonremodelling liver tumorous lesions', 'blood acetaminophen level', 'spermiogenesis trait', 'femur midshaft area moment of inertia', 'synaptic epinephrine release trait', 'percentage of study population developing prostate tumorous lesions during a period of time', 'disease severity measurement', 'ventral prostate tumorous lesion measurement', 'vibrissa organization', 'blood viscosity measurement', 'liver tumorous lesion size measurement', 'taste papillae morphology', 'stereotypic behavior trait', 'sulcus ampullaris morphology', 'double-positive t cell', 'superior olivary complex', 'milk fat', 'drumstick muscle', 'blood bilirubin amount', 'endometrioid carcinoma incidence/prevalence', 'drumstick percentage', 'calculated pancreas insulin', 'tooth anlage development trait', "hensen's node morphology trait", 'femur mass', 'serum angiotensin i converting enzyme activity', 'meat lauric acid content', 'compulsivity behavior trait', 'myocardial cell morphology trait', 'aorta integrity', 'pectoralis muscle mass', 'plasma testosterone level', 'endometrioid carcinoma incidence', 'vasculosa oculi', 'milk trans-4-octadecenoic acid', 'milk vaccenic acid percentage', 'vertebral arch development trait', 'skin cl-', 'perilymphatic space', 'blood interleukin-10', 'basilar lamina morphology trait', 'retinal inner nuclear layer morphology trait', 'stereotypy', 'blood vessel smooth muscle cell count', 'liver fibrosis', 'egg odor intensity', 'muller fiber morphology', 'plasma paracetamol level', 'femoral neck cross-sectional area', 'cornea clarity', 'granule layer morphology trait', 'spinal cord interneuron morphology trait', 'body height', 'bone ultimate force', 'mucosa thickness of the stomach', 'blood vessel constriction', 'plasma anti-dna antibody', 'plasma rat anti-self type 2 collagen antibody level', 'calculated water drink intake volume', 'anti-self antibody measurement', 't helper 1 cell', 'lymph node size', 'blood anti-toxoplasma antibody', 'plasma anti-porcine type ii collagen antibody level', 'pubis morphology', 'shoulder blade', 'bacterial infection severity', 'posterior nares morphology', 'cardiac myocyte morphology', 'inflammatory exudate nitric oxide', 'milk polyunsaturated fatty acid content', 'arteriole', 'postnatal subventricular zone', 'suprarenal gland dry weight', 'nervous/sensory system', 'aorta wall protein/peptide composition measurement', 't cell receptor v-d-j rearrangement', 'circulating il-7', 'blood il6 level', 'mean proximal tubular hydraulic pressure', 'fat morphology', 'rostral-caudal axis somite development trait', 'forebrain morphology trait', 'urine epinephrine amount', 'milk beta-casein', 'liver reduced glutathione level to liver weight ratio', 'osteoclast cell', 'calculated plasma paracetamol level', 'tibia elasticity', 'retroperitoneal fat pad mass', 'percentage of study population displaying gastric tumors at a point in time', 'eosinophil recruitment', 'central nervous system physiology', 'adrenal gland physiology trait', 'lateral process of malleus morphology trait', 'glutamate receptor current', 'tarsometatarsus mass', 'plasma non-hdl, non-ldl cholesterol level', 'trigeminal ganglion size trait', 'dermis morphology trait', 'cd8-positive, gamma-delta intraepithelial t-cell', 'lateral prostate size trait', 'memory t-cell morphology', 'axon', 'calculated plasma epinephrine level', 'toxoplasmosis incidence', 'blood activated t cell count to total lymphocyte count ratio', 'serum anti-type ii collagen antibody titer', 'anti-chromatin antibody level', 'pituitary tumor incidence/prevalence', 't2 stage b cell', 'acetylcholine response/sensitivity measurement', 'beta-actin protein level', 'prostate morphology trait', 'blood vitamin a1', 'splenic fibrosis incidence', 'foliate papillae morphology', 'testis weight as percentage of body', 'tissue dopamine amount', 'surface structure morphology', 'heart lesion measurement', 'age of onset/diagnosis of cataract', 'superior semicircular canal size', 'skeletal muscle cell number', 'liver gst-p mrna', 'blood triglyceride', 'medullary cavity development', 'penis size trait', 'eosinophil percentage', 'mouth mucosa morphology trait', 'lateral semicircular canal size', 'heart molecular composition', 'egg production rate, fowl', 'neuronal lysosome measurement', 'blood mineral', 'bone marrow morphological', 'area of liver occupied by tumorous lesions as percentage of total liver area', 'thrombocyte development', 'end-diastolic volume', 'bone section total volume', 'a wave velocity', 'liver copper weight per total liver', 'epidermis stratum basale morphology trait', 'skin translucence', 'total heart left ventricle weight', 'milk beta-lactoglobulin amount', 'right suprarenal gland wet weight', 'abdominal wall morphology trait', 'bone section morphological measurement', 'adipose tissue', 'lung angiotensin i converting enzyme 2 activity level', 'adipose morphology', 'morphology trait of the vascular layer of the eyeball', 'hippocampal fornix morphology trait', 'saccharin intake volume to total fluid intake volume ratio', 'change in body', 'putamen morphology', 'muscle fatty acid cis-9-c18:1', 'heart tube orientation trait', 'parietal suture', 'eye size', 'milk plasmin content', 'proliferating cell nuclear antigen-positive nuclei', 'calculated drink intake volume', 'proprioception system', 'viral infection onset/diagnosis', 'colorectal adenocarcinoma number', 'cholesterol amount', 'gamma-delta intraepithelial t-lymphocyte', 'calculated liver volume', 'lung measurement', 'meat fatty acid cis-9-c16:1', 'myeloid leukemia incidence/prevalence', 'leg fat weight', 'differential white blood cell percentage', 'muscle cellular composition', 'horn length', 'quadriceps morphology trait', 'autonomic nervous system physiology', 'outer hair cell stereociliary bundle orientation', 'laryngeal mucosa', 'somatic sympathetic system', 'plasma angii/angi ratio', 'total liver area', 'heart left ventricle fractional shortening', 'cerebral cortex pyramidal neuron', 'change in blood insulin level', 'oculomotor nerve', 'milk fatty acid trans-6/8-c18', 'calculated neuronal lysosome area measurement', 'blood orm1 level', 'fertility trait', 'methacholine response/sensitivity measurement', 'blood norepinephrine amount', 'hypothalamus dopamine amount', 'heart left ventricle weight to body weight ratio', 'milk fatty acid c20:2 percentage', 'blood interleukin-3', 'liver tumor prevalence', 'fat distribution', 'circulating lymphocyte-activating factor level', 'antigen presentation trait', 'energy intake measurement', 'calculated colonic aganglionosis severity', 'force at baseline', 'ham', 'strial basal cell morphology trait', 'ampa-mediated synaptic current trait', 'hepatic total tumorous lesion number', 'stapes morphology trait', 'liver plant sterol and stanol', 'langerhans cell', 'drink intake measurement', 'left ventricular end-systolic dimension', 'artery neointimal hyperplastic lesion area to total wall area ratio', 'tibia midshaft endosteal cross-sectional area', 'plasma lipid', 'retinal ganglion cell', 'blood ck activity level', 'milk eicosanoic acid percentage', 'jejunum glandular crypt', 'kcl response/sensitivity', 'vitreal fibrous tissue morphology trait', 'blood-air barrier morphology', 'cerebral infarction size', 'interparietal bone morphology trait', 'fenestra vestibuli morphology trait', 'tooth development', 'd-hair receptor', 'calculated daily sperm', 'end-systolic heart left ventricle posterior wall', 'interdigitating reticular cell physiology', 'intercostal muscle morphology', 'liver fibrotic lesion measurement', 'cecum mucosa', 't cell receptor gamma chain v-j recombination trait', 'cervical fold', 'plasma carboxy-terminal collagen crosslinks', 'equilibrioception system morphology trait', 'heart right ventricle deoxyribonucleic acid content', 'neurotransmitter release', 'calculated renal glomerulosclerosis', 'calculated sucrose drink intake volume', 'conjunctival epithelium morphology', 'epicanthal fold morphology trait', 'urethra', 'drink calorie intake measurement', 'concentration of sodium nitroprusside at which the reduction in force during dilation of a blood vessel is half the maximum value (ec50)', 'lymph circulatory physiology', 'total vbmd', 'platelet distribution', 'optic nerve size', 'lumbar vertebra mineral mass', 'microglial cell physiology trait', 'hearing system', 'deiters cell', 'circulating free fatty acids', 'plasma anti-single-stranded dna antibody', 'well differentiated malignant colorectal tumor surface area measurement', 'vertebrae number', 'uterine natural killer cell morphology', 'ratio of insulin-positive cell area to total area of tail region of pancreas', 'uterine natural killer cell morphology trait', 'hepatic system physiology trait', 'gastrocnemius morphology', 'aortic arch morphology', 'binary logarithm of pituitary gland wet weight', 'blood chemistry measurement', 'peripheral nervous system synaptic transmission', 'heart left atrium size trait', 'loin muscle weight', 'auricle of atrium configuration', 'corneal endothelium morphology trait', 'hct', 'sweet taste sensitivity trait', 'labium morphology trait', 'wool staple strength', 'milk phospholipid concentration', 'latency to locate a target in an experimental apparatus', 'blood lca t4 t cell count', 'type 1 diabetes mellitus prevalence', 'urine', 'skeletal muscle fiber morphological measurement', 'gastrointestinal system morphology', 'thyroid gland morphological measurement', 'sertoli cell quantity', 'milk floral flavor intensity', 'ptprc+ thymocyte count', 'supramarginal gyrus morphology trait', 'hypophysis', 'liver size', 'blood coagulation trait', "meckel's cartilage development trait", 'jejunum crypt of lieberkuhn depth', 'hindlimb muscle mass', 'meat pentadecylic acid', 'squamous cell carcinoma of the mouth tumor', 'brain spike-wave discharge', 'preputial gland morphology', 'calculated neuron rough endoplasmic reticulum area measurement', 'body', 'circulating hematopoietin-2 level', 'serum adrenaline', 'facial nuclei cell number', 'plasma alanine transaminase activity level', 'plasma total cholesterol level', 'vertebra development trait', 'blood cd4+ t helper cell count', 'benign hepatic tumor incidence/prevalence', 'pancreatic islet oxygen tension', 'large intestine mass', 'skin pigmentation trait', 'vitamin metabolism trait', 'dn2 thymocyte', 'plasma very low density lipoprotein cholesterol', 'heart contraction measurement', 'vestibulocochlear nerve', 'lymphocyte mitogenic factor secretion', 'blood creatinine', 'pns glia', 'il-21 secretion', 'blood pyruvate level', 'milk fatty acid trans-10-c18:1', 'calculated pancreatic islet', 'milk mineral concentration', 'heart rna composition', 'plasma testosterone', 'eosinophil cell', 'number of immature b lymphocytes', 'lumbar vertebra compact bone cross-sectional', 'heart ventricular', 'magnesium', 'potassium chloride response/sensitivity', 'milk fatty acid trans-8,trans-10-c18:2 concentration', 'erythroblast', 'chorion', 'canalis spiralis cochleae size trait', 'mature t cell', 'circulating progesterone level', 'tegmentum', 'percentage of study population displaying acute experimental autoimmune encephalomyelitis at a point in time', 'cbc', 'mast cell differentiation', 'brain ventricle morphological', 'testis size', 'pharyngotympanic tube morphology', 'fdcn morphology', 'alcohol metabolism', 'heart muscle cell morphology trait', 'cd4-, cd8-, alpha-beta intraepithelial t cell morphology', 'endocrine system physiology', 'cutis plate morphology trait', 'palmar eccrine gland morphology trait', 'limb morphology trait', 'femur head morphological', 'thymus cortex morphology', 'thermal stimulus trait', 'brachial lymph node morphology', 'kidney ren level', 'nervous system integrity', 'colorectal neoplasm measurement', 'extraembryonic tissue morphology', 'daily sperm count to epididymis weight ratio', 'egg white percentage, fowl', 'jejunum mucosa morphology trait', 'brown adipose amount', 'leukocyte count', 'heart left ventricle infarction', 'aortic wall elastin', 'bursa of fabricius size trait', 'heart left ventricle natriuretic peptide a protein level', 'blood alcohol level at regain of balance/traction', 'effector t lymphocyte', 'tissue hva', 'humerus mass', 'nasal epithelium morphology', 'horizontal cell morphology trait', 'pacemaker morphology', 'adrenergic nerve fiber', 'blood thyrotropin level', 'skeletal muscle conductivity trait', 'milk sulfur', 'absolute change in the sum of right rear ankle joint diameter and left rear ankle joint diameter', 'telencephalon morphology', 'muscle oleic acid', 'gastric tumorous lesion', 'meat omega-3 polyunsaturated fatty acid content', 'total pituicyte', 'langerhans cell morphology', 'cochlear inner hair cell afferent innervation pattern', 'cutis vera morphology trait', 'milk fatty acid trans-10,cis-12-c18:2 percentage', 'plasma ige level', 'heart left ventricle weight to tibia length ratio', 'milk iron', 'calculated intestinal aganglionosis severity', 'inhibitory postsynaptic current', 'cardiomyocyte morphological', 'meat calpain activity', 'uveal tract morphology', 'scarpa ganglion morphology trait', 'outer ear development', 'post-insult time to onset of t-cell lymphoma', 'transitional one stage b-lymphocyte morphology trait', 'cardiac muscle physiology', 'blood transferrin amount', 'trabeculae carneae', 'food intake volume', 'pituitary tumor incidence/prevalence measurement', 'urinary bladder cell number', 'cytotoxic t lymphocyte cytolysis', 'cervical lymph node cell', 't1 stage b cell', 'meat androstenone odor intensity', 'muscle saturated fatty acid amount', 'percentage of study population displaying hematuria at a point in time', 'cd8+ t cell physiology', 'ventral spinal root morphology', 'percent change in antibody titer', 'head development trait', 'igd', 'cerebral cortex neuron number', 'sphenofrontal suture morphology trait', 'blood mineral content', 'b-cell stimulatory factor-1 secretion', 'ampullary sulcus', 'cornea morphology trait', 'rod neutrophil percentage', 'adipocyte count', 'peripheral lymph node morphology', 'calculated weight of islet beta cells in splenic region of pancreas', 'calculated plasma paracetamol', 'dn2 alpha-beta immature t-lymphocyte number', 'brain size', 'st interval', 'thymus cortico-medullary zone', 'pupil morphology', 'anterior semicircular canal size', 'meat fatty acid cis-5,8,11,14-c20', 'milk soluble calcium amount', 'somatic parasympathetic system morphology trait', 'tcr+ thymocyte', 'pupil number', 'sclerotic coat morphology', 'head-tail axis patterning', 'bone mineral morphological measurement', 'rosenthal canal size', 'adipose fatty acid cis-9-c16:1 content', 'blood t helper 2-like cell count', 'single ovary dry weight', 'calculated serum anti-rat type 2 collagen autoantibody titer', 'adipocyte volume', 'tissue damage', 'calculated kidney non-tumorous lesion', 'helper t-cell type 1 cell number', 'aortic elastin', 'blood uric acid level', 'endocardial cushion orientation', 'long lived plasma cell morphology', 'circulating adrenaline level', 'retinal inner plexiform layer morphology trait', 'tracheal cartilage', 'tissue rna composition measurement', 'alpha-1-acid glycoprotein amount', 'appendicular skeleton morphology', 'processus brevis morphology trait', 'lvesd', 'gamma-delta intraepithelial t lymphocyte', 'heart right ventricle capacity', 'transitional one stage b-lymphocyte morphology', 'heart left atrium', 'longissimus dorsi muscle area', 'number of periods of freezing behavior', 'testes size trait', 'benign liver tumor incidence/prevalence', 'lung morphology trait', 'heart ventricle relative wall thickness', 'blood cholesterol amount', 'milk flat flavor intensity', 'pituitary gland hyperplastic lesion incidence/prevalence measurement', 'subcutaneous fat weight/ tibial', 'interlobular fissure development', 'adrenal central medulla morphology', 'gasserian ganglion', 'mammary gland development', 'striate cortex', 'mpnst', 'meat drip loss', 'l5 dorsal root ganglia morphology trait', 'blood creatine phosphokinase activity level', 'cervix', 'sschn tumor', 'blood interleukin-5 amount', 'ear crystal morphology', 'type 2 diabetes mellitus prevalence', 'calculated left ventricular pressure', 'lens epithelium', 'digestion trait', 'total breast muscle weight', 'muscle palmitic acid', 'aorta size trait', 'milk urea nitrogen measurement', 'death incidence measurement as percent', 'leukocyte cell number', 'statoconia morphology', 'spinal cord measurement', 'submandibular lymph node size trait', 'blood iron level', 'tnf-alpha physiology trait', 'immune cell morphology trait', 'inflammatory exudate volume', 'blood gamma-glutamyl transpeptidase activity level', 'bmd', 'partial pressure of pancreatic islet oxygen', 'jejunum', '% change in hct', 'number of periods of freeze behavior', 'interleukin-1 secretion', 'blood cd45rchigh cd4 t lymphocyte', 'blood vasopressin', 'brain type i swd frequency', 'somatic nervous system morphology', 'plasma hdl phospholipid', 'glial cell function', 'alveolar-capillary barrier morphology', 'transitional stage b-cell morphology trait', 'strial melanocyte', 'limb conformation trait', 'platelet count', 't-cell development trait', 'blood cell development trait', 'absolute change in urine vma excretion rate', 'retinal inner nuclear layer morphology', 'acromial process morphology', 'cochlear ohc hair cell efferent innervation', 'sheltering behavior trait', 'kidney glucose-6-phosphate dehydrogenase activity to total protein level ratio', 'liver wet weight as percentage of body', 'circulating ammonia level', 'pulmonary vein', 'type ii vestibular cell morphology', 'muscle iron amount', 'nk cell development trait', 'circulating natural killer cell stimulatory factor level', 'inguinal lymph gland dry weight', 'wolffian duct', 'interleukin-1 secretion trait', 'igg2a level', 'cervix epithelium morphology trait', 'lip shape trait', 'adrenergic innervation pattern', 'gubernaculum morphology', 'duration of loss of righting reflex', 'fin', 'myeloblast development', 'malignant hepatocellular carcinoma tumor number', 'esophageal development trait', 'platelet activation', 'crop morphology trait', 'aorta wall extracellular elastin dry weight to aorta length ratio', 'xenobiotic metabolism', 'respiratory conducting tube morphology trait', 'fontanel morphology trait', 'cd4/cd8 ratio', 'plasma igf2', 'milk fatty acid trans-11,trans-13-c18:2 percentage', 'choroid size', 'fibrin formation trait', 'extracraniale ganglion morphology', 'basal lamina morphology trait', 'brain morphology', 'calculated left ventricular end-diastolic blood pressure measurement', 'aortic valve', 'aortic rupture severity', 'lamina basilaris ductus cochlearis morphology trait', 'heart right ventricle size', 'blood anti-nuclear antigen antibody amount', 'liver development trait', 'hippocampus physiology', 'liver ribonucleic acid amount', 'respiratory mucosa morphology trait', 'calculated liver fibrotic lesion area measurement', 'rostral vermis', 'biliary tract morphology', 'mammary tumor formation', 'chewiness score', 'nociceptor', 'langerhans cell morphology trait', 'tracheal cartilage morphology', 'sarcolemma', 'placenta weight at gestational day 20', 'hepatocellular carcinoma incidence/prevalence measurement', 'ratio of the number of neutrophils in an inflammatory exudate to number of all cells in that exudate', 'type 1 helper t cell count', 'foot pad morphology trait', 'nucleus niger morphology trait', 'lymph node morphological measurement', 'urine total protein excretion rate', 'total liver tumorous lesion nuclei', 'mammary alveoli capacity', 'absolute change in urine norepinephrine excretion rate', 'meat physiochemical', 'disease onset/diagnosis measurement', 'cd4-positive t cell development', 'vestibulocochlear nerve morphology trait', 'type i vestibular cell morphology', 'tracheal smooth muscle', 'basicranium', 'difference between time of physical contact/close proximity of test subject and social stimulus during sample phase and test phase', 'meninges morphology trait', 'blood steroid hormone level', 'brain type ii swd rate', 'phalangeal cell morphology', 'well differentiated colorectal adenocarcinoma', 'cd8-positive t cell', 'left lung weight', 'cerebellum external granule cell layer morphology trait', 'total experimental time spent in type ii spike-and-wave discharges', 'serum amyloid a protein physiology', 'stroke latency', 'band neutrophil count as percentage of total white blood cells', 'plasma anti-rat type ii collagen autoantibody level', 'left ventricular size', 'blood interferon-gamma amount', 'femur neck morphological', 'thrombocyte', 'hepatic triglyceride', 'mediofrontal suture morphology', 'milk fatty acid cis-9,trans-13-c18:2', 'plasmacytoid t cell', 'sperm number', 'meat fatty acid c20:1 concentration', 'serum gldh activity', 'spleen capsule morphology', 'teat number, left', 'rear udder height', 'ratio of change in body weight to total basal body', 'peripheral nervous system integrity trait', 'dentate gyrus morphology', 'plasma campesterol', 'adrenocortical cell morphology trait', 'aorta length', 'lymph node-specific lymphocyte tracer radioactivity measurement', 'embryonic neuroepithelium', 'forelimb', 'atrial septal morphology', 'acute experimental allergic encephalomyelitis incidence/prevalence measurement', 'aortic weight', 'rump morphology trait', 'subscapular fat pad', 'combined food plus drink calorie intake rate', 'milk myristic acid', 'myrinx morphology trait', 'geniculate ganglion morphology trait', 'cd8-positive, alpha-beta intraepithelial t-lymphocyte morphology', 'blood segmented neutrophil count to total leukocyte count ratio', 'kidney dry', 'blood nh2-terminal pro-b-type natriuretic peptide level', 'strial vascular morphology', 'blood interleukin-1 beta amount', 'dn2 alpha-beta immature t-cell', 'type iv spiral ligament fibrocyte', 'number of approaches toward negative stimulus before onset of defensive burying response', 'salivary gland function', 'central nervous system morphology', 'eosinophil count to total wbc count ratio', 'adipose fatty acid cis-9,cis-12-c18:2', 'lumbar vertebra morphology', 'cerebral flexure morphology', 'plasma glutamic-pyruvate transaminase activity level', 'meat tridecylic acid content', 'ossification initiation', 'milk palmitic acid percentage', 'blood cd25 cell count to cd8 cell count ratio', 'proprioceptive neuron', 'neuronal cytoplasm area measurement', 'milk fatty acid trans-8,trans-10-c18:2 percentage', 'statoconial membrane morphology trait', 'plasma igg level', 'longissimus muscle morphology trait', 'immunoglobulin heavy chain v(d)j joining', 'heart relative wall', 'peripheral nervous system regeneration trait', 'olfactory system morphology trait', 'osteoclast quantity', 'blood ghrelin amount', 'laryngeal mucosa morphology trait', 'milk fatty acid trans-5-c18', 'liver reduced glutathione level', 'otic capsule size', 't cell receptor v(d)j recombination', 'blood lymphocyte count', 'well differentiated malignant colorectal tumor surface area', 'line of schwalbe morphology', 'height of the villi of the ileum', 'percentage of study population displaying colorectal tumors at a point in time', 'blood cystatin c', 'fungiform papillae morphology trait', 'gut-associated lymphoid tissue', 'perilymphatic space morphology trait', 'primitive erythrocyte morphology trait', 'superficial glomeruli', 'thymus mass', 'circulating tumor necrosis factor', 'clavicle size trait', 'blood activated t lymphocyte', 'milk arachidonic acid', 'blood ast activity', 'blood antibody amount', 'food calorie intake rate', 'islet of langerhans physiology', 'blood vessel dilation', 'esophageal development', 'atrial auricle', 'brain lesion', 'thymus cortico-medullary boundary morphology trait', 'limb bud morphology', 'rt6.2+ cell', 'dressed carcass bone content', 'anogenital distance', 'cerebellar hemispheres morphology trait', 'kidney tubule morphology', 'blood hdl particle diameter', 'arterial wall', 'gut-associated lymphoid tissue morphology', 'skin potassium ion level', 'hypertrophic chondrocyte zone morphology trait', 'central b-cell anergy', 'serum estradiol', 'cranial ganglion xi', 'hepatic protein/peptide composition', 'blood vldl-c', 'segmented neutrophil count to total wbc count ratio', 'post-insult time to pituitary tumor formation', 'brain phytosterol', 'glossopharyngeal nerve', 'change in calculated blood pressure', 'induced arthritis post-insult time', 'absolute change in adipocyte non-esterified fatty acid release per cell', 'paravertebral ganglion cell quantity', 'blood gamma-glutamyl transpeptidase activity', 'keel', 'loin height', 'longitudinal suture morphology trait', 'cns regeneration', 'heart tumorous lesion measurement', 'periocular mesenchyme morphology', 'allantois', 'testicular physiology trait', 'golgi organ', 'intermuscular adipose', 'mammary gland symmetry', 'glottis', 'end-systolic heart left ventricle pwt', 'blood th2-like cell', 'heart left ventricle dna content to bw ratio', 'fluid regulation trait', 'primitive knot', 'spleen rna composition measurement', 'adrenergic neuron morphology', 'oculomotor nucleus morphology trait', 'tibia trabecular bone volume', 'age of onset of ean', 'meat zinc', 'lung epithelial cell morphology', 'nasopharynx', 'horizontal cell morphology', 'udder weight', 'pancreas dry weight', 'plasma corticosterone', 'female reproductive organ', 'lacrimal gland cholinergic nerve fiber', 'leukocyte differentiation', 'cerebral flexure', 'blood vessel distensibility trait', 'musculus papillaris', 'hepatocellular carcinoma prevalence', 'cerebral flexure morphology trait', 'drumstick muscle mass', 'plasma beta-sitosterol level', 'caudatoputamen morphology trait', 'lung cell', 'marginal zone b cell physiology', 'serum cortisol level', 'shoulder fat percentage', 'calculated liver tumorous lesion volume measurement', 'well differentiated malignant colorectal neoplasm incidence', 'circulating t-cell growth factor level', 'bronchoalveolar duct junction', 'microglial cell morphology', 'blood anti-laminin antibody', 'meat fatty acid cis-9-c16:1 percentage', 'diaphysis morphology trait', 'post-insult time', 'arterial blood flow velocity', 'trabecular meshwork size', 'kidney glomerulus integrity trait', 'osteoblast morphology trait', 'transitional b cell morphology', 'stratum reticulare corii morphology trait', 'dopaminergic neuron morphology trait', 'milk fatty acid trans-7,cis-9-c18', 'il-2 secretion', 'combined levator ani and bulbospongiosus muscle', 'heart left atrium diameter', 'urethra morphological measurement', 'late pro-b cell morphology', 'herpes simplex viral encephalitis incidence/prevalence', 'stomach tumor incidence/prevalence', 'amina limitans posterior corneae morphology', 'ro-236019 secretion', 'peripheral nervous system regeneration', 'peritoneal macrophage', 'internal nares', 'superior colliculus morphology trait', 'levator ani/bulbocavernosus muscle', 'forebrain dihydroxyphenylacetic acid (dopac)', 'nasal mucous membrane morphology', 'tibia morphology', 'axonal', 'leg weight', 'ovary morphology trait', 'respiratory system morphology', 'retinal ganglion cell number', 'metatarsus morphology', 'non-specified leukocyte count', 'pals morphology trait', 'cochlear labyrinth morphology', 'ventilation', 'excretion behavior trait', 'natural killer t cell number', 'platelet development trait', 'meat tridecanoic acid content', 'urine urotensin ii level', 'pancreatic tumorous lesion', 'thyroid gland development', 'serum vldl level', 'plasma androstenedione level', 'bone section mineralized tissue volume to bone section total volume ratio', 'intervertebral disk development trait', 'inner hair cell synaptic ribbon morphology', 'leaf fat weight', 'heart valve morphology trait', 'percent change in food intake volume', 'stomach epithelial cell quantity', 'pancreas peptide hormone composition measurement', 'serum gsh', 'milk fatty acid c4', 'calculated blood vessel diameter', 'stria vascularis blood vessel morphology', 'milk kappa-casein percentage', 'interparietal bone morphology', 'cartilage development trait', 'cerebellar pyramid morphology trait', 'brain ventricle morphology', 'natural killer t lymphocyte morphology trait', 'vomeronasal organ', 'sensory perception trait', 'inguinal fat pad morphology trait', 'milk cis-8,11,14-eicosatrienoic acid', 'blood calcium level', 'percentage of study population displaying malignant colorectal tumors at a point in time', 'liver protein/peptide composition', 'type 2 helper t cell count', 'membrana hyaloidea morphology', 'mean vcf', 'calculated litter size measurement', 'stomach', 'thymus epithelium morphology', 'hearing electrophysiology', 'alpha-beta intraepithelial t-cell morphology trait', 'plasma aspartate aminotransferase activity', 'milk fatty acid c7:0', 't-cell clonal deletion', 'scala media morphology trait', 'pterygoid bone morphology', 'splenic red pulp morphology trait', 'synaptic transmission', 'trigeminal nerve morphology', 'mandibular nerve morphology trait', 'spleen cell physiology trait', 'basal white blood cell radioactive nucleoside incorporation', 'nicotine', 'dn3 alpha-beta immature t-lymphocyte', 'plasma ldh activity', 'tarsal gland morphology', 'trans-9-octadecenoic acid', 'orbitosphenoid morphology trait', 'immune cell count', 'interleukin-7 secretion', 'plasma immunoglobulin e amount', 'glomerular capsule morphology trait', 'labia majora morphology', 'preputial gland', 'plasma ionized calcium', 'kidney non-tumorous lesion measurement', 'tarsal gland morphology trait', 'blood low density lipoprotein specific apolipoprotein b', 'blood vldl-c amount', 'tibial midshaft cortical periosteal area', 'area of liver occupied by fibrotic lesions to total liver area ratio', 'urine sorbital dehydrogenase', 'saccule', 'milk vitamin b-12 content', 'urine fractional sodium excretion', 'posterior elastic layer morphology', 'sarcomere', 'urine noradrenalin', 'milk fatty acid c16:0 percentage', 'rumen weight', 'defecation rate', 'baseline white blood cell radioactive nucleoside incorporation', 'percentage of study population displaying trigeminal nerve neurilemmomas at a point in time', 'inferior glossopharyngeal ganglion morphology', 'kidney angiotensin ii converting enzyme activity level', 'pancreatic islet', 'memory b cell physiology', 'muscle fiber', 'neuronal vacuole area to neuronal cytoplasm area ratio', 'thymus immature t cell', 'post-insult time to trigeminal nerve neurilemmoma onset', 'blood interferon-beta level', 'urine potassium excretion rate', 'mammary tumor growth rate', 'e wave deceleration rate', 'total study population during a period of time', 'kidney renin protein level', 'patella morphology', 'pancreas lesion', 'glutamic-pyruvic transaminase level', 'sebaceous gland morphology', 'leukocyte physiology', 'epinephrine secretion trait', 'semicircular canal morphology trait', 'eye morphology', 'renal fat pad', 'otic vesicle cell', 'b-lymphocyte apoptosis', 'gamma-delta intraepithelial t-lymphocyte morphology', 'magnesium level', 'blood pressure time series average exponential scaling factor of the baroreceptor response', 'cecum muscle thickness', 'mitogen-stimulated white blood cell dna synthesis', 'proventriculus mucosa', 'medullary canal morphology', 'regulatory t cell morphology', 'basal nefa secretion', 'meat docosahexaenoic acid', 'litter size', 'double negative t cell number', 'stroke incidence/prevalence', 'single ear average of middle ear epithelium', 'non-insulin-dependent diabetes mellitus incidence', 'adipose margaric acid', 'lymph node t cell domain morphology trait', 'l5 dorsal root ganglia morphology', 'benign colorectal neoplasm surface area measurement', 'circulating erythrocyte burst-promoting factor', 'cochlear hair cell quantity', 'van horne canal morphology trait', 'b cell apoptosis trait', 'heart right ventricle wall', 'blood carnitine level', 'anterior stroma', 'cd8 cell', 'milk solids content', 'tissue weight of the stomach', 'rump morphology', 'sympathetic nerve fiber quantity', 'tibia', 'heart ventricle membranous septum', 'meat palmitic acid content', 'hepatocyte-stimulating factor secretion', 'serum amyloid protein physiology trait', 'glutamate receptor current trait', 'enteric ganglion morphology trait', 'pancreatic alpha cell morphology', 'colorectal tumor measurement', 'grade 2 insulitis', 'jaw morphology', 'ratio of apoptotic bodies to intact tumor cells in remodelling liver neoplastic nodules', 'eyelid opening', 'lens vesicle development trait', 'spleen wet weight to body weight ratio', 'ratio of change in body weight to total body', 'unstimulated white blood cell radioactive nucleoside incorporation', 'circulating growth hormone level', 'spinal cord rt1-b protein level', 'lung weight, wet/body', 'milk plasmin concentration', 'ear emergence initiation trait', 'double-negative t-cell morphology', 'heart nucleic acid measurement', 'pancreatic islet area as percentage of total pancreatic', 'experimental allergic encephalomyelitis prevalence', 'bone surface', 'tissue weight of the rectum', 'bone surface area', 'heart triglyceride', 'intramuscular fat morphological', 'disease incidence/prevalence', 'heart dry', 'both testes wet weight as percentage of body', 'sucrose intake volume', 'fenestra vestibuli morphology', 'b1 cell', 'arterial disease severity', 'serum gssg level', 'muscle fatty acid c14', 'squamous cell carcinoma of the tongue measurement', 'both suprarenal glands wet weight', 'coronary blood flow', 'circulating interleukin-17', 'ctl morphology', 'adrenergic innervation pattern trait', 'back leg morphological', 'testis lesion measurement', 'hindquarter morphology', 'ankylosis in experimental arthritis incidence', 'calculated suppressor t cell count', 'blood vessel receptor-dependent contractility', 'both adrenal glands weight as percentage of body weight', 'both inguinal fat pads', 'atrioventricular canal formation extent', 'molar crown morphology', "merkel's receptor innervation pattern trait", 'adipose fatty acid cis-11-c20', 'dn1 thymic pro-t cell', 'germinal streak formation', 'plasma immunoglobulin g3', 'suppressor t-lymphocyte morphology', 'circulating il-23 level', 'tissue damage measurement', 'mammary gland measurement', 'nose to tail tip bmi', 'circulating alpha-ifn level', 'parasympathetic preganglionic fiber morphology', 'tibia-fibula cortical bone endosteal cross-sectional', 'gubernaculae', 'change in heart rate', 'pituitary gland morphology trait', 'biceps brachii muscle mass', 'adipose stearic acid concentration', 'liver fibrotic lesion size measurement', 'testis development trait', 'storage of histamine', 'pigmented dorsal coat/hair area to total dorsal coat/hair area ratio', 'urinary system morphology trait', 'joint inflammation', 'milk fatty acid cis-9-c17:1', 'abdominal wall', 'vestibular dark cell morphology', 'percent neonatal deaths', 'pluripotent precursor cell', 'serum levels of thyrotrophin', 'milk structure trait', 'heart right ventricle weight as a percentage of body', 'adipose octadecanoic acid concentration', 'immune tolerance', 'polynuclear neutrophilic leukocyte morphology trait', 'afterhyperpolarization', 'food intake measurement', 'milk phospholipid', 'heart rate variability', 'experimental arthritis incidence/prevalence measurement', 'milk fatty acid cis-9,cis-12-c18:2', 'sensory neuron innervation pattern', 'type iib muscle fiber number', 't2 b cell number', 'auditory ossicle morphology trait', 'primitive node morphology trait', 'neutrophil leucocyte morphology', 'blood prl', 'blood viscoelasticity', 'renal glomerulosclerosis', 'beta-interferon secretion', 'stapes footplate', 'urine norepinephrine level', 'tibial midshaft cortical endosteal area', 'ethanol intake weight to body weight ratio', 'interparietal suture morphology trait', 'cochlear outer hair cell stereociliary bundle', 'myocardium', 'heart atrium appendage configuration trait', 'ankylosis in experimental arthritis incidence/prevalence', 'testis cell quantity', 'serum glutamate dehydrogenase activity', 'dc2 cell', 'heart tube morphology', 'otolith organ morphology trait', 'muscle lipid', 'serum anti-double-stranded deoxyribonucleic acid antibody', 'musculus temporalis morphology trait', 'serum insulin-like growth factor 2', 'primary auditory area', 'lvda', 'ureter morphology trait', 'bilateral testis tumor incidence/prevalence measurement', 'serum parathyroid hormone', 'autonomic nervous system morphology', 'blood vessel wall thickness to blood vessel inner diameter ratio', 'in vitro coagulation measurement', 'tail morphology trait', 'red blood cell sodium/potassium atpase activity', 'cerebral cortex projection neuron number', 'absolute change in food intake weight', 'b lymphocyte antigen presentation', 'milk fatty acid cis-12-c18:1', 'coat/hair physiology', 'thymus corticomedullary boundary', 'hindlimb morphology trait', 'ectoderm development trait', 'thymus cortico-medullary junction morphology', 'inferior vagus ganglion of the vagus (x) nerve morphology trait', 'zygomatic bone morphology trait', 'milk lactose yield', 'serum igm-rf level', 'interferon secretion', 'urine microalbumin-creatinine ratio', 'kupffer cell morphology trait', 'tibial trabecular bone volume', 'serum anti-double-stranded deoxyribonucleic acid antibody titer', 'thigh muscle-to-bone ratio', 'dorsal root ganglia morphology trait', 'plasma high density lipoprotein phospholipid level', 'calculated artery neointimal hyperplastic lesion', 'transitional one stage b-cell morphology', 'femur head width', 'dressed carcass fat content', 'plasma hdl-c level', 'stomach tumor incidence/prevalence measurement', "merkel's receptor morphology trait", 'muscle indole', 'b cell anergy', 'blood cd45rchigh cd4 t lymphocyte count', 'acetylcholine-induced blood vessel dilation expressed as percent of force at maximum constriction', 'circulating il-18', 'meat fatty acid c15', 'pituitary gland', 'calculated liver glutathione level', 'axial skeleton morphology trait', 'cerebral cortex layer morphology trait', 'alimentary system', 'cardiovascular disease measurement', 'lingual tonsillar tissue morphology', 'arterial blood pressure trait', 'sensory nerve fiber', 'total prostate area', 'spleen white pulp', 'hind foot phalanges count', 'change in log(ab titer)', 'kneecap morphology trait', 'left atrial morphology', 'posterior elastic layer', 'treg cell morphology', 'mortality/survival', 'plasma ldl-c', 'total abdominal fat area', 'mature gamma-delta t cell', 'natural t cell', 'hemopoietic cell', 'plasma escherichia coli specific antibody level change, post challenge', 'hepatic protein/peptide composition measurement', 'neutrophilic leucocyte physiology', 'neuron golgi apparatus area to neuron cytoplasm area ratio', 'plasma albumin to plasma non-albumin protein ratio', 'naive b lymphocyte', 'parotid salivary gland cholinergic nerve fiber', 'plasma glutamic-pyruvate transaminase activity', 'absolute change in the total left plus right rear ankle diameter', 'serum norepinephrine level', 'nose to tail body mass index', 'bacterial infection trait', 't-cell receptor positive thymocyte', 'bmi using nose to rump body length', 'number of podocytes to glomerular volume ratio', 'hemolymphatic system', 'scala vestibuli', 'intramuscular adipose area as percentage of muscle', 'measurement of voluntary immobility', 'diaphragm weight', 'egg yolk flavor trait', 'auditory cortex morphology', 'blood lipoprotein particle size', 'brain serotonin amount', 'egg albumen height', 'testes cell', 'head physiology trait', 'neuromuscular spindle', 'cd4-positive, alpha-beta intraepithelial t-cell morphology trait', 'malphighian capsule', 'plasma noradrenaline', 'vestibular hair cell development trait', 'number of mature b lymphocytes', 'blood t cell count as percentage of total lymphocytes', 'testes physiology', 'cochlea basement membrane', 'calculated spinal cord anterior horn area measurement', 'spatial accuracy measurement', 'prostate', 'urination frequency', 'blood noradrenaline amount', 'heart effluent volume', 'l5 drg', 'cerebrospinal fluid homeostasis trait', 'islet of langerhans lesion measurement', 'heart left ventricle dna', 'dn3 alpha-beta immature t-lymphocyte number', 'calculated kidney morphological', 'plasma dihydrotestosterone level', 'ampullary crest neuroepithelium', 'plasma ace2 activity level', 'plasma phospholipid level', 'visceral pouch morphology', 'thymus medulla morphology trait', 'biceps femoris muscle', 'circulating cholesterol', 'media area (ma) of artery', 'double positive t cell morphology trait', 'blood vldl triglyceride level', 'calculated blood differential wbc count', 'endolymphatic duct morphology', 'squamosal bone', 'visual cortex morphology', 'ca morphology', 'hippocampus morphology trait', 'terminal bronchiole tube size trait', 'b-cell apoptosis', 'intestinal goblet cell morphology', 'blood vessel endothelium', 'natural killer t-lymphocyte morphology', 'hippocampus pyramidal cell morphology trait', 'cartilage morphology trait', 'mammary gland size', 'retinal bipolar cell', 'calculated milk whey protein', 'lateral ventricle size trait', 'white corpuscle count', 'scs', 'leukocyte trafficking', 'auditory tube', 'secondary sex determination', 'vena cava morphology trait', 'granulocyte percentage', 'total accumulated time of physical contact or close proximity between test subject and social stimulus per unit time', 'oviduct mass', 'qt interval', 'peripheral nervous system glia morphology trait', 'percentage of study population displaying testis tumors at a point in time', 'calculated left ventricular isovolumetric relaxation time', 'cochlear ihc physiology trait', 'progenitor b cell morphology trait', 'basophil physiology trait', 'vocalisation', 'brain rna composition measurement', 'cornea light-scattering trait', 'sum of epididymal and perirenal white adipose tissue to body weight ratio', 'atrial size trait', 'milk cis-12-octadecenoic acid content', 'skin water', 'urine vanillylmandelic acid level', 'sensory trait', 'neuron golgi apparatus area', 'sympathetic nervous system physiology trait', 'cochlear outer hair cell electromotility', 'periocular mesenchyme', 'udder morphology', 'plasma anti-single-stranded dna antibody titer', 'beak morphology', 'cerebellar molecular layer morphology', 'vasoconstriction', 'malleus size', 'malpighian corpuscle morphology trait', 'pharynx', 'circulating ctla8', 'gastrocnemius molecular composition trait', 'tubal tonsil morphology trait', 'medullary canal morphology trait', 'oropharynx morphology', 'nasopharyngeal tonsil morphology', 'plasma unconjugated bilirubin level', 'ventricular papillary muscle morphology trait', 'natural killer t-cell number', 'blood very low density lipoprotein cholesterol level', 'blood haptoglobin amount', 'squamous cell carcinoma of the tongue maximum tumor diameter', 'lateral process of malleus', 'long bone metaphysis morphology trait', 'percentage of study population displaying experimental autoimmune neuritis at a point in time', 'synaptic plasticity trait', 'calculated differential white blood cell', 'circulating interferon type ii level', 'blood insulin to glucagon ratio', 'calculated pancreatic islet insulin release', 'thyroid physiology', 'modiolus morphology trait', 'cumulative pancreatic insulitis severity score', 'lumbar vertebra trabecular bone cross-sectional', 'peripheral b cell anergy', 'astroglia morphology trait', 'heart right ventricle posterior wall thickness', 'absolute change in electrocardiographic low frequency r-r spectral component', 'auricle of atrium', 'whole body morphological', 'thymocyte development', 'blood th1 cell to th2 cell ratio as percentage', 'reticulocyte quantity', 'adrenal gland ribonucleic acid amount', 'lymphopoietin-1 secretion', 'phagocytic cell', 'milk fatty acid c18:2(n-6) concentration', 'mesenteric artery wall phosphylated enos level to total enos level ratio', 'testis weight', 'fructosamine', 'cerebellum size', 'lamina basilaris ductus cochlearis', 'plasma anti-single-stranded deoxyribonucleic acid antibody', 'copulation duration', 'serum fructosamine level', 'tooth quantity', 'blood cd4+ t helper cell', 'calculated mesenteric artery wall molecular composition measurement', 'submandibular lymph node morphology', 'percentage of study population displaying endometrial adenocarcinomas at a point in time', 'il16 secretion', 'intramuscular adipose area to muscle area ratio', 'calculated blood flow', 'wolffian duct morphology trait', 'thoracic cage', 'ivsd', 'bone remodeling trait', 'total glomeruli count', 'plasma triglyceride level', 'milk non-fat solids', 'colorectal adenocarcinoma prevalence', 'milk fatty acid c9:0 percentage', 'secondary bone resorption trait', 'mature ovarian follicle', 'b cell stimulatory factor-2 secretion', 'tibialis anterior muscle weight', 'blood free fatty acid', 'saccule size', 'splenic marginal metallophilic macrophage morphology trait', 'endocrine pancreas morphology', 'time to locate a target in an experimental apparatus', 'medulla oblongata morphology trait', 'uterine fat pad', 'intestinal cell', 'heart left ventricle ejection fraction', 'milk fatty acid c18:3 n-3 content', 'l4 ganglion size', 'white blood cell proliferation', 'urine ph', 'splenic b cell follicle morphology trait', 'canal of schlemm morphology', 'cochlear inner hair cell physiology trait', 'craniofacial bone morphology trait', 'laryngeal muscle', 'visceral pouch', 'cochlear duct morphology', 'pancreatic isletitis', 'well differentiated colorectal adenocarcinoma prevalence', 'adipose fatty acid c16:0', 'mzb cell', 'kidney vascular physiology', 'pulmonary endothelial cell surface', 'cd4-positive, alpha-beta intraepithelial t cell morphology', 'erythrocyte ion', 'atrial appendage', 'pro-b cell development trait', 'percentage of study population developing chronic pancreatitis during a period of time', 'sodium chloride drinking water intake rate', 'liver triglyceride amount', 'blood differential leukocyte', 'jejunum crypt of lieberkuhn', 'left atrial size', 'cytotoxic t lymphocyte physiology trait', 'neuron vacuole measurement', 'thyroid gland size', 'neuroendocrine gland morphology trait', 'brain ventricle morphology trait', 'aorta wall total intracellular protein level', 'lymphocyte antigen presentation', 'immunoglobulin heavy chain v(d)j recombination trait', 'peripheral t cell anergy trait', 'testis size trait', 'right renal fat pad weight', 'statoconia size trait', 'ectoplacental cone morphology trait', 'plasma hdl phospholipid level', 'catecholamine', 'plasma free fatty acids level', 'milk fatty acid amount', 'paleostriatum', 'brain non-tumorous lesion incidence/prevalence', 'kinesthetic behavior trait', 'mature gamma-delta t-lymphocyte', 'brain homovanillic acid amount', 'paranasal sinus', 'epididymal fat depot morphology trait', 'total number born alive', 'sympathetic nervous system morphology trait', 'lung angiotensin ii converting enzyme activity level', 'circulating dihydrotestosterone', 'larynx', 'absolute change in adipocyte non-esterified fatty acid secretion per cell', 'atrioventricular canal morphology', 'lingual tonsillar tissue', 'circulating interleukin-12b', 'milk fatty acid cis-9,trans-13-c18', 'renal development trait', 'caculated blood apolipoprotein level', 'both adrenal glands', 'serum amyloid protein physiology', 'inner hair cell stereocilia size', 'neuron organelle', 'gastric non-tumorous lesion measurement', 'lymphocyte percentage', 'caudate putamen complex morphology trait', 'total cd8 t cell count', 'milk omega-6 fatty acid measurement', 'hair shaft', 'autopod morphology trait', 'blastocele development trait', 'teat number, right', 'visual cortex morphology trait', 'peripheral nervous system glial cell morphology trait', 'serum il6 level', 'concentration of angiotensin ii at which the force of blood vessel contraction is half the maximum value (ec50)', 'inflammatory exudate lxa4 level', 'blood b cell', 'adipose amount', 'interventricular sulcus morphology trait', 'mammary fat pad', 'feeding behavior trait', 'blood interleukin-6 level', 'percentage of study population developing pituitary tumors that replace a portion of the gland during a period of time', 'integumentary system physiology', 'blood anti-collagen antibody', 'muscle stearic acid', 'tibia energy', 'dendritic cell differentiation', 'plasma gldh activity', 'mechanical nociception trait', 'circulating ifn-beta 2 level', 'total drink-derived energy intake', 'meat vaccenic acid', 'blood chylomicron triglyceride', 'lymphatic system physiology trait', 'transverse process morphology', 'milk cholesterol', 'cervical spinal cord homovanillic acid amount', 't cell physiology trait', 'b-cell morphology trait', 'lamina basalis choroidae morphology trait', 'urine keto acid level', 'calculated mesenteric fat pad weight', 'glycogen catabolism trait', 'rear udder', 'skeletal system', 'posterior semicircular canal size', 'measurement of response latency', 'total cell', 'saccular macula morphology', 'treg cell', 'adrenergic system morphology', 'transitional b cell', 'helper t-lymphocyte type 1 cell number', 'plasma anti-type ii collagen antibody', 'transitional two stage b lymphocyte', 'follicular b cell number', 'prostate lesion', 'hippocampus pyramidal cell quantity', 'urine solute', 'extraembryonic tissue organization', 'b-1a b-cell', 'heart right ventricle dna content to body weight ratio', 'squamous cell carcinoma of the tongue tumor', 'pancreas total protein', 'circulating il-9', 'cornea light-scattering', 'embryonic erythrocyte morphology', 'splenic ifn gamma-secreting mononuclear cell count', 'neuronal golgi apparatus area measurement', 'blood protein', 'urine enzyme amount', 't cell receptor beta chain v-d-j joining', 'tectum', 'gpt activity level', 'right lung wet', 'calculated blood glucagon level', 'filiform papillae', 'eye orientation trait', 'craniosacral system', 'intramuscular fat content', 'sleep behavior trait', 'uterus weight to body weight ratio', 'dressed carcass muscle-to-fat', 'somite differentiation initiation trait', 'dendritic cell', 'lateral septum morphology', 'sinus venosus', 'gland development', 'heart effluent', 'lumbar vertebra quantity', 'eggshell strength, fowl', 'ejection fraction', 'vertebral trabecular cross-sectional', 'polymorphonuclear neutrophil morphology', 'diaphragm morphology', 'dressed carcass muscle-to-bone ratio', 'pituitary gland hyperplastic lesion', 'blood anti-deoxyribonucleic acid antibody level', 'maxilla', 'left uterine horn weight', 'seminiferous tubule', 'surface structure morphology trait', "peyer's patch morphology trait", 'blood gpt activity level', 'liver protein/peptide measurement', 'cd4-negative, cd8-negative, alpha-beta intraepithelial t-lymphocyte morphology', 'adipose weight', 'age at sexual maturity', 'adipose tissue adiponectin', 'spermatozoon measurement', 'both testes wet', 'milk whey protein', 'intermediate disk morphology trait', 'serum anti-porcine type ii collagen antibody level', 'milk oleic acid', 'intestinal cell number', 'serum levels of galactopoietic hormone', 'plasma anti-dna antibody titer', 'meat androstenone', 'cardiac ventricular morphology trait', 'tail morphology', 'b-1 b cell', 'outer hair cell stereociliary bundle orientation trait', 'palatal process', 'plasma osteocalcin level', 'thorax morphology', 'bone marrow cell morphology trait', 'respiratory alveoli size trait', 'rt6.2 positive t cell', 'milk lack of freshness flavor intensity', 'brain ventricle/choroid plexus morphology', 'urine microalbumin-creatinine', 'plasma bicarbonate level', 'absolute change in urine norepinephrine', 'b-1b b lymphocyte morphology', 'ilium', 'early pro-b cell morphology', 'ratio of the volume of saccharin consumed to the total volume of fluid consumed', 'coagulating gland size', 'cerebellar hemispheres morphology', 'parental behavior', 'ependyma', 'toxoplasmosis prevalence', 'distal convoluted tubule', 'tn2 thymocyte number', 'milk fatty acid trans-12,cis-14-c18', 'sebaceous gland size trait', 'ovulation', 'cingulate gyrus', 'fructose drink calorie intake rate', 'infarction measurement', 'liver mass', 'vestibule morphology', 'semimembranosus muscle weight', 'mononuclear leukocyte differentiation', 'pancreatic islet physiological measurement', 'splenic germinal center', 'blood measurement', 'aorta configuration trait', 'urine ketone body amount', 'thalamus', 'circulating amino acid level', 'testis tumorous lesion measurement', 'superior vagus ganglion size', 'hindlimb zeugopod', 'forestomach capacity', 'circulating alkaline phosphatase level', 'blood immunoglobulin g2a amount', 'back fat thickness, 10th rib', 'mesenteric artery wall phosphylated enos', 'thorax development trait', 'alkaline phosphatase', 'cochlear hair bundle horizontal top connectors morphology', 'plasma calcium', 'meat organoleptic', 'femoral neck ip', 'occipital suture', 'liver fibrosis area', 'lipid absorption trait', 'an arbitrary reference level', 'blood low density lipoprotein particle diameter', 'spinal cord rt1-b mrna', 'nerve fiber quantity', 'galt morphology trait', 'nasal concha', 'floor plate morphology', 'cervical opening shape', 'kidney fibrotic lesion measurement', 'subependymal zone morphology', 'colliculus position', 'colostrum immunoglobulin a concentration', 'duodenal region pancreatic beta cell weight calculated as the product of pancreas duodenal region weight and corresponding beta cell fractional area', 'pork odor intensity', 'hyoid bone', 'heart left ventricle diameter', 'blood gamma-glutamyltransferase activity level', 'mature b-cell morphology trait', 'percentage of study population displaying experimental autoimmune encephalomyelitis at a point in time', 'choroid morphology', 'blood immunoglobulin g', 'zone of proliferating cartilage morphology', 'reproductive lifespan', 'nasopharyngeal tonsil morphology trait', 'milk fatty acid c16:0', 'horn morphological', 'hypothalamus dopamine', 'posterior column morphology trait', 'embryonic erythrocyte', 'soft palate morphology', 'shoulder fat', 'immune cell development', 'sweat gland morphology trait', 'pns glia morphology trait', 'heart right ventricle dna amount', 'colorectal tumor incidence/prevalence', 'serum lactate dehydrogenase activity level', 'kidney pelvis', 'thymus measurement', 'cd8-positive, gamma-delta intraepithelial t lymphocyte morphology', 'gut-associated lymphoid tissue morphology trait', 'cochlear coil', 'blood insulin-like growth factor', 'loin muscle', 'white blood cell count', 'calculated suprarenal gland weight', 'heart left ventricle infarction weight as percentage of total heart left ventricle weight', 'kidney ribonucleic acid', 'diaphragm muscle', 'epidermis stratum corneum', 'kidney lipid peroxide amount', 'temporal muscle morphology trait', 'area of liver occupied by tumorous foci', 'total enos level', 'pancreas morphological measurement', 'circulating il-1b', 'rt6.1+ cell count', 'coat/hair pigmentation trait', 'heart left ventricular blood pressure', 'parotid salivary gland cholinergic nerve fiber organization trait', 'posterior semicircular canal morphology trait', 'single islet of langerhans area', 'weight', 'epithalamus morphology trait', 'long bone shaft morphology', 'pork flavor intensity (lean)', 'intramuscular fat weight as percent of body weight', 'rump body', 'scala tympani morphology', 'liver tumorous lesion number', 'body fat percentage', 'milk fatty acid trans-7,trans-9-c18', 'serum total immunoglobulin m', 'percent perinatal loss', 'malleus', 'jejunum villi', 'adipose hexadecanoic acid concentration', 'heart non-esterified fatty acid level', 'cerebral cortex neuron', 'serum prolactin', 'kidney tubular degeneration incidence/prevalence', 'kidney 20-hydroxyeicosatetraenoic acid', 'skeleton', 'neutrophil count to total wbc count ratio', 'il-16 secretion', 'plasma immunoglobulin g2b amount', 'intake volume of saccharin to total fluid intake volume ratio', 'phenylephrine-induced blood vessel constriction expressed as percent of force at baseline', 'circulating ctla-8 level', 'aerobic fitness', 'bill morphology', 'skin k+ level to skin dry weight ratio', 'adipocyte', 'experimental autoimmune encephalomyelitis severity score', 'hair tylotrich neuron', 'malt morphology trait', 'cd45r-positive thymocyte count', 'precentral gyrus', 'myocardial infarction', 'transverse process morphology trait', 'thymic corpuscle', 'time to first movement in an experimental apparatus', 'monocyte count', 'blood cystatin c level', 'fontanel morphology', 'vascular smooth muscle physiology trait', 'latency', 'neural tube morphology/development trait', 'prechordal plate morphology', 'milk ammonia amount', 'meat gamma-linolenic acid content', 'eye development trait', 'trophoblast layer', 'milk non-fat solids content', 'plasma acetaminophen level area under curve', 'monocyte percentage', 'adipose thickness', 'cloaca septation trait', 'plasmacytoid t cell morphology trait', 'calculated left ventricular blood pressure', 'sertoli cell development', 'calculated adrenal gland', 'single cell response threshold', 'blood interleukin-9', 'b lymphocyte anergy', 'medulla oblongata serotonin amount', 'spleen central arteriole morphology trait', 'wellness/fitness trait', 'band neutrophil granulocyte', 'milk fatty acid c22', 'calculated pituitary gland', 'uterus length', 'b-2 b-cell morphology', 'cranial ganglia', 'blood vessel smooth muscle cell', 'muscle fatty acid c20:2 percentage', 'adipocyte glucose uptake', 'rumen papillae morphology trait', 'femur mineral content', 'z line morphology', 'cn-xii morphology', 'spleen fibrosis incidence/prevalence measurement', 'bw', 'intercostal muscle thickness', 'circulating interleukin-3', 'cytotoxic t cell cytolysis trait', 'sensorimotor gating trait', 'antibody measurement', 'reflectance value', 'vertebral cortical cross-sectional area', 'renal medulla morphology', 'total litter', 'aortic valve morphology', 'mammary tumor latency measurement', 'liver cholesterol', 'tongue tumorous lesion', 't3 b cell morphology trait', 'splenic secondary b cell follicle morphology', 'single adrenal gland weight', 'natural t cell morphology trait', 'liver remodeling tumorous lesion number', 'stapes footpiece morphology trait', 'cd4-positive t cell quantity', 'cochlear ihc efferent innervation', 'locus ceruleus morphology', 'saa protein physiology', 'retinal vascular morphology trait', 'tissue epinephrine', 'tongue size trait', 'incus morphology trait', 'craniofacial physiology trait', 'circulating il-23 p19', 'percentage of study population developing colonic aganglionosis during a period of time', 'blood atrial natriuretic factor', 'large intestine morphology trait', "bowman's capsule size trait", 'marginal metallophilic macrophage morphology', 'serum bicarbonate', 'tunica vasculosa bulbi', 'pancreatic islet beta cell area', 'strial marginal cell quantity', 'calculated coat/hair color', 'bitter taste sensitivity trait', 'neurocranium', 'plasma anti-collagen antibody level', 'belly thickness', 'vascular smooth muscle morphology trait', 'cerebrum physiology trait', 'heart left ventricle dorsal wall thickness', 'gonad development trait', 'anterior segment', 'interventricular septal thickness', 'lymph node structure', 'tibia cortical bone midshaft endosteal cross-sectional', 'sympathetic neuron', 'radius cell', 'calculated renal sympathetic nerve activity measurement', 'low molecular weight protein', 'plasma gsh-px activity level', 'wbc', 'outer ear shape', 'myocardial compact layer', 'neuron migration trait', 'femur size trait', 'skeletal muscle fiber number', 'visceral arch development trait', 'central nervous system synaptic transmission', 'kidney blood vessel morphology', 'lung angiotensin i converting enzyme 2 activity', 'viable', 'voluntary movement', 'pancreatic islet beta-cell area', 'primitive hematopoiesis', 'extensor digitorum longus muscle weight to body weight ratio', 'blood afp level', 'double-negative t-cell numbers', 'muscle skatole amount', 'retinal ganglion layer morphology', 'epiphyseal plate morphology trait', 'palatine tonsil', 'bone mineral mass', 'stomach non-tumorous lesion measurement', 'axon morphology trait', 'myocardial trabeculae morphology trait', 'egg specific gravity, fowl', 'spleen follicular dendritic cell network morphology trait', 'pigmented dorsal coat/hair', 'peptide metabolism', 'surface glomeruli', 'tunica propria corii', 'gsp amount', 'head morphological measurement', 't lymphocyte count to total wbc count ratio', 'hemoglobin concentration', 'cingulate gyrus morphology', 'exocrine gland measurement', 'calculated heart end-systolic intraventricular wall thickness', 'serum high density lipoprotein phospholipid level', 'egg white morphology', 'b-2 b-lymphocyte morphology trait', 'b-cell domain', 'esophageal squamous epithelium morphology', 'cardiovascular system physiology trait', 'pituitary gland hyperplastic lesion prevalence', 'right lung weight to left lung weight ratio', 'endocrine gland', 'epidermal layer development trait', 'lung weight', 'circulating b-cell stimulating factor-1', 'sister chromatid exchange trait', 'milk linolenic acid concentration', 'skeletal muscle fiber count', 'blood igf2', 'jejunum weight', 't cell receptor beta chain v(d)j recombination trait', 'of the lesioned side motor neuron count', 'skeletal muscle fiber', 'epidermis morphology', 'percentage of study population developing pituitary tumors that replace the entire gland during a period of time', 'cartilage cell', 'experimental autoimmune neuritis severity measurement', 'pancreas secretion trait', 'cerebellum vermis size', 'capillary blood flow trait', 'food intake weight measurement', 'erythroid progenitor', 'blood lipoprotein cholesterol level', 'composite score for bacterial infection severity', 'plasma oxidized glutathione level', 'spleen trabecular vein morphology', 'cd4+ t cell physiology', 'kidney fibrotic lesion size measurement', 'cerebellum vermis lobule morphology', 'columnar layer', 'spiral crest', 'labyrinthus cochlearis morphology trait', 'pacemaker morphology trait', 'inguinal lymph node dry', 'poorly differentiated colorectal adenocarcinoma prevalence', 'blood t3', 'circulating sulfate level', 'liver fat morphological', 'blood lipase amount', 'coat/hair color', 'logarithm of the total number of nontypeable h. influenzae cfu in effusion plus wash', 'stratum papillare corii morphology', 'grooming measurement', 'neurophysis', 'sympathetic nerve activity measurement', 'alpha-beta intraepithelial t lymphocyte', 'uterus size', 'creatinine clearance to total kidney weight ratio', 'parathyroid gland size', 'cd8-positive, alpha-beta cytotoxic t-cell morphology', 'ventriculus tertius size trait', 'urine creatine level', 'iel morphology trait', 'femur circumference', 'interferon secretion trait', 'circulating il-4 level', 'fob cell morphology trait', 'serum total ige', 'tissue weight of the large intestine', 'alveoli', 'milk flavor intensity', 'conjunctiva morphology', 'calculated blood insulin', 'malignant hepatocellular carcinoma incidence/prevalence', 'nasal bridge width', 'cd8-positive, alpha-beta cytotoxic t lymphocyte', 'acute eae prevalence', 'anterior eye segment morphology trait', 'ratio of the area occupied by islets of langerhans to total pancreatic area', 'nerve conduction', 'potassium chloride-induced blood vessel contractile force expressed as percent of force at baseline', 'perineum morphology', "reissner's membrane", 'ventral prostate tumorous lesion number', 'brain swd rate', 'intestinal goblet cell', 'mammary areola/papilla', 'behavioral response to addictive substance trait', 'ligamentum spirale cochleae morphology', 'fenestra cochleae', 'milk lactadherin concentration', 'colostrum immunoglobulin g content', 'blood idl-c level', 'nociception system morphology trait', 'blood glucocorticoid level', 'slope measurement of chemical-induced contraction', 'gasserian ganglion morphology', 'milk fat content', 'retinal neuronal layer morphology', 'corpora quadrigemina size', 'circulating il-12a', 'retinal outer plexiform layer', 'stress-related behavior trait', 'milk ammonia', 'internal auditory canal morphology trait', 'crista spiralis morphology', 'dressed carcass size', 'total area of tail region of pancreas', "hassall's corpuscle morphology trait", 'maximum time spent running', 'interleukin-23 secretion', 'calculated urine albumin', 'liver lesion measurement', 'anterior horn cell quantity', 'basilar lamina morphology', 'brain weight as percentage of body', 'gizzard weight', 'retina blood vessel morphology', 'female fecundity', 'interleukin-9 secretion', 'adrenocorticotropin secretion', 'vestibulocochlear nerve morphology', 'egg specific gravity trait', 'circulating epidermal cell derived thymocyte-activating factor level', 'bronchial epithelial cell number', 't4', 'calculated serum glucose', 'testes molecular composition', 'milk tridecylic acid', 'change in renal sympathetic nerve activity', 'inferior colliculus morphology', 'tetradecanoic acid percentage', 'testis molecular composition', 'interventricular groove', 'splenic region pancreatic beta cell weight calculated as the product of pancreas splenic region weight and corresponding beta cell fractional', 'parietal bone morphology', 't lymphocyte count', 'heart left ventricle infarction size', 'mature b lymphocyte morphology trait', 'vallate papillae', 'calculated skeletal muscle morphological measurement', 'blood leptin', 'hepatic cholesterol level', 'cd8-positive, alpha-beta regulatory t cell', 'oesophagus size trait', 'dressed carcass fat-free', 'spongy bone cross-sectional', 'plasma ggt activity level', 'hepatic lesion measurement', 'ligamentum spirale ductus cochlearis morphology trait', 'number of periods frozen', 'circulating interleukin-12 p70', 'sulcus ampullaris morphology trait', 'milk fatty acid cis-9-c17', 'left major bronchus', 'type 2 helper t cell', 'scala tympani size', 'rib weight', 'seam fat', 'cd8-positive, alpha-beta cytotoxic t-lymphocyte morphology trait', 'aorta wall molecular composition', 'liver fat', 'food conversion', 'serum total immunoglobulin e', 'pancreatic islet tumorous lesion', 'qt_interval', 'muscle fatty acid trans-11-c18', 'ovary', 'calculated drink intake rate', 'pancreatic delta cell morphology', 'igd level', 'total food-derived calorie intake', 'orofacial morphology trait', 'mean corpuscular haemoglobin', 'chemokine secretion', 'egg flavor trait', 'male reproductive organ', 'b lymphocyte proliferation', 'both adrenal glands wet weight as percentage of body', 'blood type i collagen c-terminal telopeptide', 'cell organelle', 'individual kidney wet weight', 'myeloblast development trait', 'short lived plasma cell morphology trait', 'islet of langerhans morphology trait', 'b cell stimulatory factor-1 secretion', 'interleukin-21 secretion trait', 'nerve fiber response', 'deiters cell quantity', 'calculated body morphological', 'blood cd45rchigh cd4(+) t cell count to total lymphocyte count ratio', 'spinal cord molecular composition', 'regional blood flow', 'calculated aorta smooth muscle cell', 'lung epithelial cell morphology trait', 'serum hdl phospholipid level', 'conjunctival blood vessel morphology trait', 'sclerotome morphology trait', 'neopallium', 'basal ganglia morphology', 'gastric tumor incidence/prevalence', 'tunica vasculosa bulbi morphology trait', 'circulating il-17', 'measurement of stereotypical movement', 'blood igm', 'blood bicarbonate', 'hse incidence/prevalence measurement', 'area occupied by beta cells', 'intramuscular adipose weight as percent of body weight', 'stratum spinosum cell number', 'circulating hepatocyte-stimulating factor level', 'percentage of survivors in a study population during a period of time', 'mesenteric artery morphology', 'artery intimal hyperplastic lesion', 'frequency resolution of the cochlea', 'media width (mw) of artery', 'blood interleukin-12a', 'eosinophil granulocyte count', 'circulating il23', 'neutrophilic leucocyte morphology trait', 'serum idl', 'immune system organ morphology', 'heart infarction weight', 'muscle thickness of the cecum', 'plasma leptin level', 'circulating il-12 level', 'medulla oblongata dihydroxyphenylacetic acid (dopac) amount', 'hypodermis thickness', 'iris stroma cell number', 'milk calcium', 'suppressor t-cell morphology trait', 'coat/hair', 'cd4+cd8+ t cell', 'striatum morphology trait', 'regain baseline angle of tilted plane at which balance/traction is lost', 'muscle glycogen homeostasis', 'coagulated milk firmness', 'inguinal lymph node weight to body weight ratio', 'serum levels of lactation hormone', 'jejunum mucosa morphology', 'medullary canal', 'stria vascularis intermediate cell morphology trait', 'horny layer morphology', 'skin tensile strength trait', 't cell receptor delta chain v-d-j rearrangement', 'heart right atrium', 'average daily feed intake', 'pancreatic islet tissue protein/peptide composition measurement', 'serum corticosterone', 'rv-ivrt', 'shoulder external fat weight', 'vessel shear stress measurement', 'femur midshaft biomechanical measurement', 'spinal cord c1qb mrna level', 'colliculus', 'circulating b-cell growth factor-ii', 'cd8-positive t cell number', 'auditory ganglion', 'blood reactive oxygen metabolite', 'epidermal layer morphology', 'nasal concha morphology trait', 'deltoid crest morphology', 'neurocranium morphology', 'serum intermediate density lipoprotein cholesterol', 'calculated urine sodium level', 'mlik tetracosanoic acid amount', 'cd4-positive, cd25-positive, alpha-beta treg morphology', 'colostrum igg content', 'seminiferous tubule size', 'aorta elastic tissue integrity trait', 'hypaxial muscle cell quantity', 'marginal metallophilic macrophage morphology trait', 'cardiac muscle cell morphology', 'immune serum protein', 'liver protein/peptide composition measurement', 'blood th1 cell to th2 cell ratio as', 'vestibular hair cell quantity', 'aorta wall phosphylated enos protein level to total enos protein level ratio', 'self-feeder per day', 'cranial ganglion xi morphology', 'natural killer t lymphocyte physiology trait', 'secondary muscle spindle size', 'basophil granulocyte', 'bile duct physiology', 'eye muscle', 'pterygoid bone', 'eyelid', 'liver/biliary morphological', 'strial basal cell morphology', 'l5 ganglion size trait', 'circulating gamma-ifn', 'primitive streak development trait', 'hematolymphoid system physiology trait', 't-cell lymphoma incidence/prevalence measurement', 'tn2 thymocyte', 'olfactory tract morphology', 'liver fibrotic lesion', 'length of intestine affected by colonic aganglionosis to total length of colon ratio', 'acute experimental autoimmune encephalomyelitis incidence/prevalence measurement', 'colorectal tumor surface area', 'retinal rod bipolar cell', 'percentage of study population displaying chronic experimental arthritis at a point in time', 'blood tyrosinase activity', 'hypoglossal nerve morphology trait', 'axon outgrowth trait', 'milk monoacylglycerol amount', 'liver malondialdehyde', 'ovarian secretion', 'blood vessel smooth muscle morphology trait', 'dressed carcass muscle content', 'ovary molecular composition', 'absolute change in pulse pressure', 'porphyrin amount', 'glutaminergic neuron morphology', 'intramuscular fat cell', 'outflow tract', 'superior caval vein morphology', 'inguinal lymph node dry weight', 'serum t3', 'ligamentum spirale ductus cochlearis', 'il-4 secretion', 'cn-viii morphology trait', 'spinal cord cellular composition', 'trigeminal nerve mpnst incidence/prevalence measurement', 'deaths', 'blood tnf', 'area of liver occupied by fibrotic lesions', 'heart right ventricular blood pressure', 'spleen secondary follicle', 'b cell morphology', 'arthritic paw', 'posterior horn', 'vertebral column development', 'colorectal neoplasm incidence/prevalence', 'fat androstenone', 'basement membrane development trait', 'drum membrane morphology', 't1 b cell number', 'bacteria', 'bacteria count', 'pterygoid muscle morphology trait', 'mandibular cartilage development trait', 'meat lactate content', 'quinine index', "peyer's patch size trait", 'hemopoietic system development', 'blood renin amount', 'vocalization trait', 'l4 sympathetic ganglion', 'calculated heart left ventricle infarction area', 'orbit depth', 'semicircular canal', 'blood creatine kinase activity level', 'nk t-lymphocyte physiology', 'rr interval', 'hair down cell innervation pattern', 'polynuclear neutrophilic leukocyte morphology', 'cerebrovascular lesion incidence/prevalence measurement', 'heart angiotensin i converting enzyme activity', 'serum comp', 'osteophage morphology trait', 'circulating b cell stimulatory factor-1 level', 'immune system organ size trait', 'absolute change in urine vanillylmandelic acid', 'ligamentum spirale ductus cochlearis morphology', 'liver glutathione s-transferase-placental form mrna', 'mammary tumor latency period', 'coccyx', 'kidney edema incidence/prevalence', 'total arteriolar resistance', 'axon outgrowth', 'whisker shape', 'skin sodium amount', 'blood renin activity', 'blood creatinine measurement', 'pancreas integrity trait', 'dentin morphology trait', 'water intake drink rate to body weight ratio', 'dressed carcass yield', 'vestibular ganglion of the vestibulocochlear (viii) nerve morphology', 'uterine weight, dry', 'circulating il-2', 'milk conjugated linoleic acid concentration', 'plasma murinoglobulin 1 level', 'cell membrane potential', 'cochlear microphonics trait', 'serum parathyroid hormone level', 'blood enzyme', 'plasma insulin-like growth factor 1', 'brain interneuron morphology', 'ventricular septal configuration', 'epiphysial plate morphology', 'novel environment', 'parametrial fat pad mass', 'medial ganglionic eminence morphology', 'bun level', 'gastrocnemius', 'tongue integrity trait', 'troponin t amount', 'lumbar dorsal root ganglion morphology', 'colorectal adenoma prevalence', 'adrenal gland rna composition', 'pituitary tumor number', 'ce', "schlemm's canal size", 'calculated heart left ventricle infarction weight', 'neutrophil differentiation', 'splenic marginal sinus morphology trait', 'intestinal epithelium morphology trait', 'enteric ganglion', 'vascular smooth muscle physiology', 'calculated pituitary gland weight', 'm line', 'meat arachidic acid', 'logarithm of the concentration of vasoconstrictor at which the force of blood vessel contraction is half the maximum value (log ec50)', 'total urine molecular', 'blood non-hdl cholesterol', 'visual cortex', 'ammon gyrus morphology', 'platelet development', 'urine bilirubin', 'pectoral girdle', 'b-1 b cell morphology', 'pulmonary circulation', 'stomach tumorous lesion measurement', 'lung dry weight to body weight ratio', 'milk adipophilin concentration', 'serum t3 level', 'pancreas/salivary gland physiology trait', 'pancreatic non-tumorous lesion measurement', 'change in map', 'glucagon secretion', 'otolithic membrane attachment trait', 'blood norepinephrine level', 'kidney superoxide dismutase to glutathione peroxidase ratio', 'suppressor t cell morphology trait', 'pulp cavity', 'milk overall dairy flavor intensity', 'transitional stage t2 b cell morphology trait', 'lv -dp/dt max', 'tympanic membrane size', 'sympathetic cholinergic neuron', 'stroke prevalence', 'esophageal epithelium cell', 'plasma gd activity', 't helper 2 morphology', 'circulating adreniline', 'alveolar-capillary membrane morphology trait', 'blood cd4 lymphocyte', 'vascular smooth muscle dilation', 'bioimpedance', 'red blood cell trait', 'milk soluble calcium', 'endometrial adenocarcinoma prevalence', 'labia minora shape trait', 'both adrenal glands wet weight to body weight ratio', 'meat trans-vaccenic acid', 'dn2 thymocyte quantity', 'heart left ventricle posterior wall thickness', 'beta cell area to total pancreatic islet area ratio', 'stomach volume', 'thyroid gland mass', 'circulating pituitary hormone level', 'logarithm of the concentration of potassium chloride at which the force of blood vessel contraction is half the maximum value (log ec50)', 'immunoglobulin v-j joining', 'meat docosatetraenoic acid content', 'heart muscle physiology trait', 'heart left ventricle insulin-like growth factor 1 receptor mrna level', 'bisphenol a drink intake rate', 'blood triglyceride level', 'calculated middle cerebral artery inner diameter measurement', 'leucocyte trafficking', 'splenic marginal zone macrophage morphology', 'unilateral left-sided renal agenesis prevalence', 'blood anti-chromatin antibody amount', 'plasma anti-double-stranded dna antibody', 'cn-ix', 'mesencephalic flexure', 'lvsd', 'circulating il-6', 'free fatty acids', 'calculated heart left ventricle deoxyribonucleic acid content', 'myelopoiesis trait', 'fungiform papillae', 'stomach mucosa', 'cochlear hair cell stereociliary bundle morphology', 'serum superoxide dismutase activity level', 'telencephalon', 'lactate dehydrogenase activity', 'right perirenal fat pad weight', 'l5 dorsal root ganglia', 'hypothalamus morphology', 'adrenal gland wet', 'plasma t3', 'longissimus dorsi muscle thickness', 'femur bone mineral density', 'drink energy intake', 'nephron morphology', 'drumstick trait', 'milk monounsaturated fatty acid measurement', 'calculated bone biomechanical measurement', 'optic tract size trait', 'respiratory alveoli morphology', 't-helper 1 cell morphology', 'interleukin-23 alpha secretion', 'lymphatic vessel cell number', 'medulla oblongata homovanillic acid amount', 'milk fatty acid cis-8-c20:1 percentage', 'meibomian gland morphology trait', 'blood oxidized glutathione', 'mononuclear cell ifn gamma secretion', 'muscle protein amount', 'gamete morphology', 'cd25+ cell count to cd8+ cell count ratio', 'blood intermediate density lipoprotein phospholipid level', 'respiratory mucosa goblet cell morphology', 'hind feet morphological measurement', 'cube root of body', 'dn2 immature t cell', 'response to prion infection trait', 'ependyma morphology trait', 'liver/biliary measurement', 'milk conjugated linoleic acid content', 'circulating ifn-beta', 'vibrissa density', 'nervous system disease incidence/prevalence', 'milk stearic acid percentage', 'outer ear prominence', 'intercalated disc morphology trait', 't-cell', 'blood glycogen', 'cervical vertebra length', 'l5 ganglion morphology', 'energy balance trait', 'hydronephrosis severity score', 'number of transferable embryos per superovulation/artificial insemination event', 'monocyte morphology', 'meat cis-10-pentadecenoic acid content', 'first movement in an experimental apparatus', 'tn3 cell number', 'spleen iron load', 't helper 1 morphology', 'carcass length, first cervical vertebra to pelvis', 'total food energy intake rate', 'granule layer lamination integrity trait', 'blood interferon', 'epidermis stratum spinosum morphology trait', 'dressed carcass muscle percentage', 'spleen secondary follicle morphology', 'spermatozoon', 'heart left atrium end-systolic diameter', 'respiratory bronchiole morphology', 'muscle progenitor cell migration', 'blood igg level', 'kidney tubule morphology trait', 'ventricle of rhombencephalon', 'milk caproic acid concentration', 'muscle myristic acid concentration', 'cranial ganglion vii morphology trait', 'pancreatic islet damage composite score', 'circulating il12', 'milk fatty acid c14', 'humeral axillary lymph node morphology', 'egg width, fowl', 'milk pentadecylic acid content', 'vertebra', 'change in mean arterial blood pressure to change in the logarithm of the vasoconstrictor dose ratio', 'peripheral b cell anergy trait', 'milk cis-10-heptadeceonic acid percentage', 'atrioventricular cushion', 'milk fatty acid trans-10,trans-12-c18:2 percentage', 'body temperature', 'cervical spinal cord dihyroxyphenylacetic acid (dopac)', 'loin size', 'acromial process morphology trait', 'mesencephalic flexure morphology trait', 'plasma aspartate transaminase activity', 'm cells morphology trait', 'interleukin secretion trait', 'parasitic infection', 'glandula pinealis morphology', 'inguinal lymph gland wet weight', 'ammon gyrus', 'blood cd45rclow cd4(+) t cell', 'cytokine secretion trait', 'percentage of study population displaying myeloid leukemia at a point in time', 'skeletal muscle size trait', 'treg', 'meat stearic acid content', 'serum igg-rheumatoid factor level normalized to an arbitrary reference level', 'c6 physiology trait', 'liver fibrotic lesion area measurement', 'lymphatic system', 'milk mineral amount', 'tooth mineralization trait', 'blood gsh-px activity', 'blood rt6.1 cell count', 'respiratory conducting tube', 'blood glutathione', 'kidney development initiation', 'lacrimal gland morphology trait', 'sterol homeostasis', 'circulating interleukin-23b level', 'cervical spinal cord homovanillic acid', 'mature gamma-delta t-lymphocyte morphology', 'embryonic subventricular zone', 'pulmonary valve morphology trait', 'notochord', 'cd45r+ thymocyte', 'acetylcholine half maximal effective concentration (ec50)', 'hyaloid capillary system development', 'blood glomerular filtration rate, chronic kidney disease epidemiology collaboration formula (cke-epi)', 'femoral metaphysis mediolateral diameter', 'choroid plexus cell number', 'hemolymphatic system morphology', 'logarithm of the concentration of angiotensin ii at which the force of blood vessel contraction is half the maximum value (log ec50)', 'thyroid gland development trait', 'interleukin-15 secretion', 'active-zone-anchored inner hair cell synaptic ribbon morphology trait', 'aortic blood flow rate', 'cloaca septation extent', 'locus niger morphology trait', 'plasma escherichia coli specific antibody level, post vaccination', 'malignant peripheral nerve sheath tumor', 'transitional one stage b lymphocyte number', 'tissue cellular composition', 'milk alpha-lactalbumin concentration', 'tibiofibular fusion cortical bone total cross-sectional', 'mononuclear leukocyte', 'aortic wall elastin dry weight', 'lumbar vertebra substantia spongiosa cross-sectional', 'tibia curved segment length', 'morphology trait of the stria vascularis vasculature', 'detrusor smooth muscle contractility', 'change in renal blood flow', 'leukocyte', 'mca inner diameter', 'tcgf secretion', 'granulosa cell differentiation trait', 'maximum weekly bpa-fructose drink intake rate', 'central pattern generator physiology trait', 'optic nerve fiber organization trait', 'tibia-fibula cross-sectional area', 'tibia strength', 'non-tongue squamous cell carcinoma of the head and neck tumor number', 'liver wet', 'milk beta-carotene', 'left atrial', 'coat/hair morphological measurement', 'jejunum villi height', 'lateral ganglionic eminence morphology trait', 'muscle fiber morphological', 'astroglia', 'cutis plate', 'purkinje fiber morphology', 'otolith morphology', 'methylene blue to fapgg metabolism-surface area product ratio', 'stereotypy measurement', 'vascular smooth muscle', 'calculated rpf', 'cochlear inner hair cell efferent nerve fiber quantity', 'kinesthetic behavior', 'epicanthal fold', 'maternal nurturing trait', 'thoracic vertebrae', 'cn-vii morphology trait', 'ear rotation', 'outer ear development trait', 'time of onset/diagnosis of experimental autoimmune neuritis after immunization', 'midbrain roof plate', 'tongue length', 'thymus molecular composition', 'blood interleukin-6', 'l4 dorsal root ganglia morphology', 'b1b cell', 'blood t(s/c) cell count', 'coagulating gland size trait', 'milk cis-9-eicosenoic acid content', 't-lymphocyte', 'kidney medulla trpv4 protein level to beta-actin protein level ratio', 'artery internal elastic lamina defect count', 'connective tissue', 'circulating antidiuretic hormone', 'seminal gland wet weight', '305-day milk yield', 'lung ace2 activity', 'egg albumen flavor', 'circumvallate papillae', 'myeloid dendritic cell number', 'atrioventricular cushion orientation trait', 'blood ldl cholesterol amount', 'cochlear hair cell physiology trait', 'gastrocnemius morphology trait', 'incus', 'neuromuscular junction', 'parasympathetic cholinergic neuron', 'quantity', 'growth hormone secretion', 'adrenal gland morphological measurement', 'meat vaccenic acid content', 'venous morphology trait', 'thoracic cage morphology', 'scapula size trait', 'vertebral column', 'blood cd45rc cd4 t cell', 'laryngeal cartilage morphology', 'areal bone mineral density', 'serum murinoglobulin 1 level', 'spinal tissue protein/peptide composition measurement', 'well differentiated malignant colorectal neoplasm surface area', 'secretion by sex gland', 'testicular secretion', 'intestine morphology trait', 'physical strength trait', 'mesenteric fat pad morphology trait', 'vitamin absorption', 'neuron vacuole area to neuron cytoplasm area ratio', 'brain spike-wave discharge amplitude', 'conformation of limbs', 'granulocyte bactericidal activity', 'blood lipid amount', 'water drink intake volume', 'brain molecular composition measurement', 'vestibular labyrinth morphology', 'blood carbon monoxide level', 'yield', 'spleen follicle center size', 'cranial ganglion v morphology trait', 'righting reflex', 'consumption', 'serum renin activity', 'central t cell anergy', 'myeloid cell development trait', 'disease severity', 'lymphocyte transmigration', 'bone marrow cell development trait', 'colonic aganglionosis severity', 'prostate gland physiology trait', 'heart insulin-like growth factor 1 receptor mrna level', 'bone phosphorus content', 'hemolymphoid system physiology trait', 'circulating mcgf-2', 'aorta wall intracellular protein level', 'hemoglobin', 'lung development trait', 'number of grooming acts in an experimental apparatus', 'milk fatty acid trans-11-c18:1 concentration', 'hindlimb conformation', 'nk t-lymphocyte morphology', 'muscle fatty acid cis-11-c20:1 content', 'milk monounsaturated fatty acid', 'onset of intramembranous bone ossification', 'forebrain norepinephrine', 'cochlear inner hair cell quantity', 'labium morphology', 'well differentiated malignant colorectal cancer prevalence', 'type ii pneumocyte morphology trait', 'plasma anti-type ii collagen antibody level', 'glucose metabolism trait', 'urine calcium amount', 'experimental autoimmune neuritis onset/diagnosis', 'circulating interleukin-23 level', 'endocardial cushion morphology trait', 'tumor necrosis factor amount', 'maxillary sinus', 'cardiac ganglion morphology trait', 'c2 physiology trait', 'reticulo-rumen weight', 'plasma cell morphology trait', 'artery wall', 'parasympathetic ganglion morphology', 'adrenal gland molecular composition trait', 'blood rt6.2 cell', 'heart right ventricle dna content to bw ratio', 'cephalic flexure', 'osteoclast cell number', 'helper t cell type 1 morphology', 'central nervous system integrity trait', 'gastrulation movement', 'arm incidence/prevalence', 'ventricle of rhombencephalon size trait', 'serum paracetamol level', 'substantia nigra morphology trait', 'leukocyte tethering or rolling trait', 'liver area', 'kidney vascular', 'helper t-lymphocyte type 1 cell differentiation', 'rhombomere morphology', 'sex gland size', 'fiber type 1 percentage', 'serum gd activity level', 'stratum corneum', 'blood-inner ear barrier physiology trait', 'ventral spinal root morphology trait', 'mean corpuscular volume', 'olfactory receptor morphology trait', 'milk urea', 'cd4-negative, cd8-negative, alpha-beta intraepithelial t-cell morphology trait', 'pork odor intensity (fat)', 'adipose tissue adiponectin level', 'well differentiated malignant colorectal tumor', 'mammary areola', 'ovary mass', 'telencephalon cell', 'plasma anti-bovine type ii collagen antibody level', "peyer's patch follicle", 'antibody titer', 'ventral prostate tumorous lesion prevalence', 'splenic secondary b cell follicle morphology trait', 'catalase activity', 'heart left ventricle end-diastolic relative wall', 'b cell receptor editing', 'ham bone weight', 'pancreas size trait', 'morphology trait of the visceral layer of serous pericardium', 'iris stroma cell quantity', 'percentage of study population developing acute experimental allergic encephalomyelitis during a period of time', 'heart ventricle', 'back fat thickness, 3rd lumbar vertebra', 'self mutilation severity', 'serum gamma-glutamyl transpeptidase activity', 'blood high-lca t4 t cell', 'serum globulin', 'epididymis morphology trait', 'aortic wall', 'anus', 'blood cd25 cell', 'primary sex determination trait', 'skeletal muscle weight', 'nervous system tract', 'plasma escherichia coli specific antibody level', 'tunica albuginea oculi morphology trait', 'b-cell differentiation factor-2 secretion', 'cerebrospinal fluid sodium level', 'caudal vertebra', 'squamous cell carcinoma of the tongue number of tumors with diameter greater than 5 mm', 'surface structure', 'height', 'epididymidis wet weight', 'parasitic infection severity', 'malignant colorectal neoplasm incidence', 't helper 1 function', 'clp', 'blood ige level', 'tongue morphology', 'blood sterol amount', 'testis weight to body weight ratio', 'calcium', 'vertebra strength', 'dn1 thymocyte number', 'incisor growth', 'intra-abdominal fat area', 'plasma interleukin-6', 'adipocyte incremental nefa secretion per cell', 'muscle fatty acid c14:0 concentration', 'cd4 th2 cell', 'uterine fat depot morphology', 'basement membrane morphology trait', 'teat length', 'precentral gyrus morphology trait', 'peripheral nervous system integrity', 'hypothalamus cell', 'circulating il9 level', 'plasma immunoglobulin e level', 'submandibular ganglion', 'blood iron', 'auditory vesicle size trait', 'hemolymphoid system morphology trait', 'outer ear', 'corneal epithelium morphology trait', 'spinal cord ventral horn cd3-positive cell', 'logarithm of the concentration of phenylephrine at which the force of blood vessel contraction is half the maximum value (log ec50)', 'intervertebral disk morphology', 'depression-related behavior', 'calculated retroperitoneal fat pad weight', 'shoulder trait', 'scapula cell', 'serotonergic neuron', 'coloenteritis severity measurement', 'mammary gland morphology trait', 'adipocyte free fatty acid secretion trait', 'sensory ganglia morphology', 'death rate', 'colostrum immunoglobulin', 'trichinosis severity measurement', 'vertebral cortical cross-sectional', 'molar morphology trait', 'auditory tube morphology', 'milk fatty acid c20:5 n-3 percentage', 'left kidney wet weight to body weight ratio', 'milk tridecanoic acid', 'blood oxygen measurement', 'glossopharyngeal ganglion morphology trait', 'oculomotor nerve size trait', 'arterial tunica media area', 'cerebellum anterior vermis size', 'blood cell quantity', 'tibia midshaft morphological', 'effector t cell', 'cytotoxic t cell morphology trait', 'thyroid gland wet weight', 'trigeminal ganglion cell size', 'vascular endothelium morphology', 'cn-v morphology', 'muscle fatty acid c18:3 n-3 concentration', 'class switch recombination', 'kupffer cell morphology', 'thymus cortico-medullary boundary morphology', 'count', 'lvas', 'cerebral hemispheres morphology trait', 'labyrinth layer', 'iris stroma morphology trait', 'pmn physiology trait', 'milk fatty acid cis-9,cis-11-c18:2', 'vessel shear stress', 'blood vessel inner diameter', 'cochlear neuroepithelium morphology trait', 'digestion', 'renal cortex trpv4 protein level', 'tibia/fibula cortical bone total cross-sectional area', 'horizontal plate morphology trait', 'sphenozygomatic suture morphology trait', 'hematopoietic system development', 'sphenozygomatic suture morphology', 'triglyceride amount', 'splenic iron load', 'urine sodium excretion rate to body weight ratio', 'blood-brain barrier morphology trait', 'blood interleukin-13 amount', 'heart integrity trait', 'circulatory system physiology trait', 't helper 1 morphology trait', 'bone structure', 'penis morphology', 'cutis plate morphology', 'front feet morphological measurement', 'milk capric acid percentage', 'ovary dry weight', 'colorectal adenoma surface area measurement', 'gamma-amino-n-butyric acid receptor currents', 'milk xor content', 'pressoreceptor physiology', 'vitreous morphology trait', 'force at failure', 'amount of time spent in freezing behavior', 'temporalis muscle size', 'total heart ventricle size', 'circulating colony-stimulating factor 2 alpha level', 'liver weight', 'organ tumorous lesion incidence/prevalence measurement', 'milk caprylic acid percentage', 'popliteal lymph node morphology', 'cn-ii', 'liver campesterol', "reichert's membrane morphology", 'retinal ganglion cell quantity', 'rib fat', 'benign colorectal neoplasm surface area', 'cd25 cell to cd8 cell ratio as', 'blood ethanol level at regain of the righting response', 'peak aortic velocity', 'white fat cell lipid droplet size trait', 'tibia/fibula cortical bone endosteal cross-sectional area', 'milk cholesterol ester', 'line of schwalbe', 'absolute change in adipocyte nefa secretion per cell', 'presacral vertebra', 'aorta wall extracellular collagen level', 'blood insulin-like growth factor 2 level', 'atrioventricular canal configuration trait', 'milk arachidic acid', 'plasma creatine phosphokinase activity level', 'popliteal lymph node size', 'cardiocyte diameter', 'blood tc level', 'skin h2o', 'cerebellum anterior vermis morphology trait', 'somatosensory cortex physiology', 'cerebral aqueduct morphology trait', 'milk grainy flavor intensity', 'vas deferens morphology', 'right atrial size trait', 'eating behavior', 'corticosterone secretion', 'fertilization', 'uterine lumen', 'pancreas insulin level', 'molar crown', 'tail bud', 'coordination of voluntary muscular movement', 'blood ldl phospholipid level', 'dendrite morphology', 'inner cell mass morphology', 'otoconia morphology', 'blood protein level', 'milk fatty acid trans-12,trans-14-c18:2 percentage', 'bone cross-sectional moment of inertia', 'adipocyte diameter', 'neuron morphology trait', 'body movement coordination', 'leukopoiesis', 'scapular spine', 'milk iron amount', 'percentage of disease population developing relapsing-remitting experimental autoimmune encephalomyelitis during a period of time', 'urine noradrenaline', 'fertilization trait', 'radius curvature trait', 'vision system', 'milk fatty acid trans-11,trans-15-c18:2', 'stimulated renal sympathetic nerve activity', 'brain type i spike-wave discharge rate', 'habenula morphology', 't2 stage b cell morphology', 'experimental autoimmune encephalomyelitis incidence', 'optic vesicle formation', 'cricoid cartilage', "meissner's corpuscle nerve fiber organization trait", 'uterine fat pad morphology', 'embryo turning trait', 'calculated plasma ldl-c level', 'blood interleukin-1 alpha', 'subventricular zone', 'calculated urine noradrenalin level', 'milk fatty acid cis-14/trans-16-c18:1 concentration', 'plasma urea nitrogen', 'mucous gland morphology', 'common crus morphology', 'testes molecular composition trait', 'conformation of the hindlimbs', 'mouth mucosa morphology', 'auditory ossicle morphology', 'heart left ventricle mass', 'cerebral cortex projection neuron morphology', 'plasma angii level', 'efferent arteriolar hydraulic pressure', 'arterial disease severity measurement', 'vasoconstrictor half maximal effective concentration (ec50)', 'blood vessel permeability', 'normal sperm count', 'brain wet weight as percentage of body weight', 'immune system cell morphology trait', 'uterine wet weight as percentage of body', 'male reproductive system physiology', 'plasma non-albumin protein', 'milk fatty acid c20:5(n-3)', 'tongue scc tumor diameter', 'fatty acid', 'both epididymides wet weight', 'baroreceptor physiology', 'exercise endurance trait', 'heart left ventricle end-diastolic elastance', 'viral infection trait', 'percentage of study population displaying benign liver tumors at a point in time', 'primary auditory area morphology trait', 'liver fat amount', 'follicle mantle', 'blood murinoglobulin 1 amount', 'cranium size', 'palate morphology', 'vertebra number', 'pork odor intensity (lean)', 'inguinal lymph gland wet', 'immunoglobulin heavy chain v(d)j rearrangement', 'natural t cell number', 'milk palmitoleic acid percentage', 'food intake rate', 'aortic elastic fiber', 'single adrenal gland weight as percentage of body', 'globus pallidus morphology trait', 'liver lipid composition', 'leaf fat', 'placenta maternal decidual layer morphology trait', 'cerebellum vermis size trait', 'gastric tumorous lesion measurement', 'm line morphology trait', 'glomerular filtration rate to kidney weight ratio', 'alpha-linolenic acid percentage', 'cn-ix morphology', 'cardiac triglyceride', 'hirschsprung disease prevalence', 'type i pneumocyte morphology', 'germinal center b cell', 'carotid body morphology', 'interleukin-23p19 secretion', 'anti-erythrocyte antigen antibody concentration', 'spinal cord rt1-b mrna level', 'forelimb morphology trait', 'skin adnexa morphology', 'kidney trpv4 protein', 'alimentary system trait', 'canalis spiralis cochleae morphology trait', 'milk fatty acid trans-9,trans-12-c18:2 percentage', 'heart left ventricle morphology', 'right ventricular cell size', 'serum apolipoprotein', 'immune system cell', 'haemoglobin absorbance', 'skin (potassium plus sodium) level', 'osteoplast physiology trait', 'age at onset/diagnosis of t2d', 'synaptic depression trait', 'superior semicircular canal morphology', 'feather', 'serum glutamic-pyruvate transaminase activity level', 'osteoblast cell number', 'dopaminergic neuron', 'calculated heart lv dna', 'thalamus cell quantity', 'long lived plasma cell', 'cardiac elastic fiber morphology trait', 'b-1a b-cell morphology', 'splenic follicular dendritic cell network morphology', 'circulating sodium level', 'mast cell physiology trait', 'double positive t cell', 'cardiac myocyte number', 'membranous labyrinth', 'milk', 'interlobular fissure formation', 'renal artery morphology', 'direct plasma bilirubin', 'cn-xii morphology trait', 'eosinophilic leukocyte physiology trait', 'heart left ventricle interstitial bradykinin amount', 'single ovary weight', 'milk structural trait', 'splenic size', 'plasma anti-laminin antibody', 'calculated artery wall thickness measurement', 'circulating bsf-1 level', 'body righting reflex', 'experimental autoimmune encephalomyelitis latency', 'petrosal ganglion morphology trait', 'ovary physiology', 'pituitary gland integrity trait', 'blood cd25 cell count', 'blood lactate dehydrogenase', 'growth trait', 'plasma tyrosinase activity level', 'blood anti-self antibody', 'single suprarenal gland wet', 'anterior nares', 'neuronal golgi apparatus', 'total white blood cell', 'b cell dependent cortex morphology trait', 'both adrenal glands wet', 'pyometritis severity', 'sinus node morphology', 'summary potential trait', 'superior glossopharyngeal ganglion', 'plateletcrit', 'food intake weight', 'timed urine volume', 'lymphoid dendritic cell morphology trait', 'neuronal rough endoplasmic reticulum measurement', 'absolute change in antibody titer', 'random plasma renin level', 'callosal gyrus morphology trait', 'thymocyte activation', 'mammary gland size trait', 'adipose fatty acid cis-11-c20:1 content', 'blood testosterone level', 'sensory ganglion morphology', 'thymus corticomedullary zone morphology trait', 'angii log half maximal effective concentration', 'blood vessel resistance measurement', 'number of riel in abdominal aorta and iliac arteries', 'muscle cross-sectional area', 'intramuscular fat area to body weight ratio', 'colonic aganglionosis incidence/prevalence measurement', 'tectorial membrane', 'neurilemmoma onset/diagnosis', 'cardiac size trait', 'cerebral cortex pyramidal neuron number', 'regulatory t-cell morphology trait', 'age of onset of experimental autoimmune neuritis', 'mammary organ morphological measurement', 'tooth', 'endolymph production', 'serum total protein level', 'mouth', 'retinal layer', 'brain spike-wave discharge severity grade', 'lip morphology', 'blood vessel smooth muscle size trait', 'dermis stratum reticulare morphology', 'glomerular area occupied by activated mesangial cells', 'heart left ventricle anterior wall', 'type i vestibular cell morphology trait', 'mesencephalic tegmentum morphology trait', 'leukemia prevalence', 'femoral neck area', 'il-10 secretion', 'inguinal lymph gland', 'cardiac ganglion morphology', 'enamel', 'pectoralis major percentage', 'renal fat pad morphology', 'urinary system morphology', 'blood activated t cell count', 'immunoglobulin v-d-j recombination', 'urine glucose', 'total food intake', 'cn-v morphology trait', 'adipose fatty acid c17:0 percentage', 'inflammatory exudate neutrophil count', 'brain beta-sitosterol level', 'heart muscle compact layer morphology', 'egg', 'stomach glandular epithelium morphology', 'cochlear labyrinth', 'brain type i spike-wave activity amplitude', 'isthmic organizer morphology trait', 'retinal pigment epithelium', 'milk somatic cell score', 'pre-b cell morphology trait', 'venous morphology', "waldeyer's ring morphology", 'hypopharynx morphology', 'anti-histone antibody concentration', 'intramuscular adipose percentage', 'circulating interleukin-23a', 'anterior horn cell', 'colon molecular composition', 'macrophage physiology trait', 'plasma anti-self antibody', 'hair quantity', 'left atrium weight', 'total pancreas area', 'calculated stroke volume', 'hair guard neuron morphology', 'meat fatty cid cis-9-c18:1', 'helper t lymphocyte type 2 function', 'colostrum immunoglobulin g amount', 'thrombocyte development trait', 'serum levels of prl', 'milk urea concentration', 'lung rna composition', 'brain cell morphology', 'iris morphology', 'nacc', 'heart left ventricle end-diastolic area', 'mammary areola morphology trait', 'absolute change in plasma renin activity', 'intramuscular fat area', 'tympanic ring morphology trait', 'parasympathetic ganglia morphology trait', 'cochlear outer hair cell physiology trait', 'neurohypophysis', 'milk zinc content', 'blood cd45rclow cd4(+) t cell count to total lymphocyte count ratio', 'basophil quantity', 'reproductive system morphology', 'pituitary secretion trait', 'lung ace activity', 'connective tissue trait', 'calculated urine vanillylmandelic acid', 'circulating total protein', 'natural killer cell development trait', 'troponin t protein concentration', 'central t lymphocyte anergy', 'cd4-positive, gamma-delta intraepithelial t cell', 'calculated skeletal muscle morphological', 'ear crystal morphology trait', 'percent change in packed cell volume', 'plasma thyroid stimulating hormone', 'tunica vitrea morphology trait', 'milk unsaturated fatty acid amount', 'anterior cerebral artery inner diameter', 'nervous system disease measurement', 'type ii spiral ligament fibrocyte morphology', 'seam fat weight', 'ang2 half maximal effective concentration', 'heart infarction volume', 'axial skeleton cell number', 'free catecholamine fractionation measurement', 'whole pancreas protein/peptide composition', 'squama temporalis morphology trait', 'blood urotensin ii amount', 'plasma insulin', 'extraocular muscle morphology trait', 'neurotransmitter', 'circulating tumor necrosis factor alpha', 'adipocyte nefa release measurement', 'cn-vi morphology', 'basal non-esterified fatty acid secretion', 'inferior olivary complex', 'habenular nucleus morphology', 'blood antibody', 'white adipose tissue weight', 'milk rancid flavor intensity', 'cochlear ganglion morphology', 'cd4-positive, gamma-delta intraepithelial t lymphocyte morphology trait', 'milk triacylglycerol concentration', 'aer development trait', 'serum magnesium', 'spinal cord complement component 1, q subcomponent, b chain protein', 'cns measurement', 'the count of inflammatory cell-infiltrated pancreatic islets without b cell pathology', 'hematin pigmentation', 'large intestine', 'somatosensory cortex', 'urine total protein excretion rate to body weight ratio', 'cerebral aqueduct morphology', 'inguinal lymph node size', 'direction of embryo turning', 'insulin-dependent diabetes prevalence', 'muscle fatty acid cis-9-c18:1 concentration', 'connective tissue morphology trait', 'milk chloride amount', 'tongue tumor', 'circulating norepinephrine level', 'lymph gland dry weight to body weight ratio', 'macrophage chemotaxis', 'leukocyte migration', 'blood immunoglobulin g3 amount', 'organ non-tumorous lesion incidence/prevalence measurement', 'circulating cortisol', 'brain morphology trait', 'right perirenal fat pad', 'blood pressure trait', 'membrane voltage', 'autopod morphology', 'ean severity measurement', 'mature ovarian follicle quantity', 'snout length', 'megakaryocyte development trait', 'blood vessel endothelial cell quantity', 'laryngeal mucosa goblet cell morphology trait', 'absolute change in electrocardiographic low frequency r-r interval to high frequency r-r interval ratio', 'heart left ventricle natriuretic peptide a', 'seminal vesicle weight', 'serum growth hormone', 'plasma anti-ssdna antibody titer', 'femur metaphysial medio-lateral diameter', 'serum levels of mammotropic hormone', 'skin na+ level to skin dry weight ratio', 'udder', 'alcohol intake weight to body weight ratio', 'lamina elastica posterior', 'b-cell stimulatory factor-2 secretion', 'blood adiponectin level', 'kidney angiotensin i converting enzyme activity level', 'skeletal muscle myosin heavy chain type iib', 'calculated urine urotensin ii', 'circulating sulfate', 'immune cell number', 'peptidergic neuron', 'spinal cord anterior column morphological measurement', 'dorsal striatum morphology trait', 'milk fatty acid cis-8-c20:1 concentration', 'blood growth hormone amount', 'milk butyrophilin', 'number of ruptures of internal elastic lamina in arteries', 'blood carnitine amount', 'seminal vesicles morphology trait', 'calculated hepatic glutathione level', 'meat unsaturated fatty acid content', 'cn-x morphology trait', 'lung wet weight', 'eau score', 'percent change in middle cerebral artery inner diameter', 'esophageal smooth muscle', 'absolute change in food intake', 'atrial auricle configuration', 'skeletal muscle morphology trait', 'tendon morphology', 'chondrocyte quantity', 'well differentiated colorectal adenocarcinoma incidence', 'sperm', 'calculated serum anti-porcine type ii collagen antibody titer', 'pituitary gland cell count', 'ratio of plasma albumin to (total protein minus albumin)', 'dermis stratum reticulare', 'pulmonary venous', 'plasma cell differentiation', 'blood vessel permeability trait', 'eye physiology trait', 'tissue molecular composition', 'biceps brachii muscle', 'spinal cord rat mhc class ii rt1-b mrna level', 'total experimental time spent in spike-and-wave discharges', 'sublingual gland', 'absolute change in body', 'cranial vault', 'plasma vldl-c', 'circulating vldl cholesterol amount', 'spleen periarteriolar lymphoid sheath cell', 'sleep behavior', 'blood enzyme inhibitor amount', 't-helper 2 cell', 'colorectal cancer prevalence', 'milk tridecanoic acid content', 'femur', 'visceral pouch morphology trait', 'bpa-fructose drink intake rate', 'blood idl cholesterol', 'splenic fibrosis incidence/prevalence', 'urine catecholamine excretion rate', 'percentage of study population displaying trigeminal nerve malignant peripheral nerve sheath tumors at a point in time', 'one seminal gland wet weight', 'splenic b cell follicle morphology', 'axillary lymph node morphology', 'helper t cell type 1 cell', 'hepatic system morphology', 'blood noradrenaline', 'polynuclear neutrophilic leukocyte', 'percentage of study population displaying prostate tumorous lesions at a point in time', 'urine cortisol', 'mammary organ morphological', 'cubic root of body', 'strial marginal cell morphology trait', 'sphenoid sinus', 'skeletal muscle conductivity', 'locate a target platform in an experimental apparatus', 'vertebrate', 'liver hyperemia incidence', 'muzzle morphology', 'corpus callosum', 'germinal streak morphology trait', 'arm morphological', 'absolute change in adipocyte free fatty acid secretion', 'number of ruptures of arterial internal elastic lamina', 'b cell progenitor morphology trait', 'hippocampus pyramidal cell layer morphology', 'cerebellar pyramid morphology', 'pubic bone morphology trait', 'stretch-attend posture', 'rt6.1+ cell', 'serum hdl level', 'dendritic cell antigen presentation', 'meat color l', 'ductus thoracicus morphology', 'uterine nk cell morphology trait', 'ratio of hepatic oxidized glutathione level to liver weight', 'total sperm', 'brain physiological measurement', 'loop of henle morphology trait', 'humeral axillary lymph node morphology trait', 'b-1 b lymphocyte morphology trait', 'arterial internal elastic lamina rupture composite score', 'blood idl cholesterol amount', 'maximum rate of negative change in left ventricular blood pressure', 'afferent arteriolar plasma protein concentration', 'natural killer t-cell morphology trait', 'internal granule layer', 'belly size trait', 'peptidergic neuron morphology trait', 'circulating t-cell growth factor p40 level', 'meat myristoleic acid', 'medullary pyramid size', 'lorr', 'calculated balance', 'calculated liver fibrosis area measurement', 'plasmacyte', 'ear development trait', 'dn4 alpha-beta immature t-lymphocyte number', 'egg yolk color', 'retinal progenitor cell development', 'lens fiber morphology', 'sternebra', 'vagus nerve morphology trait', 'absolute change in plasma noradrenaline level', 'cerebellar vermis lobule', 'spleen structure', 'caput epididymis morphology', 'lens', 'milk fatty acid c20:4(n-6)', "rathke's pouch morphology trait", 'blood t cell count', 'cge morphology', 'dermis mast cell morphology', 'pubic bone morphology', 'body lean mass', 'squamous cell carcinoma of the head and neck tumor number', 'ihc synaptic ribbon', 'b lymphocyte count to total wbc count ratio', 'hepatocyte cell', 'cervical spinal cord norepinephrine', 'blood interferon-gamma', 'locus niger morphology', 'sensory nerve fiber organization', 'egg yolk weight, fowl', 'blood alpha-2-inhibitor 3', 'cn-iv morphology', 'blood anti-chromatin antibody', 'joint mobility measurement', 'egg physiology', 'kidney glomerulosclerotic lesion diameter', 'dressed carcass ash', 'mast cell physiology', 'smell intensity (meat)', 'nerve fiber morphology', 'hair cell', 'cholesterol absorption', 'learning/memory/conditioning trait', 'female germ cell number', 'segmented neutrophil granulocyte', 'blood estrogen amount', 'blood hdl-c amount', 'ureter morphological', 'meat fatty acid content', 'vomer bone', 'belly composition trait', 'exocrine pancreas', 'tongue tumor count', 'circulating mast cell growth factor-2', 'liver molecular composition measurement', 'meat skatole', 'feather pecking', 'sperm motility', 'stomach morphology', 'c1 physiology', 'optic nerve innervation pattern', 'type iia muscle fiber quantity', 'il10 secretion', 'starting total body weight', 'blood corticotropin-releasing hormone amount', 'gastric measurement', 'blood immunoglobulin a level', 'rosenthal canal size trait', 'skin elasticity trait', 'serum orm1 level', 'splenic central arteriole morphology', 'absolute change in adipocyte nefa release', 'iris stroma', 'b cell domain of the spleen', 'basement membrane', 'sarcolemma morphology trait', 'serum anti-laminin antibody titer', 'deltoid impression', 'secretion by placenta trait', 'craniofacial development trait', 'body height at hip', 'relative change in food intake weight', 'colonic aganglionosis incidence', 'choroid plexus morphology', 'pancreatic islet protein/peptide composition', 'brain cholesterol', 'calculated serum insulin', 'common myeloid precursor cell', 'neuroepithelial layer differentiation trait', 'cd4+ t cell function', 'anterior semicircular canal size trait', 'head temperature', 'endometrioid carcinoma incidence measurement', 'ornithine decarboxylase activity', 'vertebra substantia spongiosa cross-sectional', 'heart right ventricle ribonucleic acid content', 'left ovary wet weight', 'lamina visceralis pericardii', 'cardiac ventricle morphology', 'statolith', 'blood vessel smooth muscle morphology', 'embryonic neuroepithelium morphology trait', 'heart muscle relaxation', 'heart left ventricle end-diastolic posterior wall thickness', 'marrow cavity development', 'consumption measurement', 'absolute change in urine adrenaline excretion rate', 'serum dehydroepiandrosterone level', 'vestibular hair bundle inter-stereocilial link', 'lymph node trabeculae morphology trait', 'epididymal fat pad mass', 'lymphocyte structure', 'pancreatic islet lesion measurement', 'islet of langerhans beta cell area', 'tibia midshaft diameter', 'dorsal root ganglion', 'aortic wall elastin level', 'pituitary secretion', 'plasma got activity level', 'central nervous system glial cell', 'vestibular hair bundle shaft connector morphology', 'head physiology', 'fob cell morphology', 'mature b cell', 'thigh composition trait (poultry)', 'milk polyphenol', 'superior glossopharyngeal ganglion of the glossopharyngeal (ix) nerve', 'trabecular meshwork morphology trait', 'interdigitating reticular cell antigen presentation', 'blood pressure', 'inflammatory exudate tnfa concentration', 'dorsal basal ganglia', 'pericardium morphology', 'tactile corpuscle morphology', 'blood alanine transaminase', 'ovulation rate', 'squamous cell carcinoma of the mouth tumor number', 'serum dihydrotestosterone', 'testes', 'scarpa ganglion', 'milk steroid', 'circulating interleukin-4', 'stationary movement trait', 'tongue epithelium', 'heart physiology trait', 'milk urea content', 'milk kappa-casein concentration', 'parietomastoid suture morphology trait', 'shoulder muscle', 'milk fatty acid cis-9-c16:1 concentration', 'cns glia', 'plasma insulin-like growth factor 2', 'l4 drg morphology', 'urine hormone amount', 'basis cranii morphology', 'milk fatty acid cis-14/trans-16-c18', 'vitreal fibrous tissue morphology', 'blood natural killer cell count to total lymphocyte count ratio', 'interleukin-8 physiology trait', 'right adrenal gland wet', 'blood differential white blood cell count as percentage of lymphocytes', 'liver copper measurement', 'telencephalic vesicle size trait', 'milk cd36 molecule amount', 'calculated motoneuron count', 'carcass', 'circulating interleukin ii', 'left ovary wet', 'urine taurine excretion rate', 'mineral amount', 'adrenal gland ribonucleic acid composition', 'natural killer t lymphocyte physiology', 'ureteric bud', 'cerebellum vermis lobule viii morphology', 'absolute change in urine 3-methoxy-4-hydroxymandelic acid', 'cardiac output measurement', 'testis wet', 'band neutrophil percentage', 'fornicate gyrus morphology', 'il21 secretion', 'epiphyseal plate proliferative zone', 'plasma anti-type 2 collagen antibody level', 'suppressor t cell count', 'blood noradrenaline level', 'milk fatty acid trans-4-c18:1 percentage', 'log recovered h. influenzae cfu', 'plasma troponin t level', 'blood interleukin-16 amount', 'epiphysis cerebri', 'inner hair cell stereocilia quantity', 'the volume of ethanol consumed', 'blood neutrophil', 'vestibular ganglion morphology', 'pelvis', 'serum immunoglobulin g2a', 'fructosamine amount', 'milk beta-lactoglobulin', 'organ of corti supporting cell morphology trait', 'skin potassium level to skin dry weight ratio', 'midbrain morphology trait', 'pituicyte measurement', 'alcohol disappearance rate', 'spleen gc size', 'total area of duodenal region of pancreas', 'meat fatty acid c20:2', 'plasma idl-c', 'arm morphological measurement', 'spleen follicle center morphology', 'vertebral body morphology', 'microglial cell', 'b-cell proliferating factor secretion', 'morphology', 'neuromere morphology trait', 'intraepithelial t-cell morphology trait', 'plasma immunoglobulin d', 'morphology trait of the base of skull', 'paravertebral ganglion morphology', 'serum retinol', 'front foot phalanges', 'serum adrenaline level', 'lung protein activity', 'z line configuration trait', 'blood catecholamine hormone level', 'glomerular filtration', 'absolute change in blood glucose level area under curve', 'milk epithelial cell quantity', 'urine vanillylmandelic acid amount', 'polymorphonuclear leukocyte physiology', 'vertebra substantia spongiosa cross-sectional area', 'renal fat depot morphology', 'neuronal vacuole', 'pupil', 'organism subdivision', 'auditory hair cell number', 'forestomach weight', 'colostrum leptin', 'lymph gland morphological', 'parasympathetic postganglionic fiber morphology', 'pulmonary blood flow trait', 'pgc - pt = delta p', 'neuronal rer measurement', 'peritoneum morphology trait', 'transitional stage t1 b cell morphology', 'milk polyunsaturated fatty acid', 'meat omega-6 polyunsaturated fatty acid', 'flavor score', 'thymus wet', 'peripheral lymph node', 'initial amount of time spent in a discrete space in an experimental apparatus before moving', 'sympathetic ganglion morphology trait', 'plasma adrenocorticotropic hormone level (acth)', 'minor salivary gland morphology', 'plasma immunoglobulin g1', 'serum acetaminophen level area under curve', 'morphology trait of the fenestra of the cochlea', 'cd4-positive t cell development trait', 'wool fiber trait', 'blood granulocyte count', 'blood ketone body', 'blood pressure measurement', 'posterior uvea morphology', 'serum level of immunoglobulin g2a', 'aorta root', 'hippocampus pyramidal neuron', 'strial intermediate cell', 'effector t-cell', 'egg color', 'heart angiotensin i converting enzyme activity level', 'jugal bone morphology trait', 'nkt cell morphology', 'coat/hair color measurement', 'liver o-6-methylguanine-dna methyltransferase mrna', 'testis dry', 'milk fatty acid trans-11,cis-13-c18:2 percentage', 'milk mucin 1 content', 'milk lauric acid', 'tail diameter', 'circulating cachectin level', 'heart septal', 'ptprc+ thymocyte', 'lower jaw morphology trait', 'osteoclast', 'nasal mucosa morphology', 'mast cell histamine storage trait', 'heart left atrium size', 'efferent lymphatic vessel morphology trait', 'normal saline intake rate', 'blood inhibin amount', 'spinal cord ventral horn cd3(+) cell count', 'tonsil morphology trait', 'egg specific gravity', 'blood interleukin-1 beta', 'milk omega-3 fatty acid', 'bronchiole morphology', 'lambdoidal suture morphology', 'milk vitamin b 12', 'plasma anti-toxoplasma antibody', 'calculated urine vma', 'nk t lymphocyte physiology', 'placement of pupils', 'renal plasma flow', 'locus niger', 'kidney angiotensin i converting enzyme 2 activity level', 'retail product yield', 'calculated renal cortex protein composition measurement', 'meat cholesterol content', 'zona pellucida morphology trait', 'cancellous bone cross-sectional area', 'transitional stage b cell morphology', 'transitional three stage b-lymphocyte', 'arterial blood flow trait', 'calculated serum insulin level', 'calculated milk casein content', 'feather pecking trait', 'cn-x', 'well differentiated malignant colorectal neoplasm number', 'inguinal lymph node', 'uterus wet weight', 'hippocampus fornix morphology', 'both adrenal glands weight to body weight ratio', 'blood fructosamine', 'splenic white pulp morphology', 'milk fatty acid trans-12,cis-14-c18:2 concentration', 'mammary gland secreted fluid', 'hypothalamus morphology trait', 'thigh trait (poultry)', 'serum immunoglobulin a level', 'sublingual gland morphology trait', 'lumbar vertebra mass', 'bone marrow cell morphology', 'blood anti-dna antibody level', 'scrotum cell number', 'heart apex orientation trait', 'portal blood pressure', 'serum triiodothyronine', 'outer ear cartilage morphology trait', 'brain type ii spike-and-wave discharge amplitude', 'log recovered nontypeable h. influenzae cfu', 'mandible morphology', 'cn-iii morphology trait', 'cardiovascular measurement', 'body temperature regulation', 'heart left ventricle molecular composition', 'estrus intensity', 'scala media morphology', 'vitreous membrane morphology trait', 'spleen follicle centre', 'kidney crescentic glomeruli count', 'serum testosterone level', 'dressed carcass protein', 'right lung', 'blood low density lipoprotein triglyceride', 'baeps', 'non-lesioned side motoneuron', 'heart igf1r mrna level', 't2d prevalence', 'vertebra quantity', 'calculated daily spermatozoa count', 'brown fat weight', 'cochlear hair cell number', 'circulating alpha-interferon', 'statoconial membrane morphology', 'pancreatic beta cell', 'follicular b cell', 'lymphangiogenesis', 'lumen diameter at maximum constriction expressed', 'milk phosphorus concentration', 'cranial ganglion v', 'cranial flexure morphology', 'caudate putamen complex', 'perirenal fat pad morphological', 'dn1 thymic pro-t-cell', 'adrenal central medulla', 'neurite morphology trait', 'body region fat morphological measurement', 'body density', 'cerebral physiology trait', 'eosinophilic leukocyte morphology', 'meat tridecylic acid', 'heart intraventricular septum end-systolic thickness', 'liver morphology', 'brain protein/peptide composition measurement', 'tcr+ thymocyte count', 'serum thyroxine', 'colorectal tumor incidence', 'serum angiotensin ii level', 'brain phytosterol amount', 'liver tumorous lesion volume', 'body wall', 'outer ear shape trait', 'longissimus muscle', 'aorta morphology trait', 'spongy bone cross-sectional area', 'abomasum morphology', 'third ventricle morphology trait', 'oligodendrocyte progenitor quantity', 'serum ldl phospholipid level', 'skeletal muscle cell size trait', 'mesencephalic tegmentum morphology', 'neuron vacuole', 'blood immunoglobulin e level', 'inner ear development trait', 'tongue integrity', 'embryo size', 'mpnst incidence/prevalence', 'neuron golgi apparatus', 'chorionic gonadotropin secretion trait', 'diencephalon cell quantity', 'gamma-delta t-lymphocyte morphology trait', 'epididymides', 'rostrum', 'ratio of change in body weight to starting total body weight', 'ectoplacental cone', 'circulating interleukin-5', 'juxtaglomerular apparatus', 'eyelash morphology', 'hippocampus layer morphology trait', 'mammary gland height', 'femoral fat pad', 'heart left ventricle interstitial collagen', 'limb morphology', 'hindbrain development', 'lung weight as percentage of body weight', 'associative learning trait', 'percentage of study population displaying prostate tumors at a point in time', 'inflammatory exudate icosanoid', 'kidney blood vessel morphology trait', 'right ventricular volume', 'calculated cardiac output', 'striate body', 'glomerular capillaries', 'serum vasopressin level', 'effector t cell morphology', 'olfactory bulb', 'urine amylase', 'secretion by testes', 'cerebellar glomerulus morphology', 'thoracic duct', 'mantle zone morphology', 'plasma phospholipid', 'calculated milk protein content measurement', 'lymph node trabeculae', 'meat color lightness', 'lv +dp/dt max', 'insulin secretion trait', 'tibial work to failure', 'dendritic cell maturation', 'plasma tsh', 'adipocyte basal nefa secretion', 'tnf level', 'uterus integrity trait', 'liver ornithine decarboxylase activity', 'milk fatty acid c8', 'duodenum villi', 'metacarpal bone', 'glossopharyngeal nerve morphology', 'calculated liver tumorous lesion volume', 'calculated heart left ventricle end-diastolic posterior wall', 'cardiac elastic fiber', 'uterus dry weight', 'meat odor intensity', 'spleen marginal sinus morphology trait', 'experimental allergic neuritis onset/diagnosis measurement', 'fibula curvature trait', 'primary motor area morphology', 'cerebral cortex pyramidal cell quantity', 'abdominal fat pad weight', 'lens clarity', 'tarsals morphology trait', 'lymph organ physiology trait', 'milk ammonia concentration', 'lymph node b cell domain', 'interventricular septum membranous part morphology trait', 'blood hemoglobin a1c level level', 'lambdoid suture', 'yields', 'vibrissa length', 'anorectal integrity', 'circulating beta-interferon', 'milk omega-3 fatty acid amount', 'blood t lymphocyte count to total leukocyte count ratio', 'cerebellum anterior vermis size trait', 'neutrophil phagocytosis trait', 'hypothalamus dihydroxyphenylacetic acid (dopac)', 'tibia area measurement', 'number of tunel-positivecells as percentage of total number of cells', 'serum immunoglobulin g subclass', 'gamma-delta t cell morphology', 'superior temporal gyrus', 'bone marrow cell', 'time to locate a target platform in an experimental apparatus', 'absolute per cell change in adipocyte free fatty acid secretion', 'polymorphonuclear leucocyte morphology', 'serum potassium', 'cd4+ t-cell morphology', 'heart atrium', 'pharyngeal arch development trait', 'nephron loop', 'mesencephalic trigeminal nucleus', 'stratum corneum morphology trait', 'forelimb long bone', 'plasma alanine aminotransferase activity level', 'blood parathyroid hormone level', 'corpus papillary morphology trait', 'blood gamma-glutamyltransferase amount', 'blood molecular composition measurement', 'methylene blue metabolism-surface area product without auto-oxidation', 'kidney glutathione peroxidase activity', 'anti-double stranded dna antibody level', 'petrosal ganglion', 'spleen morphology trait', 'single testis wet', 'cd4+ cell count', 'dendrite', 'calculated pancreas total protein level', 'number of capillaries per skeletal muscle fiber', 'luteinizing hormone secretion trait', 'heart excitatory physiology trait', 'blood lipoprotein phospholipid', 'mesonephric duct', 'smooth muscle', 'b-1a cell', 'isocortex morphology', 'serum immunoglobulin g1', 'immune system measurement', 'intramuscular adipose area as percentage of skeletal muscle', 'cd4-positive t cell morphology trait', 'bite alignment trait', 'interleukin amount', 'circulating lipid', 'milk monounsaturated fatty acid percentage', 'eae severity score', 'ventricular septum morphology trait', 'leg size trait', 'carcass skeletal weight', 'tongue muscle morphology trait', 'circulating il-12b', 'blood vessel endothelial cell morphology trait', 'basophil cell number', 'meat eicosanoic acid content', 't helper 1 cell number', 'labia minora morphology trait', 'elastic laminae morphology trait', 'femur cortical cross-sectional', 'blood hormone level', 'synovial blood flow', 'right lung weight', 'lymph gland dry', 'crg score', 'longissimus muscle weight', 'cochlear labyrinth morphology trait', 'beta cell', 'percentage of study population developing liver tumors during a period of time', 's wave amplitude', 'primary neuromuscular spindle size', 'periuterine fat pad morphology trait', 'adipocyte area', 'hematuria prevalence in hydronephrosis', 'squamous cell carcinoma of the oral cavity tumor number', 'calculated renal glomerulosclerotic lesion', 'plasma beta-sitosterol', 'calculated urine norepinephrine level', 'calculated weight of islet beta cells in duodenal region of pancreas', 'pancreas weight as a percentage of body weight', 'milk metallic flavor intensity', 'purkinje cell nerve fiber organization', 'milk fatty acid c10:0 concentration', 'platelet physiology', 'serum anti-ssdna antibody titer', 'alveolar process morphology', 'mzb cell morphology trait', 'serum pyruvate level', 'milk trans-4-octadecenoic acid content', 'poorly differentiated malignant colorectal tumor surface area', 'liver total copper weight', 'malignant hepatocellular carcinoma incidence', 'muscle nerve fiber', 'blood vessel endothelial cell number', 'anterior horn morphology trait', 'both suprarenal glands weight to body weight ratio', 'meat palmitoleic acid', 'angiotensin 2 half maximal effective', 'lymphocyte morphology trait', 'hair cycle', 'urinary bladder physiology trait', 'isoproterenol-stimulated adipocyte maximal free fatty acid secretion', 'inferior glossopharyngeal ganglion of the glossopharyngeal (ix) nerve morphology trait', 'circulating b-cell proliferating factor level', 'meat firmness', 'white adipose tissue morphology', 'edl morphology', 'secretion of acth', 'palatine process', 'passive avoidance behavior trait', 'sterol homeostasis trait', 'tibia bone mineral', 'absolute change in adipocyte non-esterified fatty acid release per unit volume', 'trochlear nerve morphology', 'middle ear epithelium thickness', 'pulmonary alveolus morphology trait', 'fontana canal morphology', 'anterior stroma morphology', 'otolith', 'hind feet morphological', 'thymus medulla morphology', 'triglyceride', 'conditioning behavior trait', 'aortic blood flow trait', 'egg quantity', 'sexual interaction trait', 'interleukin-23 secretion trait', 'blood epinephrine', 'serum prl level', 'ventricular septal thickness', 'blood coagulation', 'serum cystatin 3', 'sour taste sensitivity', 'eae post-insult time to onset', 'neurite morphology', 'ovarian follicle', 'r wave amplitude', 'heart ventricle morphology', 'heart weight as percentage of body weight', 'blood ketone body amount', 'milk cis-vaccenic acid', 'hook', 'ph regulation trait', 'pyometritis severity measurement', 'lacrimal gland physiology trait', 'serum haptoglobin', 'lung interstitium morphology', 'blood cd45rchigh cd4 t cell count', 'endochondral ossification initiation', 'cortical bone morphology', 'interleukin-6 physiology', 'mpi', 'oculomotor nerve morphology trait', 'ovary size trait', 'calculated pancreatic islet beta cell', 'hepatic lesion', 'rostral migratory stream', 'milk adipophilin', 'dn4 immature t cell', 'cardiomyocyte count', 'heart left ventricle weight as a percentage of body weight', 'hemolymphoid system', 'milk eicosanoic acid content', 'spiral ligament morphology trait', 'interleukin-5 secretion', 'milk fatty acid c17', 'aorta wall protein/peptide composition', 'pulmonary valve', 'anterior-posterior polarity of the somites', 'cardiac elastic fiber morphology', 'tnfa', 'colostrum somatic cell count', 'blood follicle stimulating hormone level', 'egg yolk height', 'middle ear epithelium', 'calculated neuron rough endoplasmic reticulum area', 'motor neuron', 'calculated urine creatinine', 'myelencephalon', 'serum igg-rftiter', 'maternal age at first egg production', 'egg organoleptic trait', 'dopaminergic level', 'pre-b cell', 'plasma cystatin 3', 'cervical spinal cord serotonin amount', 'baroreflex function', 'plasma reduced glutathione', 'mammary blood flow trait', 'circulating il4 level', 'adipose', 'calculated plasma adrenaline', 'grade 3 insulitis', 'cervical vertebral column', 'fenestra rotunda morphology', 'oligodendrocyte morphology trait', 'percentage of study population displaying hepatic tumors at a point in time', 'natural killer t-lymphocyte morphology trait', 'isocortex morphology trait', 'meat polyunsaturated fatty acid content', 'hepatobiliary system development', 'kidney calyx morphology trait', 'milk fatty acid c6', 'vo2max', 'agp amount', 'il17 secretion', 'pituitary gland hyperplastic lesion measurement', 'common lymphoid progenitor cell morphology trait', 'dopaminergic neuron number', 'carcass morphological measurement', 'nasal epithelium', 'adrenergic chromaffin cell morphology trait', 'vertebra morphology', 'hair medulla', 'inguinal fat pad weight to body weight ratio', 'womb', 'myocardial cell', 'meat fatty acid c12', 'brain ventricle morphological measurement', 'serum adiponectin', 'nerve fiber response trait', 'superior temporal gyrus morphology trait', 'lens orientation trait', 'uterine natural killer cell quantity', 'heart development trait', 'logarithm of the concentration of sodium nitroprusside at which the reduction in force during dilation of a blood vessel is half the maximum value (log ec50)', 'serum growth hormone level', 'clavicle size', 'blood vessel endothelial cell', 'thymic corticomedullary boundary morphology', 'blood bradykinin amount', 'long bone diaphysis', 'cranial ganglion morphology trait', 'cochlear duct', "meissner's corpuscle nerve fiber quantity", 'thermal receptor', 'histamine storage', "peyer's patch epithelium", 'brain cholesterol level', 'multinucleated phagocyte', 'spleen b cell follicle morphology trait', 'umami taste sensitivity trait', 'thymus ribonucleic acid amount', 'calculated liver remodeling tumorous lesion number', 'serum testosterone', 'plasma adiponectin', 'meat cis-vaccenic acid', 'conn.d', 'blood sex steroid level', 'spleen interferon gamma-secreting mononuclear cell', 'onset of herpes simplex encephalitis', 'gall bladder morphology', 'inflammatory exudate eicosanoid', 'heart left ventricle cell size trait', 'percentage of study population developing colorectal tumors during a period of time', 'memory b cell development', 'morphology trait of the basal lamina of the choroid', 'social interaction', 'milk fatty acid c7:0 percentage', 'pre-b lymphocyte cell', 'blood t4', 'urethra measurement', 'cardiac muscle trabeculae morphology', 'corneal clarity trait', 'milk cis-11-octadecenoic acid content', 'muscle cis-11-eicosenoic acid', 'phenylephrine log half maximal effective concentration (log ec50)', 'myocardial compact layer morphology', 'gustatory papillae', 'seminal gland size', 'pulmonary alveolus', 'interlabial sulcus morphology', 'serum autoantibody titer', 'horizontal semicircular canal', 'thymus lobule morphology trait', 'left-right axis somite development', 'brachial lymph node size trait', 'pulmonary arterial blood pressure measurement', 'brown fat morphology trait', 'platelet adhesion trait', 'thermal nociception', 'thymus development', 'inner hair cell sterocilia', 'trabecular meshwork', 'trabecular meshwork morphology', 'trabecular volumetric bmd', 'sodium nitroprusside response/sensitivity measurement', 'cochlear hair cell stereociliary bundle morphology trait', 'henle membrane morphology', 'calculated neuron golgi apparatus area', 'total kidney glomerular volume', 'duodenum mass', 'brain total spike-wave discharge duration', 'iris size trait', 'total ventral coat/hair', 'plasma vasopressin', 'absolute change in urine vanillylmandelic acid level', 'forebrain epinephrine amount', 'liver tumorous lesion volume to total liver volume ratio', 'neutrophil physiology trait', 'brain beta-sitosterol', 'trabecular meshwork size trait', 'egg shape', 'incisor morphology trait', 'plasma triacylglycerol level', 'embryonic growth trait', 'onset of skeletal myogenesis', 'circulating il17 level', 'morphology trait of the fenestra of the vestibule', 'vermal pyramis morphology trait', 'parietal suture morphology', 'brain norepinephrine', 'ankle bone', 'withdrawal response to addictive substance trait', 'touch perception', 'epp activity', 'palatine gland morphology trait', 'esophageal peristalsis', 'equilibrioception system physiology trait', 'epididymal fat depot', 'novel food', 'epiphysis width', 'calculated voluntary body movement', 'experimental autoimmune uveitis score', 'organ morphological measurement', 'vascular smooth muscle contractility', 'log of the total number of recovered tigr4 bacterial cfus', 'milk fatty acid trans-13/14-c18:1 percentage', 'tactile sense', 'bone measurement', 'blood antidiuretic hormone level', 'kidney tubule size trait', 'sympathetic nerve fiber organization', 'helper t lymphocyte type 1 cell differentiation', 'skeletal muscle physiology', 'transitional two stage b-lymphocyte morphology trait', 'supraoccipital bone morphology trait', 'seminal gland physiology', 'carpal bone morphology', 'heart right ventricle insulin-like growth factor 1 receptor mrna level', 'left lung wet', 'inflammatory exudate tumor necrosis factor level', 'blood interleukin-12 amount', 'purkinje cell quanitity', 'milk total protein content', 'both seminal glands wet', 'carcass length, first rib to pelvis', 'svz', 'front feet morphological', 'time constant of left ventricular pressure decay', 'milk fatty acid trans-9,trans-14-c18', 'suppressor t lymphocyte morphology trait', 'kidney platinum', 'circulating interleukin-12', 'iron homeostasis trait', 'fetus morphological', 'absolute change in heart rate variability', 'vertebra morphological measurement', 'cephalic flexure morphology', 'interneuron number', 'serum ck activity', 'ham muscle mass', 'milk arachidonic acid percentage', 'prostate tumorous lesion area', 'parasitic infection trait', 'placenta weight', 'masticatory muscle size trait', 'blood pituitary hormone amount', 'kidney tubulointerstitial score', 'mannose-binding protein physiology trait', 'skin molecular composition trait', 'corpus callosum morphology trait', 'vertebral body', 'rib trait', 'spinal cord b2m protein level', 'blood hdl phospholipid amount', 'blood activated t cell', 'maxillary shelf morphology', 'gastrulation', 'mesencephalic flexure morphology', 'external lymph node morphology', 'sensory neuron quantity', 'milk vaccenic acid content', 't cell receptor v(d)j recombination trait', 'blood anti-erythrocyte antigen antibody amount', "a' wave velocity", 'milk fatty acid trans-11,cis-13-c18:2 concentration', '(whr)', 'germ cell', 'systolic diurnal amplitude', 'leukocyte cell', 'femoral neck biomechanical measurement', 'blood lactate amount', "peyer's patch germinal center morphology", 'exocrine pancreas measurement', 'mononuclear leukocyte count', 'bmc/bw', 'pro-b cell morphology', 'squamous cell carcinoma of the head and neck measurement', 'memory b cell morphology trait', 'ventricle stroke work', 'lymph node germinal center morphology', 'joint capsule', 'circulating prolactin level', 'cristae morphology trait', 'renal cortex', 'kidney pelvis morphology', 'tissue composition', 'blood leptin level', 'secondary lens fiber morphology trait', 'heart left ventricle insulin-like growth factor 1 receptor mrna', 'anterior semicircular canal morphology trait', 'calculated whole body visceral fat', 'physiological saline intake rate', 'harderian gland physiology trait', 'tooth morphology', 'tectum morphology trait', 'poorly differentiated malignant colorectal tumor', 'secondary neuromuscular spindle morphology', 'disease progression', 'tameness/aggressiveness composite score', 'corpus luysi morphology', 'bronchial-associated lymphoid tissue morphology', 'left ventricular developed pressure', 'number stillborn', 'saline drink intake rate', 'radius length', 'palatine shelf', 'milk fatty acid c12', 'response to morphine', 'male meiosis trait', 'circulating il9', 'serum levels of follitropin', 'urine protein level to urine creatinine level ratio', 'serum total immunoglobulin e level', 'milk fatty acid c16', 'horizontal plate morphology', 'respiratory alveologenesis', 'alimentary/gastrointestinal disease incidence/prevalence measurement', 'haemolymphoid system development', 'plasma sod activity level', 'regulatory t lymphocyte morphology', 'blood ghrelin', 'gastric mucosa thickness', 'antrum follicle', 'post-insult time to onset of defensive burying response', 'total ventral coat/hair area', 'sympathetic neuron morphology trait', 'epithalamus', 'insulin secretion', 'heart left ventricle end-diastolic posterior wall', 'neutrophilic leucocyte physiology trait', 'long-term potentiation trait', 'plasma cystatin 3 level', 'milk fatty acid cis-12,trans-14-c18:2', 'ean incidence', 'small intestine orientation trait', 'corneal stroma development', 'plasma immunoglobulin g2b', 'tibia morphological', 'loin yield', 'nail morphology', 'heart left ventricle systolic volume-axis intercept (v0)', 'liver development', 'serum levels of gh', 'myeloid differentiation-inducing protein secretion', 'squamous cell carcinoma of the mouth', 'wool staple length', 'amacrine neuron morphology', 'mandibular cartilage development', 'peripheral t lymphocyte anergy', 'perigonadal fat pad', 'femur curvature', 'blood ethanol level at regain of the labyrinthine righting reflex', 'thigh muscle', 'm cells morphology', 'segmented neutrophil granulocyte count', 'shoulder girdle', 'colostrum prolactin', 'parasympathetic postganglionic fiber morphology trait', 'immunoglobulin heavy chain v-d-j recombination', 'colorectal adenoma surface area', 'atrioventricular canal configuration', 'blood lipoprotein triglyceride', 'ovary wet weight', 'milk fatty acid cis-9,trans-12-c18:2 percentage', 'synapse morphology', 'duration of loss of righting response', 'pulmonary gas exchange', 'biceps brachii muscle length', 'white adipocyte size trait', 'logarithm of the concentration of acetylcholine at which the reduction in force during dilation of a blood vessel is half the maximum value (log ec50)', 't cell receptor gamma chain v-j rearrangement', 'circulating mineralcorticoid level', 'head mass', 'interleukin-2 physiology trait', 'palatine process morphology trait', 'auditory ossicle', 'penis', 'squamosal bone morphology trait', 'heart right ventricle cell size', 'sclera morphology trait', 'sinoatrial node morphology trait', 'golgi tendon organ', 'aorta wall extracellular elastin dry', 'sensory neuron', 'log recovered s. pneumoniae cfu', 'pancreas peptide hormone composition', 'blood cd45rc+ cd4+ t cell count', 'heart ventricular morphology trait', 'common lymphocyte progenitor cell morphology', 'inflammatory exudate polymorphonuclear leukocyte', 'ratio of change in body weight to initial total body weight', 'cytotoxic t cell morphology', 'mammary alveoli size', 'serum blood glycerol', 'inferior colliculus size trait', 'prevertebral ganglion cell number', 'meat cooking loss', 'mesencephalic vesicle', 'serum glutathione level', 'ileum muscle', 'meat eicosanoic acid', 'somite formation initation', 'epidermis morphology trait', 'lymphocyte adhesion', 'nucleus accumbens', 'blood interferon-alpha level', 'chemoreceptor', 'tv', 'bone ash', 'food intake weight to body weight ratio', 'residual food intake', 'penile erection physiology trait', 'plasma immunoglobulin g2a', 'unilateral renal agenesis incidence/prevalence', 'heart contractility measurement', 'calculated pulmonary vascular resistance normalized to body weight', 'interlobular fissure development trait', 'blood anti-toxoplasma antibody level', 'aorta wall dry', 'optic nerve morphology', 'kidney glomerulus diameter', 'cervical opening shape trait', "reichert's membrane", 'occipital bone', 'cephalic flexure morphology trait', 'brain electrophysiology trait', 'response to methamphetamine', 'long length of egg trait', 'abdominal subcutaneous fat', 'shank circumference', 'brain spike-wave activity severity grade', 'midbrain cell number', 'hair down neuron morphology trait', 'falciform lobe morphology', 'milk butyrophilin concentration', 't3 b cell number', 'interventricular septal configuration', "merkel's receptor", 'colostrum prolactin content', 'drumstick muscle percentage', 'testes weight', 'cardiac muscle trabeculae morphology trait', 'ra', 'blood high density lipoprotein triglyceride level', 'retinal outer nuclear layer morphology', 'oviduct morphology', 'brain swd severity grade', 'intestinal smooth muscle contractility trait', 'abdominal morphological', 'total lymphocyte count', 'combined food plus drink calorie intake', 'pancreas protein/peptide composition', 'labyrinth layer morphology', 'pals morphology', 'interferon-beta secretion trait', 'ileum villi', 'heart left ventricle end-diastolic anterior wall thickness', 'anti-double stranded dna antibody', 'blood gpx activity', 'forelimb muscle morphology trait', 'acetylcholine-induced blood vessel dilation expressed as percent of phenylephrine-induced vasoconstriction', 'intestine integrity trait', 'ureter number', 'plasma very low density lipoprotein phospholipid level', 'area postrema morphology', 'liver fat volume to total liver volume ratio', 'serum immunoglobulin g2a level', 'heart non-esterified fatty acid', 'pcna-positive cells', 'selenium', 'cataract incidence/prevalence', 'both testes volume', 'salivation trait', 'cochlear hair bundle ankle links morphology trait', 'eyelash retention trait', 'intramuscular fat amount', 'phagocytosis trait', 'milk omega-3 fatty acid content', 'tunnel of corti morphology', 'lymphoid system morphology', 'spleen follicle centre size trait', 'malar process morphology', 'cytotoxic t-cell physiology trait', 'spleen mononuclear cell', 'parathyroid gland morphology', 'brain type i swd rate', 'body length', 'liver copper weight to liver wet weight ratio', 'vertebral body/neural arch fusion trait', 'zygoma', 'calculated intestinal aganglionosis severity measurement', 'heart muscle contraction', 'pons morphology', 'blood enzyme activity', 'total subjects with arthritis', 'blood differential leukocyte count', 'inflammatory mediator physiology', 'mesoderm development', 'oesophagus morphology trait', 'tongue squamous epithelium morphology trait', 'skin pigmentation', 'reduced pro-b cell number', 'meat fatty acid', 'splenic cell', 'total weight of neonates per litter', 'hypoxia-induced blood vessel dilation expressed as percent of force at maximum constriction', 'clitoris', 'tracheal-esophageal septation', 'c3 physiology', 'auricle of atrium configuration trait', 'chemical response/sensitivity', 'middle ear morphology trait', 'thoracic vertebra number', 'cerebellar molecular layer morphology trait', 'milk selenium', 'cardiac development trait', 'axillary lymph node size', 'type i pneumocyte', 'parasympathetic nervous system', 'peritoneal macrophage morphology', 'embryogenesis', 'bulbourethral gland', 'b-1b cell', 'eae duration', 'keel length', 'digit development', 'blood total cholesterol', 'plasma nh2-terminal nppb', 'seminal gland', 'thigh bone weight', 'experimental allergic neuritis severity', 'calculated kidney cortex protein composition', 'milk manganese', 'metacarpus', 'optic nerve fiber', 'c5 physiology trait', 'blood pituitary hormone level', 'tibia-fibula cortical bone total cross-sectional', 'am/ai/bm', 'mesenteric artery phosphylated enos', 'circulating thyroid hormone', 'relapsing-remitting experimental autoimmune encephalomyelitis prevalence', 'single adrenal gland wet weight to body weight ratio', 'muscle/skeletal mechanoreceptor', 'b-1b cell number', 'ear orientation', 'somite differentiation initiation', 'milk cholesterol concentration', 'blood gamma-gt amount', 'heart valve morphology', 'bone toughness measurement', 'interdigitating reticular cell physiology trait', 'joint', 'ventral prostate gland wet weight', 'liver nonremodeling tumorous lesion volume to total liver volume ratio', 'b2 cell morphology trait', 'calculated adipocyte glucose uptake', 'ovarian secretion trait', 'duration of loss of body righting reflex', 'blood alpha-n-acetylgalactosaminidase amount', 'optic stalk', 'dn3 alpha-beta immature t-cell', 'calculated plasma e. coli specific antibody level', 'liver rna composition measurement', 'aortic', 'tibialis anterior morphology', 'tnf physiology trait', 'total food-derived energy intake', 'number of fetuses lost perinatally to litter size ratio', 'bone development trait', 'brain type ii spike-and-wave discharge rate', 'fiber cell morphology trait', 'b-cell stimulatory factor 2 secretion', 'ear', 'occipitomastoid suture', 'startle reflex', 'embryonic subventricular zone morphology trait', 'number', 'calculated abdominal fat pad', 'acute eae incidence/prevalence', 'milk fatty acid cis-13-c18:1 concentration', 'somite size trait', 'serum albumin level', 'spleen primary b follicle morphology', 'cheek bone morphology trait', 'esophagus mass', 'blood corticosterone amount', 'calculated blood acetaminophen', 'liver tumorous lesion number to liver volume ratio', 'milk triglyceride', 'germ layer development trait', 'milk trans-10-octadecenoic acid content', 'behavioral response to thermal stimulus trait', 'righting reflex measurement', 'forced expiratory volume to forced vital capacity ratio', 'ige level', 'l5 ganglion morphology trait', 'single pancreatic islet area', 'spinal cord c1qb mrna', 'intestinal aganglionosis prevalence', 'blood vessel smooth muscle', 'parathyroid gland physiology', 'body weight of neonate', 'paries vestibularis ductus cochlearis', 'maximal carbon dioxide production (vco2)', 'frontal bone morphology', 'esophagus development trait', 'epididymal plus perirenal white adipose tissue weight to body weight ratio', 'serum anti-type ii collagen antibody level', 'suppressor t-cell morphology', 'nucleus niger morphology', 'liver lesion', 'blood testosterone amount', 'diabetes prevalence', 'intramuscular adipose amount', 'accessory nerve morphology', 'cochlear hair bundle morphology trait', 'lymph node t cell domain morphology', 'urine catecholamine', 'uterine weight', 'vermal pyramis', 'meat fatty acid trans-6/9-c18', 'terminal lung bud size trait', 'hippocampus fimbria morphology', 'platelet calcium', 'circulating il23 level', 'incidence of pituitary tumors that replace a portion of the gland', 'milk fatty acid cis-14/trans-16-c18:1 percentage', 'pancreas mass', 'extracraniale ganglion', 'response to xenobiotic stimulus', 'blood cd3(+) cell', 'milk trait', 'absolute change in adipocyte free fatty acid secretion per cell', 'coronary artery morphology', 'abdominal lymph node', 'pancreatic insulin to total pancreatic protein ratio', 'dn1 thymic pro-t cell quantity', 'plasma anti-deoxyribonucleic acid antibody', 'spinal accessory nerve morphology trait', 'neuronal precursor differentiation', 'cloaca respiration trait', 'reticulocyte morphology', 'skin fold', 'left ventricular systolic blood pressure', 'lung capacity', 'ileum length', 'anterior segment morphology trait', 'atrioventricular cushion morphology trait', 'urinary bladder size', 'blood vessel contractility', 'extensor digitorum longus morphology', 'blood interleukin-7', 'dressed carcass fat percentage', 'ovary size', 'calculated urine protein', 'ratio of the wet weight of a single adrenal gland to the weight of the body', 'kidney function', 'adipocyte maximal non-esterified fatty acid release', 'roof plate morphology trait', 'il-23a secretion', 'milk fatty acid cis-9-c16:1', 'bacterial count', 'polynuclear neutrophilic leucocyte', 'pre-b lymphocyte cell number', 'calculated white blood cell', 'blood cd45rchigh cd4+ t cell count', 'sympathetic ganglia morphology', 'milk conjugated linoleic acid percentage', 'hemopoietic system trait', 'brain infarction', 'infarction weight', 'anti-single-stranded dna antibody concentration', 'band neutrophil', 'adipose distribution', 'brachial lymph node', 'serum anti-porcine type 2 collagen antibody level', 'brain type ii swd frequency', 'cd8+ cell count', 'blood alcohol', 'eustachian tube morphology', 'hindlimb stylopod morphology trait', 'blood immunoglobulin measurement', 'intermediate disk', 'blood naga', 'response to heat trait', 'adipose linoleic acid', 'blood interleukin-1 amount', 'bronchiole morphology trait', 'calculated spinal cord ventral horn area', 'compact bone morphology trait', 'subthalamus morphology', 'viral infection', 'ureter length', 'patent ductus arteriosus score', 'hair-tylotrich neuron', 'somite morphology trait', 'interleukin-5 secretion trait', 'neuron count', 'spleen marginal zone macrophage morphology trait', 'glutathione peroxidase', 'cd8-positive, gamma-delta intraepithelial t cell morphology', 'blood bile acid amount', 'blood interleukin-12b', 'egg morphology trait', 'serum high density lipoprotein cholesterol', 'heart intraventricular septum end-diastolic', 'nerve fiber', 'amniotic fold morphology trait', 'plasma autoantibody', 'circulating il17', 'startle reflex trait', 'serum level of immunoglobulin g', 'retinal photoreceptor layer', 'tibia elasticity trait', 'intramuscular adipose area as percentage of skeletal muscle area', 'liver dry', 'vascular endothelial cell morphology trait', 'lymph gland wet weight', 'cerebellum vermis cell quantity', 'dermal layer', 'learning/memory', 'parasympathetic preganglionic fiber', 'medulla oblongata', 'thyroid gland size trait', 'transitional one stage b-cell', 'forelimb conformation trait', 'neutrophil leucocyte physiology trait', 'whole pancreas protein level', 'penile erection physiology', 'angle of a tilted plane at which balance/traction is lost', 'cortical volumetric bone mineral density', 'plasma potassium', 'osteoclast cell quantity', 'percentage of experiment time spent in a discrete space in an experimental apparatus', 'prostate integrity trait', 'choanae morphology', 'glandula pinealis morphology trait', 'areola or nipple', 'cerebellar granule cell', 'benign liver tumor prevalence', 'b lymphocyte percentage', 'dermis mast cell', 'b cell antigen presentation', 'milk cholesterol amount', 'neuromuscular junction morphology', 'statolith morphology', 'number of early pro-b cells', 'lamina basilaris cochleae', 'vascular stripe morphology', 'blood igm level', 'prostate gland morphological measurement', 'cd8-positive, alpha-beta regulatory t cell morphology', 'glomerulus count', 'lymphocyte count to total wbc count ratio', 'embryonic cell/tissue morphology', 'splenocyte', 'pmn morphology', 'periuterine fat pad', 'muscle measurement', 'developed blood pressure', 'reticulocyte', 'blood uric acid', 'blood rt6.1 positive cell count', 'dendritic cell physiology trait', 'number of photobeam interruptions in an experimental apparatus', 'heart septum weight', 'tibia cortical bone volume', 'onset of ear extroversion', 'blood anti-self antibody level', 'tibio-fibular complex cortical bone total cross-sectional area', 'natural t cell physiology', 'gaba neuron number', 'cardiac muscle fiber morphological measurement', 'binary logarithm of pituitary gland wet', 'serum amyloid protein amount', 'intercostal muscle morphology trait', 'milk fatty acid c13', 'heart mass', 'vestibule morphology trait', 'cd4-positive t cell number', 'b lymphocyte morphology', 'response to cocaine', 'circulating myeloid differentiation-inducing protein', 'fenestra ovalis', 'multinucleated phagocyte morphology trait', 'basal white blood cell dna synthesis', 'seminal gland size trait', 'circulating binetrakin level', 'cerebellum', 'prostate size', 'milk fatty acid trans-9,trans-11-c18:2 concentration', 'meat structure', 'rr_interval', 'lymphocyte chemoattractant factor secretion', 'brain ventricle/choroid plexus morphology trait', 'serum anti-double-stranded dna antibody titer', 'serum anti-ssdna antibody level', 'cd4-cd8- t cell', 'blood immunoglobulin amount', 'complement alternative pathway physiology trait', 'stomach tumor number', 'inflammatory exudate lipoxin a4', 'adipose unsaturated fatty acid content', 'large intestine orientation', 'superior glossopharyngeal ganglion morphology', 'calculated liver tumorous lesion', 'adipocyte maximal glucose uptake to basal glucose uptake ratio', 'milk unsaturated fatty acid content', 'frontal sinus', 'plasma retinol', 'serum angiotensin i converting enzyme 2 activity', 'percentage of study population developing type 2 diabetes mellitus during a period of time', 'l4 sympathetic ganglia', 'lateral geniculate nucleus morphology', 'lymph node-specific lymphocyte tracer radioactivity level', 'trigeminal motor nucleus', 'musculoskeletal system measurement', 'milk copper amount', 'otic vesicle size', 'length of intestine affected by intestinal aganglionosis', 'cd4-positive, gamma-delta intraepithelial t-cell morphology trait', 'cerebrospinal fluid', 'superior cervical ganglion size', 'orbit morphology trait', 'milk fatty acid c20:5 n-3', 'thermal stimulus', 'fear/anxiety-related behavior', 'serum levels of lh', 'calculated bone section morphological', 'egl morphology trait', 'milk casein percentage', 'milk osteopontin amount', 'antigen presenting cell morphology trait', 'urethra size', 'blood lipoprotein level', 'muscle fatty acid cis-9,cis-12-c18:2 percentage', 'olfactory system physiology', 'acquisition performance', 'macrophage quantity', 'pancreatic tissue molecular composition measurement', 'milk fatty acid c20:4(n-6) percentage', 'urine keto acid', 'experimental allergic neuritis severity measurement', 'heart electrical impulse conduction', 'sclera thickness', 'hematolymphoid system morphology trait', 'olfactory mucosa', 'kidney morphology trait', 'lymphopoiesis trait', 'muscle fatty acid c17:0 percentage', 'reissner membrane size', 'cd4(+) cell count', 'brain molecular composition trait', 'splenic mononuclear cell', 'muscular system development trait', 'interventricular septal', 'blood carboxyhaemoglobin', 'treg cell number', 'muscle spindle morphology trait', 'plasma vldl', 'blood glycogen amount', 'circulating binetrakin', 'copper amount', 'longissimus dorsi size trait', 'pancreas weight to body weight ratio', 'lamina visceralis pericardii morphology', 'alveolar macrophage morphology', 'thymocyte morphology trait', 'spermatogenesis trait', 'caput epididymis morphology trait', 'hypaxial muscle cell', 'drink intake volume', 'renal artery morphology trait', 'ratio of renal blood flow change to renal perfusion pressure change', 'spleen secondary b follicle morphology trait', 'pituitary gland morphological', 'age at puberty', 'coronal suture', 'hypertrophic chondrocyte zone', 'cochlear ihc morphology', 'muzzle morphology trait', 'hepatic non-tumorous lesion measurement', 'axillary lymph node morphology trait', 'serum insulin-like growth factor 1', 'splenic white pulp', 'subthalamic nucleus', 'femur morphological', 'mammillary body morphology', 'inguinal lymph node morphology', 'chronic eae prevalence', 'inner ear neuroepithelium morphology', 'transitional stage t2 b cell quantity', 'muscle fatty acid c16', 'tarsal joint', 'artery integrity', 'nk t-cell', 'ratio of the area occupied by pancreatic islets to total pancreatic', 'delaminated enamel', 'vaginal epithelium morphology trait', 'lactotroph count', 'lymph node cortex morphology trait', 'plasma epinephrine', 'cardiomyocyte diameter', 'brain total type ii swd duration', 'hematolymphoid system trait', 'femur ultimate force', 'cubic root of body weight to nasoanal length ratio', 'mammary gland physiology trait', 'pericardium', 'b cell number', 'ventral prostate size', 'pmn', 'tissue composition measurement', 'b lymphocyte physiology trait', 'cerebral cortex pyramidal neuron morphology trait', 'miscarriage', 'acute phase protein physiology trait', 'interleukin-10 secretion trait', 'mucous neck cell morphology trait', 'food intake volume measurement', 'islet of langerhans', 'retina cell', 'hepatic tumorous lesion area to total liver area ratio', 'muscle fatty acid c14:0', 'nonfunctional nipple', 'milk cla concentration', 'proventriculus capacity', 'blood cd8 lymphocyte', 'th1 cell to th2 cell ratio as percentage', 'trigeminal ganglion size', 'neuromuscular spindle morphology trait', 'palmitoleic acid percentage', 'meat fatty acid trans-11-c18:1 concentration', 'pancreas size', 'dn1 thymic pro-t-lymphocyte', 'mature gamma-delta t lymphocyte morphology', 'locus ceruleus', 'cd4-positive, cd25-positive, alpha-beta regulatory t cell morphology', 'deiters cell number', 'blood aspartate aminotransferase activity', 'fillet weight', 'non-return rate', 'bone volume', 'gustatory system', 'ulna curvature', 'spleen trabecular vein', 'tectorial membrane attachment trait', 'immature b cell quantity', 'loin size trait', 'type i spiral ligament fibrocyte morphology', 'milk fatty acid cis-12,trans-14-c18', 'uterine wet weight', 'kidney ace2 activity level', 'myrinx', 'malignant colorectal neoplasm', 'thymic lymphocyte cound', 'experimental arthritis prevalence', 'femoral neck cortex cross-sectional', 'body posture', 'right ventricular morphology', 'feather length', 'vibrissae number', 'choroid/ventricle morphology', 'blood suppressor/cytotoxic t cell percentage', 'stomach size', 'acetylcholine-induced blood vessel dilation expressed', 'calculated food intake measurement', 'area of spinal cord ventral horn stained for mhc class ii rt1a', 'helper t cell type 1', 'egg yolk height to diameter ratio, fowl', 'muscle ribonucleic acid composition measurement', 'social investigation trait', 'serum carboxyhemoglobin level', 'nerve cell count', 'circulating adrenocorticotropin level', 'count of superficial glomeruli not directly contacting the kidney surface', 'hair length', 'urine glucose amount', 'pacinian corpuscle', 'calculated saccharin drink intake rate', 'scala media size', 'mesenteric fat depot', 'interatrial septum morphology trait', 'pns glia morphology', 'heart insulin-like growth factor 1 mrna level', 'palatine shelf morphology', 'spatial accuracy', 'compact bone', 'serum adrenocorticotropic hormone level (acth)', 'thymus cortico-medullary junction morphology trait', 'lv weight/tibial length', 'circulating ketone body', 'antigen presenting cell morphology', 'endoderm development trait', 'intercostal muscle', 'milk xanthine oxidoreductase amount', 'milk fatty acid trans-4-c18', 'embryo turning', 'splenic white pulp morphology trait', 'cervical epithelium', 'inflammatory mediator physiology trait', 'transitional stage t1 b cell morphology trait', 'renal tubular degeneration incidence/prevalence measurement', 'blood alkaline phosphatase', 'beef odor intensity', 'bruch membrane morphology', 't cell anergy', 'plasma immunoglobulin g2a amount', 'thymus immature t cell count', 'eae progression measurement', 'nasal bone morphology trait', 'liver wet weight to body weight ratio', 'transverse gyrus of heschl morphology trait', 'circulating interleukin-12p40 level', 'urine steroid', 'intervertebral cartilage development', 'total dorsal coat/hair', 'auditory brainstem response threshold', 'adipocyte incremental free fatty acid secretion per unit volume', 'barrel cortex organization trait', 'stapes footpiece morphology', 'total water plus quinine-water intake to total water only intake ratio', 'complement alternative pathway physiology', 'shoulder blade morphology', 'colorectal neoplasm incidence', 'liver phytosterol level', 'eyelid morphology trait', 'malignant peripheral nerve sheath tumor onset/diagnosis measurement', 'calculated leukocyte measurement', 'intercalated disc morphology', 'respiratory system trait', 'distal forelimb circumference', 'leg size', 'tissue weight of the ileum', 'breast', 'factor b physiology', 'bone density', 'retinal inner nuclear layer', 'heart interventricular septum', 'number of follicular dendritic cells', 'osteoclast morphology', 'spleen iron', 'capsula glomeruli morphology', 'ph regulation', 'plasma phosphate', 'humeral axillary lymph node size trait', 'beta-casein content', 'eye morphology trait', 'body size', 'calculated kidney morphological measurement', 'forebrain dopamine', 'horny layer', 'single testis wet weight as percentage of body', 'lacrimal system morphology trait', 'vertebra morphological', 'calculated total heart ventricle weight', 'adrenergic system', 'percentage of study population developing prostate tumors during a period of time', 'mammary gland terminal end bud', 'vagus ganglion morphology trait', 't-cell domain morphology', 'nonfunctional teat number', 'thrombopoiesis', 'lymph node morphology trait', 'placenta', 'percent change in respiration rate', 'renal artery integrity trait', 'tympanic cavity epithelium width', 'milk fatty acid trans-13-14-c18', 'skin morphology', 'tibia straight segment length', 'retroperitoneal fat depot morphology trait', 'corneal epithelium morphology', 'female reproductive organ morphological', 'circulating tcgf', 'eyelid thickness', 'food calorie intake level to body weight ratio', 'conductive hearing physiology trait', 'choroid size trait', 'blood-air barrier morphology trait', 'enteric cholinergic nerve fiber', 'egg physiology trait', 'retina cell count', 'drumstick bone weight', 'meat heneicosanoic acid', 'iridocorneal angle morphology trait', 'chronic induced arthritis incidence', 'response to methamphetamine trait', 'retinal layer organization trait', 'skeletal muscle myosin heavy chain type iib amount', 'harderian gland pigmentation trait', 'urine protein level to body weight ratio', 'chronic induced arthritis prevalence', 'mesencephalic trigeminal nucleus size trait', 'shoulder muscle weight', 'meat eicosapentaenoic acid', 'iris', 'vagina development trait', 'lorr duration', 'colorectal tumor surface area measurement', 'cerebrovascular lesion incidence/prevalence', 'circulating ru-49637 level', 'acute experimental autoimmune encephalomyelitis incidence/prevalence', 'malignant colorectal cancer incidence', 'retinal rod bipolar cell morphology', 'splenocyte proliferation', 'calculated urine norepinephrine', 'blood development trait', 'single ear average of middle ear epithelium thickness', 'milk total calcium', 'b cell apoptosis', 'vibrissae length', 'plasma dopamine', 'malt', 'vestibular membrane morphology trait', 'adipose saturated fatty acid amount', 'splenic fibrosis incidence/prevalence measurement', 'lung ace activity level', 'splenocyte apoptosis', 'spleen ribonucleic acid composition', 'tear production', 'onset of muscle development trait', 'inflammatory exudate mononuclear cell count', 'total milk casein', 'polynuclear neutrophilic leukocyte physiology', 'amount of time spent frozen', 'blood steroid level', 'tcrgd cell morphology trait', 'palatine gland morphology', 'blood shear', 'natural killer cell development', 'uterine tube morphology', 'absolute change in urine norepinephrine level', 'osteophage cell number', 'inferior olive', 'ear development', 'renal medulla', 'thymus total cell count', 'skin dry weight', 'circulating il-1b level', 'plasma globulin level', 'igd concentration', 'serum immunoglobulin d level', 'kidney rna composition', 'heart morphological measurement', 'base 2 logarithm of pituitary gland wet weight', 'urine albumin level to urine creatinine level ratio', 'blood pyruvate', 'both kidneys dry', 'kidney, pelvic, and heart fat', 'methacholine median effective dose (ed50)', 'muscle glycogen amount', 'bleeding time (bt)', 'milk trans fatty acid percentage', 'nk cell differentiation', 'motor nerve fiber organization', 'helper t cell type 2 morphology trait', 'polymorphonuclear leukocyte differentiation', 'hematolymphoid system', 'circulating t-cell replacing factor', 'splenic marginal zone macrophage', 'milk fatty acid trans-10,cis-12-c18:2', 'proximal rib', 'adrenergic nerve fiber quantity', 'milk protein amount', 'partial pressure of blood oxygen (po2)', 'optic stalk morphology trait', 'urine production', 'calculated lymph node', 'ejaculate volume', 'pre-b cell quantity', 'cristae', 'ileum glandular crypt width', 'cerebral blood flow', 'calculated body region fat morphological measurement', 'hemopoietic system physiology', 'egg number, fowl', 'base 2 logarithm of pituitary gland wet', 'duration of loss of labyrinthine righting reflex', 'percentage of study population displaying acute eae at a point in time', 'log antibody response', 'serum ethanol', 'calculated plasma epinephrine', 'plasma hemoglobin', 'middle-ear sound conduction', 'plasma apolipoprotein', 'both lungs wet weight', 'vocalisation measurement', 'circulating interleukin-23p19', 'spinal cord cd74 protein level', 'effector t cell morphology trait', 'femur energy', 'sex gland size trait', 'skull morphology trait', 'blood vldl phospholipid level', 'basophil count to total white blood cell count ratio', 'mononuclear cell measurement', 'hair guard neuron', 'percent of time spent frozen', 'central nervous system glia', 'feather morphology trait', 'tissue weight of the crop', 'milk omega-3 fatty acid concentration', 'calculated blood glycated albumin', 'blood type i collagen c-terminal telopeptide level', 'gamma-delta t-cell morphology trait', 'hind foot phalanges', 'hair-down neuron morphology trait', 'heart rv dna content to body weight ratio', 'anti-single-stranded dna antibody', 'brown adipocyte morphology trait', 'chest girth', 'rumen morphology', 'd-hair receptor cell innercation pattern', 'bone section mineralized tissue surface-area-to-volume', 'kidney corpuscle morphology trait', 'internal nares morphology trait', 'spiral ligament of cochlear duct morphology', 'percentage of study population displaying experimental allergic encephalomyelitis at a point in time', 'bone morphology trait', 'auditory vesicle morphology trait', 'suprarenal gland wet weight', 'first movement outside a discrete space in an experimental apparatus', 'midbrain/pons dihydroxyphenylacetic acid (dopac)', 'circulating bsf-2', 'calculated hepatic copper', 'blood band neutrophil count to total leukocyte count ratio', 'heptadecanoic acid', 'corpus luysi', 'neuroendocrine gland physiology trait', 'pituitary tumor prevalence', 'milk monoacylglycerol concentration', 'cerebrospinal fluid mineral amount', 'calculated ventral prostate tumorous lesion area', 'cerebral cortex layer morphology', 'neostriatum morphology trait', 'behavioral response to alcohol trait', 'neutrocyte physiology', 'kidney non-tumorous lesion incidence/prevalence', 'extraembryonic endoderm', 'pituitary gland wet weight', 'lung blood vessel morphology trait', 'spleen cell proliferation', 'spinal cord dorsal horn morphology trait', 'cytotoxic t-lymphocyte morphology trait', 'squamal-parietal suture', 'dermis stratum papillare morphology', 'convoluted tubule', 'lymphangiogenesis trait', 'calculated pancreatic islet insulin release measurement', 'endocardium morphology trait', 'basophil', 'heart free fatty acid', 'cerebrospinal fluid measurement', 'lumbar vertebra compact bone cross-sectional area', 'dc2 cell morphology', 'calculated ventral prostate tumorous lesion area measurement', 'milk fat globule-egf factor 8 protein', 'adrenal gland weight', 'post-tetanic potential', 'fructose absorption', 'circulating il1b level', 'milk fatty acid c5', 'femoral neck', 'heart anterior wall thickness', 'milk potassium concentration', 'vibrissa organization trait', 'urinary organ morphology', 'peak heart contraction', 'cd4+ t cell morphology trait', 'eosinophil number', 'anatomical relation', 'olfactory tract', 'withdrawal response', 'cd25(+) cell to cd4(+) cell ratio as percentage', 'geniculate ganglion', 'vagina epithelium morphology', 'c3 physiology trait', 'milk capric acid concentration', 'calculated blood albumin', 'cochlear inner hair cell', 'milk trans-vaccenic acid', 'meat fatty acid c17:0', 'vestibular ganglion morphology trait', 'calculated bone cross-sectional area measurement', 'erythrocyte size', 'muscle fatty acid c18', 'plasma progesterone level', 'urine albumin level', 'myeloid dendritic cell', 'adipocyte basal non-esterified fatty acid secretion', 'rib morphology trait', 'brain total type ii spike-wave activity duration', 'b lymphocyte', 'measurement of voluntary locomotion into, out of or within a discrete space in an experimental apparatus', 'amount', 'dn1 thymic progenitor t cell number', 'hydrocephaly severity score', 'serum glutathione peroxidase activity level', 'baer threshold', 'monocyte', 'sterol', 'aortic arch configuration', 'primitive streak development', 'glycated serum protein', 'urine catecholamine measurement', 'vitreous body clarity', 'secondary sex determination trait', 'airway reactivity', 'circulating lymphocyte mitogenic factor level', 'malignant liver tumor prevalence', 'stratum papillare morphology trait', 'kidney fibrotic lesion area measurement', 'orbitosphenoid', 'gluconeogenesis', 'rpp', 'neuronal lysosome area to neuronal cytoplasm area ratio', 'suppressor t-lymphocyte morphology trait', 'third ventricle morphology', 'serum free hemoglobin level', 'respiratory mucosa goblet cell', 'zygomatic process of maxilla', 'external auditory canal morphology', 'milk alpha-s2-casein amount', 'age at onset/diagnosis of type 1 diabetes mellitus', 'brain total type i spike-wave discharge duration', 'cytotoxic t lymphocyte morphology trait', 'haemolymphoid system morphology trait', 'blood cd8 lymphocyte count as percentage of total lymphocytes', 'proventriculus mass', 'double-positive t cell morphology trait', 'experimental autoimmune encephalomyelitis progression measurement', 'calculated urine urotensin ii level', 'pituitary gland weight', 'plasma troponin t', 'positive t cell selection trait', 'parahippocampal gyrus morphology', 'heart isovolumetric relaxation time', 'arytenoid cartilage morphology', 'rib muscle', 'il5 secretion', 'milk protein concentration', 'blood anti-nuclear antigen antibody', 'serum low density lipoprotein cholesterol level', 'calculated ethanol drink intake rate', 'intraepithelial t lymphocyte morphology trait', 'total coat/hair', 'skin sodium level to skin water level ratio', 'pituitary gland mass', 'tunnel of corti', 'forepaw morphological measurement', 'cochlear ohc', 'heart effluent lactate dehydrogenase activity level normalized to heart', 'mononuclear leukocyte development trait', 'hematopoietin-2 secretion', "meissner's corpuscle", 'nasal mucosa goblet cell morphology trait', 'plasma e. coli specific antibody level change, post vaccination', 'th1 cell differentiation', 'psalterial cord morphology', 'blood bile acid', 'auditory physiology', 'eosinocyte physiology trait', 'bile amount', 'purkinje cell nerve fiber quantity', 'index of glomerular damage', "cowper's gland size trait", 'corpus callosum size trait', 'sertoli cell morphology', 'endocrine pancreas measurement', 'arthritis onset/diagnosis', 'lymphopoietic system morphology trait', 'isocortex', 'red blood cell distribution width', 'blood thyroid hormone', 'cerebral cortex', 'plasma type i collagen c-terminal telopeptide', 'left perirenal fat pad weight to body weight ratio', 'lifetime offspring quantity', 'adipocyte non-esterified fatty acid secretion', 'brain neurotensin receptor 1 level per unit mass of protein', 'extraembryonic tissue organization trait', 'catecholamine amount', 'iel', 'hirschsprung disease incidence/prevalence', "rathke's pocket morphology trait", 'milk fatty acid c20:5 n-3 concentration', 'blood segmented neutrophil count', 'lymphoma measurement', 'bmc', 'malpighian pyramid', 'blood ethanol level at regain of the body righting reflex', 'intermuscular adipose weight', 'aortic valve configuration', 'mature gamma-delta t cell morphology trait', 'tarsometatarsus length', 't-associated plasma cell', 'cd4-positive, alpha-beta intraepithelial t-lymphocyte morphology', 'maximum change in heart rate', 'corti ganglion morphology trait', 'palatine palatal process morphology', 'serum igm-rheumatoid factor titer', 'total energy intake rate', 'femur cortex cross-sectional', 'cellular extravasation trait', 'experimental autoimmune neuritis onset/diagnosis measurement', 'alveolar macrophage', 'parahippocampal gyrus morphology trait', 'uterus weight as percentage of body', 'colorectal neoplasm incidence/prevalence measurement', 'absolute per volume change in adipocyte free fatty acid secretion', "hassall's corpuscle", 'bone mass', 'lens epithelium morphology trait', 'b cell negative selection trait', 'cardiac apex directionality', 'chief cell morphology trait', 'parathyroid gland pigmentation trait', 'segmented neutrophil percentage', 'female reproductive system', 'pituitary gland development', 'neural crest cell development trait', 'blood gssg', 'milk trans-9-hexadecenoic acid', 'brainstem', 'number of capillaries per skeletal muscle cell', 'neuronal mitochondrion area', 'head and neck integrity trait', 'blood paracetamol level area under curve (auc)', 'pork flavor intensity', 'plasma angiotensin i converting enzyme 2 activity level', 'white adipose morphology', 'femoral neck cross-sectional moment of inertia', 'milk conjugated linoleic acid amount', 'sclerotic glomeruli', 'embryonic growth', 'vascular layer of the eyeball morphology', 'lesioned artery residual lumen', 'blood cell physiology trait', 'eye posterior chamber morphology trait', 'duodenum mucosa', 'ham bone', 'spinal cord anterior horn cd3-positive cell count', 'milk fatty acid trans-11-c18', 'brainstem auditory evoked response threshold', 'serum phytosterol level', 'total fat pad mass', 'circulating fatty acid level', 'crista ampullaris morphology', 'cochlea', 'nail length', 'dorsal spinal root', 'trigeminal nerve neurilemmoma incidence', 'scapula bone cell number', 'milk beta carotene concentration', 'fibula curvature', 'natural killer cell', 'sclerotome morphology', 'cornea thickness trait', 'tooth primordium development trait', 'blood inorganic phosphorus level', 'calculated hepatic tumorous lesion volume measurement', 'intermuscular fat weight', 'immature b lymphocyte morphology', 'dressed carcass fat-free weight', 'hippocampus neuron quantity', 'ventral prostate tumorous lesion frequency', 'serum levels of thyroid-stimulating hormone', 'serum anti-porcine type ii collagen antibody titer', 'femoral work', 'macrophage phagocytosis trait', 'cd25 cell to cd8 cell ratio as percentage', 'white adipocyte morphology trait', 'zone of proliferating cartilage', 'oligodendrocyte morphology', 'calculated trichinellosis severity', 'hematocrit', 'plasma glucose', 'skin na+ level', 'lung wet weight as percentage of body weight', 'effective renal plasma flow rate', 'kidney glomerular diameter', 'onset of type 1 diabetes mellitus', 'b cell domain of the spleen morphology', 'ang2 half maximal effective', 'eicosenoic acid', 'heart left ventricle end-diastolic anterior wall', 'saccule size trait', 'organ of hearing morphology', 'hirschsprung disease incidence', 'mean corpuscular hemoglobin', 'uterus rna composition', 'b-1 b cell morphology trait', 'ear unfolding initiation', 'meat physiochemical trait', 'placenta development', 'milk fatty acid c22:5 n-3 content', 'marginal metallophilic macrophage', 'heart atrium symmetry', 'whisker', 'lung morphological measurement', 'circulating il-23 alpha level', 'circulating b-cell differentiation factor', 'paired-pulse facilitation trait', 'interleukin-1 beta secretion trait', 'heart electrical impulse conduction trait', 'meat lipid', 'creatine kinase concentration', 'lymphatic vessel cell quantity', 'mesangial cell', 'serum ggtp activity', 'epidermis cell', 'back fat thickness, midpoint', 'milk fatty acid trans-7,trans-9-c18:2 concentration', 'blood cd8 lymphocyte count to total lymphocyte count ratio', 'milk beta-casein percentage', 'spiral ligament of cochlea', 'serum aspartate aminotransferase activity level to alanine aminotransferase activity level ratio', 'thalamus cell', 'hepatic tumorous lesion size measurement', 'calculated apoptotic cell', 'gizzard muscle', 'calculated plasma ldl-c', 'kidney crescentic glomeruli count to kidney normal glomeruli count ratio', 'upright sagittal abdominal diameter', 'parasite quantity', 'eye posterior chamber morphology', 'average daily food intake', 'bundle of his', 'neuron mitochondrion measurement', 'longissimus dorsi muscle', 'serum immunoglobulin m-type rheumatoid factor', 'response to heat', 'cardiac index', 'c9 physiology trait', 'percent change in tidal volume', 'cardiac atrial morphology', 'milk palmitelaidic acid', 'liver regeneration trait', 'mature gamma-delta t lymphocyte morphology trait', 'pelvic arch morphology', 'milk wap content', 'blood calcium amount', 'purge', 'calculated kidney protein composition', 'm line morphology', 'heart weight to tibia length ratio', 'experimental arthritis onset/diagnosis', 'plasma rat anti-self type 2 collagen antibody titer', 'serum high density lipoprotein cholesterol level', 'gallbladder function', 'superior colliculus size', 'adrenal gland rna composition measurement', 'cochlear inner hair cell efferent nerve fiber', 'number of eggs produced', 'olfactory receptor neuron morphology', 'percentage of study population displaying relapsing/remitting experimental autoimmune encephalomyelitis at a point in time', 'corneal light scattering trait', 'blood estrogen', 'follicle-stimulating hormone secretion trait', 't-cell morphology', 'muscle fatty acid c17', 'circulating il-23p40 level', 'vibrissae retention', 'bulbourethral gland morphology trait', 'tissue protein/peptide composition', 'weight of the pancreas', 'labia majora size trait', 'tissue dopamine', 'infectious disease incidence/prevalence', 'blood low density lipoprotein specific apolipoprotein b level', 'hind leg set', 'urine potassium level', 'single ear average of tympanic cavity epithelium thickness', 'non-tongue squamous cell carcinoma of the head and neck tumor', 'brain infarction volume', 'milk leptin content', 'circulating ml-1', 'body size trait', 'calculated liver fat volume', 'haematin pigmentation', 'dermis stratum papillare morphology trait', 'mesenteric artery phosphylated enos level', 'b-1b b lymphocyte', 'prostate physiology trait', 'hindbrain morphology', 'circulating tumor necrosis factor level', 'osteoblast cell quantity', 'bronchiole branching', 'circulating interleukin-12p40', 'calculated blood alcohol level', 'duodenum glandular crypt width', 'prepulse inhibition trait', 'bone formation', 'circulating il1 alpha', 'circulating ru 49637', 'herpes simplex encephalitis onset/diagnosis', 'subcutaneous adipose', 'urine myoglobin level', 'atrioventricular cushion orientation', 'the area occupied by islets of langerhans', "schlemm's canal morphology", 'calculated spinal cord anterior column area', 'serum immunoglobulin g subtype level', "hensen's node", 'absolute change in urine noradrenalin level', 'midbrain/pons serotonin', 'gaba neuron morphology', 'open eyelids', 'circulating aldosterone level', 'intermuscular adipose amount', 'snout morphology', 'pituitary tumor weight', 'skin (k+ + na+) level to skin h2o level ratio', 'male reproductive system', 'metopic suture', 'blood haptoglobin level', 'time to locate a hidden target platform in an experimental apparatus', 'circulating bcgf-ii level', 'one seminal vesicle wet', 'pharyngotympanic tube', 'unilateral renal agenesis incidence/prevalence measurement', 'blood thyroid-stimulating hormone amount', 'blood intermediate density lipoprotein cholesterol', 'midbrain-hindbrain boundary development trait', 'calculated artery inner diameter measurement', 'cd25+ cell to cd4+ cell ratio as percentage', 'hippocampus fornix', 'hematopoietic cell number', 'humerus', 'colony-stimulating factor 2 alpha secretion', 'meat pentadecanoic acid', 'liver glutathione amount', 'head width', 'coagulating gland', 'uterus morphological', 'thymocyte', 'change in systolic blood pressure', 'labyrinthus cochlearis', 'voluntary locomotion', 'blood-air barrier', 'blood tumor necrosis factor', 'preputial gland size', 'placenta dry', 'nk cell cytolysis trait', 'blood gbp--28 amount', 'embryo', 'cholinergic neuron', 'ion homeostasis trait', 'induced arthritis post-insult time to onset', 'ratio of glomerular area occupied by activated mesangial cells to total glomerular area', 'retinal bipolar cell morphology', 'thymus stromal cell', 'ovary morphology', 'orm amount', 'blood estradiol', 'testis tumorous lesion', 'single testis wet weight to body weight ratio', 'percentage of study population developing pituitary tumors during a period of time', 'horny layer thickness', 'kcl-induced blood vessel constriction expressed as percent of force at baseline', 'calculated blood hemoglobin a1c', 'adenophysis morphology trait', 'average daily body weight gain', 'blood th1-like cell count', 'vascular smooth muscle cell count', 'cerebral cortex projection neuron morphology trait', 'hepatocyte cell number', 'post insult time to regain baseline tilted plane angle at loss of balance/traction', 'blood cd45rchigh cd4 t lymphocyte count to total lymphocyte count ratio', 'bitter taste sensitivity', 'amygdala morphology trait', 'glomerular filtration rate to body weight ratio', 'neural crest cell migration trait', 'pectoralis major', 'b-cell development', 'blood insulin-like growth factor amount', 'blood vessel smooth muscle cell quantity', 'forelimb zeugopod morphology trait', 'depth of the glandular crypts of the jejunum', 'chest morphology trait', 'plasma osteocalcin', 'notochord morphology trait', 'heart intraventricular end-systolic wall', 'adipocyte morphological', 'auditory tube morphology trait', 'circulating alanine transaminase', 'posterior cerebral artery lumen diameter', 'uterine wet weight as percentage of body weight', 'spleen secondary b follicle morphology', 'rib attachment', 'thyroid gland morphology trait', 'calculated retroperitoneal fat pad', 'cochlear inner hair cell efferent innervation pattern trait', 'auditory outer hair cell number', 'bone marrow measurement', 'eae incidence/prevalence', 'both lungs wet', 'neuron rough endoplasmic reticulum measurement', 'response to bacterial infection', 'medullary canal development trait', 'soft palate', 'type iib muscle fiber quantity', 'uterus integrity', 'liver gssg', 'gustatory system morphology', 'mean corpuscular haemoglobin level', 'epidermal cell derived thymocyte-activating factor secretion', 'skin water content', 'calculated islet beta cell mass of total pancreas', 'uvea', 'internal nares morphology', 'pituitary gland weight to body weight ratio', 'lymphoid dendritic cell number', 'auc glucose', 'enteroendocrine cell', 'visceral arch development', 'cytotoxic t lymphocyte-associated antigen 8 secretion', 'peripheral nervous system glial cell morphology', 'natural killer cell physiology', 'muscle fatigability', 'atrioventricular cushion thickness', 'pancreatic tissue protein/peptide composition', 'white myofiber abundance', 'ventral body wall morphology', 'tongue scc tumor', 'locomotor coordination trait', 'absolute change in arterial blood flow rate', 'individual left kidney wet weight to body weight ratio', 'kidney glutathione reductase activity', 'mammary ductal tree branching trait', 'double negative t cell morphology', 'pdc', 'plasma autoantibody level', 'anti-single-stranded dna antibody level', 'qrs duration', 'round window', 'plasma immunoglobulin d level', 'serum ace2 activity', 'intraepithelial t lymphocyte morphology', 'involuntary body movement measurement', 'ventriculus quartus', 'pituitary gland morphological measurement', 'milk color reflectivity', 'circulating alpha-ifn', 'egg albumen morphology trait', 'colliculus morphology trait', 'ossification initiation trait', 'serum type i collagen c-terminal telopeptide', 'cn-viii morphology', 'equilibrioception system physiology', 'benign hepatic tumor incidence/prevalence measurement', 'length of intestine affected by hirschsprung disease', 'intestine morphological measurement', 'hair-tylotrich neuron morphology trait', 'plasma tsh level', 'milk lignoceric acid', 't cell domain of the splenic white pulp morphology trait', 'number of squamous cell tumors of the tongue with diameter greater than 3 mm', 'inguinal lymph node size trait', 'circulating b-cell differentiation factor level', 'eosinophilic leukocyte physiology', 'type ii cell morphology', 'splenic development trait', 'encephalitis onset/diagnosis measurement', 'pancreatic islet non-tumorous lesion count', 'spongy substance morphology', 'adrenal epinephrine secretion', 'pigmented dorsal coat/hair area', 'gamma-ifn secretion', 'experimental autoimmune encephalomyelitis prevalence', 'grooming behavior', 'skin appendage morphology', 'blood differential leukocyte count to total leukocyte count ratio', 'cochlear duct morphology trait', 't cell dependent paracortex morphology trait', 'plasma antibody titer', 'fdc network morphology trait', 'intraepithelial lymphocyte morphology trait', 'whisker pattern', 't3 stage b cell', 'skeletal muscle myosin heavy chain type i amount', 'tracheal-bronchial branching morphogenesis', 'urinary bladder size trait', 'ratio of duodenal ipca', 'mammary tumor', 'immature b-cell morphology', 'somite formation initation trait', 'clitoris morphology trait', 'scala tympani size trait', 'inguinal canal', 'stomach tumor diameter', 'oviduct', 'tail morphological measurement', 'hdl cholesterol level', 'cd8-positive, alpha-beta regulatory t cell morphology trait', 'heart ventricle morphological', 'serum immunoglobulin g-type rheumatoid factor level relative', 'mesencephalic duct', 'brain spike-wave activity rate', 'osteocyte', 'vertebra ultimate force', 'ethmoid bone morphology', 'velum palatinum', 'brain 5-hydroxyindoleacetic acid amount', 'basal layer morphology trait', 'milk beta-carotene concentration', 'total heart ventricle mass', 'igg2a concentration', 'taste bud morphology trait', 'epididymal fat pad weight as percentage of body weight', 'interleukin-13 secretion', 'palate length', 'eyelash', 'kidney glomerulus morphology', 'calculated urine potassium level', 'splenic b cell corona morphology trait', 'hepatic enzyme measurement', 'arterial stenosis', 'serum sterol', 'ventriculus quartus size trait', 'schwann cell precursor quantity', 'perigonadal fat pad morphology', 'mammary tumor prevalence', 'prickle cell size trait', 'vascular endothelial cell count', 'blood high density lipoprotein cholesterol level', 'estrous cycle trait', 'circulating erythrocyte burst-promoting factor level', 'mineral', 'germinal streak morphology', 'blood carbon dioxide', 'enterocyte quantity', 'plasma sterol level', 'longissimus thoracis morphology', 'plasma fructosamine level', 'gustatory papillae taste bud morphology trait', 'tibial area measurement', 'calculated islet beta cell mass of splenic region of pancreas', 'hair texture trait', 'blood hdl phospholipid', 'muscle eicosadienoic acid', 'sensory neuron innervation pattern trait', 'integumentary system', 'heart left ventricle igf1r mrna level', 'pyometritis prevalence', 'eye development', 'nasoanal', 't cell receptor v-j joining', 'count of white blood cells of unspecified type', 'hematosis', 'calculated suppressor t cell', 'blood adiponectin amount', 'blood t4 level', 'kidney lipid peroxide level', 'excretory system morphology trait', 'sperm capacitation', 'cervix epithelium morphology', 'sclerotica morphology trait', 'female reproductive organ morphological measurement', 'dendritic cell physiology', 'colostrum growth factor amount', 'spleen central arteriole morphology', 'fructose drink energy intake rate', 'midbrain development trait', 'milk fatty acid c22:5 n-3 concentration', 'aortic wall molecular composition measurement', 'kidney corpuscle', 'heart right ventricle weight as a percentage of body weight', 'b-cell domain morphology', 'gastric surface mucous cell morphology trait', 'placenta color', 'serum phospholipid', 'cochlear window morphology trait', 'kidney tissue protein/peptide composition', 'neural tube closure trait', 'total heart left ventricle size', 'parotid gland morphology trait', 'innate immune response', 'serum igg-rf level', 'total milk mineral amount', 'enteric cholinergic nerve fiber organization', 'hypodermis', 'penile erection function', 'thoracolumbar system', 'blood vessel elastic tissue', 'chorion morphology', 'pancreas dry', 'transitional stage t3 b cell', 'milk pentadecanoic acid', 'milk total protein', 'blood vessel distensibility', 'femur midshaft', 'cataract onset/diagnosis measurement', 'pancreatic insulitis', 'serum levels of pituitary growth hormone', 'homotypic cortex morphology', 'muscle mineral amount', 'minor salivary gland', 'longissimus muscle morphology', 'sympathetic nervous system measurement', 'liver dry weight', 'cardiovascular disease severity', 'serum angiotensin i', 'calculated blood glucose level', 'blood sod activity', 'chorionic gonadotropin secretion', 'eye electrophysiology trait', 'thoracic vertebrae number', 'hemodynamics trait', 'heart orientation trait', 'adipose fatty acid cis-9-c16:1', 'skeletal muscle fiber morphology trait', 'splenic primary b cell morphology', 'circulating mgi-2', 'adenoid morphology trait', 'retinal cone cell morphology trait', 'duddell membrane morphology', 'change in developed blood pressure', 'tactile corpuscle morphology trait', 'pyometritis severity score', 'white fat cell lipid droplet size', 'vertical eye alignment', 'calculated renal plasma flow', 'csif-10 secretion', 'arthritis severity measurement', 'male reproductive organ volume', 'meat color reflectivity', 'mammary gland cistern morphology', 'aortic wall collagen level', 'endocrine system physiology trait', 'supraoccipital bone', 'mesenteric fat pad weight', 'pillar cell quantity', 'body weight', 'colostrum growth factor', 'death incidence measurement as a ratio', 'p wave amplitude', 'dressed carcass fat-to-muscle ratio', 'tail body mass index', 'glossopharyngeal nerve morphology trait', 'milk beta-casein concentration', 'fertilization measurement', 'olfactory neuron morphology trait', 'entocornea morphology trait', 'megakaryocyte development', 'sex gland secretion', 'muscle stearic acid concentration', 'body width', 'muscle spindle morphology', 'posterior eye segment morphology', 'liver oxidized glutathione level to liver weight ratio', 'basophil number', 'bulbourethral gland wet weight', 'feather tract', 'band neutrophil granulocyte count', 'ean severity', 'liver lipid composition measurement', 'pcna index', 'lumbar vertebra cancellous bone cross-sectional area', 'organ of hearing', 'inflammatory exudate mononuclear cell', 'tooth eruption trait', 'bulbourethral gland mass', 'logarithm of the ratio of the lesioned side motor neuron count to contralateral side motor neuron', 'plasma dopamine level', 'midbrain/pons 5-hydroxyindoleacetic acid', 'osteoclast development', 'gain in body weight', 'nasal cavity morphology trait', 'body movement/balance', 'intact tumor cells in remodelling liver tumorous lesions', 'prostate gland size', 'glandulae tarsales size trait', 'milk fatty acid trans-11,cis-13-c18:2', 'colostrum growth factor content', 'milk fatty acid cis-9-c18:1 percentage', 'squamal-parietal suture morphology', 'labia minora morphology', 'plasma e. coli specific antibody titer', 'taste trait', 'milk whey acidic protein concentration', 'lymphatic system measurement', 'substantia trabecularis', 't1 b cell', 'cornea', 'urinary bladder morphology', 'trachea morphology trait', 'blood afp', 'behavioral response to xenobiotic stimulus trait', 'blood urotensin ii', 'blood cholesterol', 'ige', 't cell quantity', 'peptide metabolism trait', 'number of male offspring to litter size ratio', 'striate body morphology trait', 'blood cystatin c amount', 'cranial suture', 'clp morphology', 'meat fatty acid c18:0', 'milk fatty acid cis-8-c20', 'plasma low density lipoprotein phospholipid level', 'vitelline vascular remodeling', 'poorly differentiated malignant colorectal neoplasm number', 'number of offspring stillborn', 'thoracic aorta', 'pterygoid muscle', 'milk polyunsaturated fatty acid composition', 'kidney molecular composition trait', 'pineal gland', 'kidney superoxide dismutase', 'normoblast morphology', 'type i cell', 'spleen interferon gamma-secreting mononuclear cell count', "schwalbe's ring morphology trait", 'ear crystal', 'right rear ankle joint diameter', 'middle ear ossible morphology trait', 'circulating il-9 level', 'blood gas', 'troponin t protein', 'blood catecholamine hormone', 'bone section trabecular number', 'satellite cell quantity', 'hepatocyte morphology', 'seminal gland morphology trait', 'milk cla', 'ham meat', 'blood cortisol level', 'digestive mucosecretion', 'renal medulla protein measurement', 'latency period before voluntary movement in an experimental apparatus', 'mandibular nerve branching morphology trait', 'arytenoid cartilage morphology trait', 'abomasum morphology trait', 'l4 sympathetic ganglion morphology', 'anxiety-related behavior trait', 'pituitary diverticulum morphology', 'urinary bladder physiology', 'ratio of the area occupied by protein casts to the total area of the kidney outer medulla outer stripe and cortex', 'circulating interleukin-7', 'heart excitatory physiology', 'conditioning behavior', 'serum igg', 'macrophage recruitment', 'glomerular epithelial cell morphology trait', 'hair follicle organization trait', 'colostrum somatic cell number', 'liver tumorous lesion size', 'blood apm1 amount', 'percentage of study population displaying ventral prostate tumorous lesions at a point in time', 'blood interleukin-17 amount', 'retroperitoneal fat pad morphology', 'pressoreceptor morphology', 'alveolar bone morphology', 'granulocyte migration', 'vascular tunic of the eye morphology trait', 'heart integrity', 'heart right ventricle posterior wall', 'colorectal neoplasm surface area', 'calculated ts/c cell count', 'hemolymphatic system trait', 'antero-septal wall thickness', 'blood lactate level', 'concentration of phenylephrine at which the force of blood vessel contraction is half the maximum value (ec50)', 'medulla oblongata hva', 'l4 dorsal root ganglia morphology trait', 'dendritic cell function', 'nasopharynx morphology trait', 'blood carbon dioxide level', 'taste papillae morphology trait', 'bone calcium', 't helper 2 cell differentiation', 'germ cell migration trait', 'retinal inner plexiform layer', 'stria vascularis size trait', 'follicular b cell morphology trait', 'heart size trait', 'heart septum', 'concentration of vasoconstrictor at which the force of blood vessel contraction is half the maximum value (ec50)', 'dn2 alpha-beta immature t lymphocyte', 'cardiovascular disease severity measurement', 'trigeminal nerve malignant peripheral nerve sheath tumor formation', 'blood creatinine amount', 'blood interleukin-2', 'phagocyte', 'type 1 helper t cell to type 2 helper t cell ratio', 'calculated blood glucagon', 'hard palate', 'memory t cell physiology', 'central nervous system physiological measurement', 'caul fat weight', 'mineral absorption trait', 'eae incidence/prevalence measurement', 'blood t helper 2-like cell', 'lamellar bone morphology', 'osteoclast development trait', 'strial basal cell tight junction', 'vascular endothelial cell morphology', 'serum glutamic-oxaloacetic transaminase activity', 'cochlear ganglion morphology trait', 'nucleus accumbens morphology', 'plasmacytoid dendritic cell physiology', 'b cell development trait', 'milk fatty acid trans-11-c18:1 percentage', 'pancreas molecular composition measurement', 'plasma igf1 level', 'calculated blood vessel distensibility', 'hypothalamus cell quantity', 'comb shape', 'cranium size trait', 'infarction area', 'locomotion', 'glia morphology trait', 'response to parasitic infection', 'liver fibrosis area to total liver area ratio', 'thymus morphological measurement', 'back leg weight', 'red blood cell physiology', 'kidney glutathione peroxidase activity to total protein level ratio', 'mechanoreceptor morphology', 'break', 'alt level', 'inguinal lymph nodes wet weight', 'novel food trait', 'wolffian duct morphology', 'neutrophil cell number', 'skin moisture content', 'tibio-fibular complex cortical bone endosteal cross-sectional area', 'calculated bone biomechanical', 'igg2c', 'milk fatty acid trans-11,trans-13-c18', 'artery internal elastic lamina non-tumorous lesion', 'b-1a cell number', 'kidney normal glomeruli count', 'epsp', 'body fat percentage, lohman equation', 'brain ribonucleic acid amount', 'immune system cell physiology', 'mast cell', 'locate a target in an experimental apparatus', 'plasma lactate dehydrogenase activity', 'regulatory t lymphocyte morphology trait', 'crypt of lieberkuhn morphology trait', 'intramuscular adipose mass', 'bmi using nose', 'red blood cell distribution', 'ventriculus lateralis size', 'ratio of maximum body weight loss to basal body', 'left ventricle stroke work', 'skeletal morphological measurement', 'cerebellar granule cell morphology', 'nephron physiology', 'percentage of white blood cells of unspecified type', 'glomerular capillary ultrafiltration coefficient', 'serum chylomicron cholesterol level', 'contextual fear conditioning behavior', 'yolk sac vascular plexus', 'area of liver occupied by fibrosis', 'urine sodium', 'pupil shape trait', 'plasma very low density lipoprotein cholesterol level', 'circulating il6 level', 'skin appendage', 'colon weight', 'z disk', 'intestinal fat weight', 'cochlear hair cell stereociliary bundle orientation', 'b-cell anergy', 'sublingual salivary gland cholinergic nerve fiber', 'spinal cord anterior column cd3-positive cell count', 'non-tongue scchn tumor', 'isotonic saline intake volume', 'alpha', 'onset of renal development', 'onset of experimental allergic neuritis', 'mlik tetracosanoic acid', 'cytokine', 'consumption behavior trait', 'extraembryonic tissue', 'psalterial cord morphology trait', 'urine phosphate amount', 'pulmonary elastic fiber morphology', 'kidney medullary adrenomedullin', 'milk dairy fat flavor intensity', 'white adipose mass', 'lge morphology', 'brain hva amount', 'serum alpha-fetoprotein level', 'milk colloidal calcium amount', 'nasal process', 'calculated blood glucose', 'stretched-attend posture measurement', 'liver glutathione disulfide level to liver weight ratio', 'percentage of study population displaying liver edema at a point in time', 'spongy spongiosa', 'in vitro vessel shear stress measurement', 'diencephalon cell', 'vestibular hair cell morphology', 'blood vitamin a amount', 'arterial trunk division extent', 'pericardium orientation trait', 'circulating il-1a', 'lamina basilaris cochleae morphology trait', 'number of pro-b cells', 'circulating b cell stimulatory factor-2', 'aorta configuration', 'strial melanocyte morphology trait', 'heart non-tumorous lesion measurement', 'mean arterial blood pressure variability', 'total heart ventricle', 'tumor necrosis factor level', 'somatic parasympathetic system morphology', 'aqueous drainage system morphology trait', 'basement membrane formation', 'vertebra cancellous bone cross-sectional', 'arterial riel score', 'aortic rupture severity measurement', 'uveal tract morphology trait', 'pinna morphology trait', 't cell selection trait', 'blood th1-like cell', 'hyaloid membrane morphology', 'blood thyroid stimulating hormone', 'logarithm of the intestinal adult trichinella spiralis count', 'both kidneys wet weight to tibia length ratio', 'gizzard volume', 'jugular ganglion morphology trait', 'both kidneys wet weight to body weight ratio', 'cochlear nerve fiber response trait', 'plasma immuglobulin a amount', 'energy intake', 'hepatocyte morphology trait', 'left ventricular end-systolic blood pressure', 'aortic blood flow velocity', 'calculated kidney glomerulosclerotic lesion measurement', 'aortic smooth muscle cell count', 'rear leg set', 'thermal preference', 'milk butyric acid concentration', 'blood igf1', 'outer ear size trait', 'blood comp', 'intestinal adipose mass', 'milk urea nitrogen', 'response to methylenedioxymethamphetamine trait', 'experimental autoimmune encephalomyelitis incidence/prevalence measurement', 'reproductive system development trait', 'blood albumin amount', 'moribundity', 'retina cell number', 'hippocampus morphology', 'drink calorie intake level to gain in body weight ratio', 'blood vessel morphological measurement', 'food calorie intake level', 'jaw morphology trait', 'hippocampus pyramidal neuron number', 'sagittal suture morphology', 'synaptic norepinephrine release', 'suprarenal gland physiology', 'pterygoid process morphology trait', 'pectoralis minor percentage', 'circulating estradiol', 'basal renal sympathetic nerve activity', 'erythrocyte morphology', 'meat fatty acid cis-10-c15', 'pituitary tumor latency measurement', 'saccule morphology trait', 'ean incidence/prevalence measurement', 'arterial blood pressure', 'isoproterenol-stimulated adipocyte free fatty acid secretion minus adipocyte basal free fatty acid secretion', 'mucous gland', 'bone energy absorption capacity', 'muscle fatty acid cis-9-c18:1 percentage', 'urine podocalyxin excretion rate', 'bone section mineralized tissue surface area to bone section total volume ratio', 'stapes size trait', 'anti-insulin autoantibody level', 'sclerotic coat morphology trait', 'clean fleece weight', 'liver malondialdehyde level', 'arterial elastance', 'amacrine cell morphology', 'white blood cell dna synthesis measurement', 'blood natural killer t cell', 'meat stearic acid', 'circulating il-23 p19 level', 'spinal cord anterior column area', 'capillary blood flow', 'saccular spot', 'mediofrontal suture', 'blood vldl cholesterol', 'osseous labyrinth morphology', 'serum t4 level', 'interferon level', 'herpes simplex encephalitis onset/diagnosis measurement', 'bone physiological', 'kidney protein/peptide composition', 'tibia/fibula cortical bone endosteal cross-sectional', 'tibialis anterior morphology trait', 'urinary bladder transitional epithelium', 'ureter morphology', 'milk fatty acid c6:0', 'egg yolk measurement, fowl', 'mid-humerus', 'corpus pineale morphology trait', 'blood homocysteine amount', 'uterine fat pad morphology trait', 'gastrointestinal system development trait', 'meat oleic acid', 'calorie intake measurement', 'meat iron', 'neuronal proliferation', 'blood nh2-terminal pro-b-type natriuretic peptide', 'milk fatty acid cis-9,trans-12-c18', 'plasma alpha-fetoprotein level', 'colostrum prolactin amount', 'vitreal fibrous tissue', 'milk cholesterol content', 'basisphenoid bone', 'milk coagulation time', 'acute eae incidence', 'tibia-fibula cortical bone endosteal cross-sectional area', 'hoof diagonal', 'average brain spike-and-wave discharge duration', 'cd45rclow cd4 t cell', 'calculated blood vessel diameter measurement', 'cerebrospinal fluid electrolyte', 'meat conjugated linoleic acid content', 'protein amount', 'ratio of apoptotic bodies to intact tumor cells in nonremodelling liver tumorous lesions', 'macrophage migration trait', 'epididymal plus perirenal white adipose tissue weight', 'circulating il-15 level', 'onset of cerebrovascular lesion', 'damaged glomeruli count', 'limb bud', 'agp', 'pharynx morphology trait', 'lung angiotensin i converting enzyme activity', 'memory t cell physiology trait', 'blood immunoglobulin d', 'motor coordination/balance', 'transitional stage t2 b cell', 'neurilemmoma', 'cristae morphology', 'loin trait', 'blood cd45rc+ cd4+ t cell', 'cerebellum morphology trait', 'milk ionic calcium', 'malphighian capsule morphology', 'circulating il12 level', 'right major bronchus morphology', 'rt6.2 t lymphocyte', 'immune cell morphology', 'capillary blood pressure trait', 'th1 cell function', 'primitive knot morphology trait', 'lymphoid stem cell', 'plasma adrenaline level', 'canalis spiralis cochleae', 'leukocyte infiltrate in mucosa (% total cellularity)', 'cytotoxic t-cell', 'spleen follicle center number', 'milk fatty acid trans-6-8-c18:1', 'floor plate size trait', 'dressed carcass subdivision size', "waldeyer's ring morphology trait", 'defecation behavior', 'acute experimental autoimmune encephalomyelitis prevalence', 'liver integrity', 'blood vessel lesion', 'interlabial sulcus morphology trait', 'meat fatty acid c18:3 n-3 content', 'common lymphoid progenitor cell morphology', 'regulatory t cell quantity', 'cd4-positive, gamma-delta intraepithelial t cell morphology', 'serum anti-porcine type 2 collagen antibody titer normalized for absorbance', 'calculated inflammatory exudate icosanoid', 'kidney malondialdehyde level', 'vascular smooth muscle morphology', 'heart electrical impulse generation', 'bone section volume fraction', 'milk fat globule diameter trait', 'ureter measurement', 'virchow-hassall body morphology', 'calculated cd8+ cell', 'kidney plasma flow', 'amnion morphology trait', 'papillary layer morphology trait', 'rump angle', 'milk sulfur amount', 'spinal cord ventral horn morphological', 'anterior semicircular canal morphology', 'shoulder muscle mass trait', 'fornix hippocampus morphology', 'prostate gland', 'macula utriculi morphology trait', 'perineum length', 'vulva morphology', 'plasma antibody level', 'fiber cell', 'volumetric bone mineral density of cortical bone', 'vo2', 'cerebellar posterior vermis morphology', 'total food energy intake', 'logarithm of the total number of bacterial colony forming units recovered', 'blood immunoglobulin e amount', 'uterine nk cell morphology', 'pallidum', 'eye anterior chamber', 'alimentary/gastrointestinal', 'chief cell morphology', 'premaxillary bone morphology trait', 'milk myristic acid percentage', 'blood angiotensin ii level', 'macrophage', 'cd8-positive, alpha-beta regulatory t-cell morphology', 'chest development', 'neuronal vacuole area', 'central nervous system physiology measurement', 'granulocyte count to total white blood cell count ratio', 'duration of grooming in a discrete space in an experimental apparatus', 'spleen follicle center size trait', 'multipotent stem cell', 'lvedp/lvdd', 'testis tumor incidence', 'type 1 helper t cell', 'urine noradrenaline excretion rate', 'areola or nipple count', 'urine electrolyte measurement', 'milk epithelial cell', 'drink calorie intake level to change in body weight ratio', 'cerebellum vermis lobule viii', 'pancreatic islet measurement', 'induced interleukin-2 activity', 'vein morphology', 'onset of renal development trait', 'egg cylinder morphology trait', 'periotic capsule morphology', 'serum anti-toxoplasma antibody titer', 'single birth offspring', 'secretion by ovary', 'tissue homovanillic acid', 'meat dodecanoic acid', 'sclerotic glomeruli to total glomeruli ratio', 'respiratory passage', 'heart ventricle morphological measurement', 'thymus corticomedullary boundary morphology trait', 'ham composition', 'calculated liver malondialdehyde level', 'choanae morphology trait', 'incidence of pituitary tumors that replace the entire gland', 'total cell number', 'muscle fiber measurement', 'olfactory lobe morphology', 'mean pulmonary arterial blood pressure', 'hepatic molecular composition', 'right testis wet weight', 'post-insult time to onset of hse', 'transitional three stage b lymphocyte', 'total kidney', 'voluntary body movement measurement', 'milk cis fatty acid', 'endometrial adenocarcinoma', 'forelimb stylopod morphology', 'circulating hdl cholesterol level', 'endometrioid carcinoma prevalence', 'absolute change in heart rate', 'hippocampus fimbra mrophology', 'spleen', 'cerebellum vermis lobule morphology trait', 'clean wool yield', 'somatosensory cortex morphology', 'granulocyte development', 'cerebrovascular lesion', 'milk fatty acid cis-13-c18', 'skeletal muscle size', 'induced arthritis prevalence', 'urine glucose level', 'hepatic copper', 'otolithic membrane morphology trait', 'masseter muscle size', 'mesenteric lymph node morphology', 'kidney medulla measurement', 'shoulder bone weight', 'vaginal opening morphology trait', 'medullary pyramid', 'tenderloin weight', 'meat eicosenoic acid content', 'total length of colon', 't-cell anergy', 't cell receptor v-j recombination', 'urine albumin to low molecular weight protein ratio', 'retinal ganglion cell morphology', 'single ovary', 'axonal morphology', 'glutaminergic neuron number', 'outer ear cartilage morphology', 'ear size', 'viral disease incidence/prevalence', 'shank morphology trait', 'plasma alkaline phosphatase activity', 'testis mass', 'cd45r+ thymic lymphocyte', 'nervous system disease onset/diagnosis measurement', 'back conformation', 'sebaceous lipid secretion', 'heart left ventricle dna amount', 'atrial septum', 'plasma fructosamine', 'circulating t-cell growth factor p40', 'il4 secretion', 'b-2 b cell morphology trait', 'surface structure physiology trait', 'kidney dry weight', 'posterior semicircular canal size trait', 'fibula morphology trait', 'serum anti-single-stranded dna antibody level', 'well differentiated colorectal adenocarcinoma surface area measurement', 'talus size', 'golgi tendon organ morphology', 'achieve baseline angle of tilted plane at time of balance/traction loss', 'action potential', 'immunoglobulin light chain v-j recombination trait', 'mammary tumor diameter', 'plasma escherichia coli specific antibody level, post challenge', 'calculated bone mineral content measurement', 'peripheral t-cell anergy', 'sensory neuron morphology', 'circulating csif-10', 'palpebral glands size trait', 'blood thyroid stimulating hormone level', 'tibia midshaft cross-sectional', 'liver tumorous lesion', 'milk eicosapentaenoic acid', 'transitional two stage b-lymphocyte', 'hepatocyte proliferation trait', 'well differentiated malignant colorectal tumor count', 'circulating parathyroid hormone', 'the weight of both adrenal glands', 'calculated coat/hair color measurement', 'belly trait', 'incisor morphology', 'milk lactadherin', 'serum gamma-glutamyl transpeptidase activity level', 'blood cd25(+) lymphocyte count to total lymphocyte count ratio', 'morphology trait of the vestibular wall of cochlear duct', 'splenic follicular dendritic cell network morphology trait', 'plasma anti-type 2 collagen antibody titer', 'milk monounsaturated fatty acid content', 't1d incidence', 'neurotransmitter uptake trait', 'hematolymphoid system morphology', 'sperm head size', 'skin measurement', 'renal cortex measurement', 'vibrissa morphology trait', 'skin', 'central abdominal fat weight', 'total milk fat amount', 'cortical bone', 'circulating il-5 level', 'white fat morphology', 'spermiogenesis', 'dressed carcass mineral', 'circulating ru 49637 level', 'beak morphology trait', 'vibrissa shape trait', 'plasma cell morphology', 'cochlear melanocyte morphology trait', 'hematuria prevalence', 'toenail', 'forelimb muscle mass', 'urine output', 'axial skeleton cell quantity', 'enamel delamination trait', 'weaned offspring', 'osteoblast cell', 'mature gamma-delta t-cell', 'meat pentadecylic acid content', 'calculated vocalization', 'blood glucagon', 'organism', 'subcutaneous tissue morphology trait', 'stomach mucosa thickness', 'tibia biomechanical measurement', 'vitelline vascular morphology trait', 'csf homeostasis trait', 'calculated cd8(+) cell count', 'cerebral cortex neuron quantity', 'calculated liver copper weight', 'terminal bronchiole morphology trait', 'arterial trunk division completeness', 'lymphopoiesis', 'circulating lymphopoietin-1 level', 'peripheral nervous system morphology trait', 'colon mass', 'alt', 'circulating b-cell growth factor-1 level', 'social tendency', 'omega-3 fatty acid', 'blood suppressor/cytotoxic t cell', 'keratinocyte development trait', 'fleece weight', 'lung interstitium morphology trait', 'total pituicyte count', 'cd25(+) cell count', 'cartilage cell number', 'muller cell morphology', 'secretion by pituitary trait', 'nephron loop morphology trait', 'plasma vasopressin level', 'serum cystatin 3 level', 'bronchus-associated lymphoid tissue', 'palisade layer morphology', 'crista spiralis', 'nose to rump body mass index', 'skin fold thickness, subscapular', 'fat cell morphology', 'urethra morphological', 'renal medulla trpv4 protein', 'suprarenal gland weight', 'colostrum', 'cubic root of body weight', 'endolymphatic duct', 'liver tumor', 'urinary fractional excretion of sodium', 'internal fat weight', 'bone marrow cell development', 'single ovary dry', 'optic nerve innervation pattern trait', 'calculated renal glomerulosclerosis measurement', 'calculated body fat morphological', 'brain cholesterol amount', 'blood glucagon level', 'vagina epithelium morphology trait', 'blood glutamate dehydrogenase activity level', 'plasmacytoid dendritic cell morphology', 'venous blood pressure trait', 'av bundle', 'pre-b cell number', 'self harm severity score', 'blood angiotensin i', 'prevertebral ganglion morphology', 'corpus pineale morphology', 'kidney tubule apoptosis trait', 'muscle fatty acid cis-9,cis-12-c18:2 concentration', 'adipose palmitic acid', 'interleukin-7 secretion trait', 'cementum morphology', 'cd8-positive, alpha-beta regulatory t lymphocyte', 'elaidic acid', 'body fat amount', 'lymph organ morphology', 'nervous/sensory system trait', 'blood apolipoprotein aii', 'vertebrae', 'growth', 'calculated food intake', 'white adipose tissue', 'lumbar vertebra cancellous bone cross-sectional', 'blood apolipoprotein', 'endocardial cushion size', 'cn-vii morphology', 'latency period before first movement outside a discrete space in an experimental apparatus', 'milk nitrogen amount', 'unilateral renal agenesis prevalence', 'av bundle morphology', 'testicular cell number', 'tibia midshaft total cross-sectional area', 'absolute change in plasma renin activity level', 'appendage morphology trait', 'muscle fatty acid c20:2', 'abdominal fat weight', 'amino acid metabolism trait', 'blood vessel maximum contractility', 'pharyngeal arch development', 'exocrine gland fluid/secretion measurement', 'hoof angle', 'tactition', 'serum alt activity level', 'leukocyte common antigen (lca) positive thymocyte count', 'blood interleukin-23 amount', 'deltoid process morphology', 'total liver volume', 'hepatobiliary system physiology', 'dressed carcass fat-to-muscle', 'hemostasis', 'sternum morphology', 't helper 1', 'sternum size trait', 'oligoglia morphology', 'retinal outer plexiform layer morphology trait', 'skull size trait', 'hair follicle morphology trait', 'snout shape trait', 'phalanx length', 'igg2c level', 'b cell anergy trait', 'faecal parasite oocyst', 'heart right ventricle dry', 'beta-ifn secretion', 'kidney vasculature', 'tibia toughness measurement', 'blood inorganic phosphate level', 'limb/digit morphology trait', 'pancreas wet', 'respiratory alveolus morphology trait', 'anti-single stranded dna antibody', 'hematopoiesis location', 'tarsals morphology', 'blood gsh-px activity level', 'blood vasopressin level', 'phalanx morphology', 'rostral-caudal body axis extension trait', 'spleen germinal center morphology', 'blood fibronectin', 'circulating interleukin-17 level', 'photoreceptor inner segment', 'cholinergic nerve fiber quantity', 'circulating luteinizing hormone', 'metacarpal bone morphology', 'femoral metaphysis morphological', 'calculated renal sympathetic nerve activity', 'mean velocity of circumferential fiber shortening', 'milk fatty acid cis-8,11,14-c20', 'milk somatic cell quantity', 'femur curvature trait', 'hair follicle orientation', 'cervical spinal cord hva amount', 'adipocyte maximal free fatty acid secretion to basal free fatty acid secretion ratio', 'stroke incidence/prevalence measurement', 'percentage of study population displaying experimental allergic neuritis at a point in time', 'immune system physiology', 'diencephalon morphology trait', 'pituitary gland measurement', 'canalis spiralis cochleae morphology', 'heart rate', 'haller tunica vascula', 'sucrose drink intake volume', 'blood calcidiol', 'left atrial volume', 'superior glossopharyngeal ganglion size trait', 'vitreous morphology', 'liver remodeling tumorous lesion volume fraction', 'dn1 thymocyte', 'calculated heart left ventricle morphological measurement', 'calculated urine sodium', 'milk fatty acid c5:0', 'embryo node', 'extensor digitorum longus', 'inguinal lymph node wet weight to body weight ratio', 'foregut', 'urine total protein level', 'embryonic-extraembryonic boundary morphology', 'plasma ace2 activity', 'hepatic tumor prevalence', 'liver campesterol level', 'coronal suture morphology trait', 'astrocyte morphology trait', 'blood cd4th1 cell to cd4 th2 cell ratio', 'cd4-positive t cell', 'prostate mass', 'kidney lesion', 'cerebellum vermis lobule ix morphology trait', 'basophil development trait', 'immunoglobulin heavy chain v-d-j rearrangement', 'adrenergic nerve fiber organization', 'arthritis incidence/prevalence measurement', 'fallopian tube morphology trait', 'milk fatty acid c22:5 n-3 percentage', 'mid-tibia width', 'calculated acoustic startle reaction measurement', 'single lung dry weight', 'spleen fdc network morphology trait', 'olfactory system morphology', 'gland', 'white lipocyte', 'synaptic adrenaline release', 'blood cd8 cell count to r73 cell count ratio', 'heart contraction pressure', 'white meat weight', 'blood progesterone', 'muscle vaccenic acid', 'aortic blood flow measurement', 'serum glutathione peroxidase activity', 'feather development', 'interscapular fat depot', 'urine norepinephrine amount', 'cardiac ganglion', 'blood sex steroid', 'complete blood cell', 'heart muscle cell morphological measurement', 'il-23p19 secretion', 'bone section trabecular separation', 'heart non-tumorous lesion', 'calculated blood differential leukocyte', 'cranial/facial bone', 'humerus area', 'blood cd45rc(+) cd4(+) t cell count', 'liver tumor incidence/prevalence measurement', 'prevertebral ganglion cell', 'adipose fatty acid cis-11-c20:1', 'proximal rib morphology', 'anti-double stranded dna antibody concentration', 'milk chloride concentration', 'blood granulocyte count to total leukocyte count ratio', 'cd8 cell count', 'longissimus thoracis size', 'aorta wall phosphylated enos protein level', 'milk myristoleic acid concentration', 'blood o2', 'motor neuron target finding trait', 'erpf', 'mammary gland integrity', 'temporalis muscle', 'kidney paraoxonase1 activity', 'longitudinal suture morphology', 'serum levels of somatotropic hormone', 'circulating homocysteine amount', 'endometrioid carcinoma', 't2 b cell morphology', 'serum dihydrotestosterone level', 'hepatic copper weight to body weight ratio', 'tubal tonsil morphology', 'circulating catabloin', 'liver sterol level', 'heart posterior wall thickness', 'circulating mineralcorticoid', 'kidney papilla morphology', 'machine milk', 'cochlear inner hair cell physiology', 'blood potassium amount', 'sweat gland morphology', 'chronic eae incidence/prevalence', 'chest', 'cerebral cortex pyramidal cell number', 'edt', 'muscle fatty acid cis-9-c18', 'thoracic aorta integrity trait', 'abomasum size trait', 'total breast muscle percentage', 'hypertrophic cell zone morphology trait', 'liver edema prevalence', 'meat arachidonic acid content', 'cd8-positive, gamma-delta intraepithelial t lymphocyte morphology trait', 'alanine transaminase activity', 'hind limb weight', 'single ear average of tympanic cavity epithelium width', 'primary somatosensory cortex', 'number of apoptotic cells as percentage of total number of cells', 'glossopharyngeal ganglion morphology', 'vaginal opening size trait', 'rumen', 'serum immunoglobulin', 'relapsing-remitting experimental autoimmune encephalomyelitis incidence/prevalence measurement', 'thyroid cartilage morphology', 'milk cis-vaccenic acid content', 'serum troponin t', 'l5 dorsal root ganglion morphology', 'interventricular septum membranous part morphology', 'blood vessel contractile force measurement', 'calculated single kidney', 'hard palate morphology trait', 'tibia morphological measurement', 'meat cis-10-heptadecenoic acid content', 'heart effluent lactate dehydrogenase activity level normalized', 'end-systolic heart left ventricle posterior wall thickness', 'stomach muscle', 'absolute change in packed red blood cell volume', 'paleostriatum morphology trait', 'serum calcium level', 'serum anti-rat type ii collagen antibody level', 'thyroid gland cell', 'oligoglia', 'eae prevalence', 'cranial suture closure initiation trait', 'placenta physiology trait', 'turbinated bone morphology', 'blood corticosterone', 'calculated heart blood flow', 'individual kidney dry weight', 'bone section mineralized tissue surface area', 'calculated heart right ventricle dna', 'granulocyte migration trait', 'basal ganglion neuron', 'aorta physiology', 'temporal lobe morphology', 'total body fat weight', 'tegmentum morphology trait', 'cd4-positive, cd25-positive, alpha-beta regulatory t-cell', 'saccharin intake volume', 'uterine tube length', 'blood vessel smooth muscle contractility trait', 'heterospecific interaction trait', 'midbrain/pons homovanillic acid amount', 'uterine horn morphology', 'corpus luteum quantity', 'corticospinal tract', 'neuroepithelial layer differentiation', 'utricle size', 'intramuscular fat weight', 'peak +lvdp/dt', 'urine albumin excretion rate', 'meat 7-octadecenoic acid content', 'peak expiratory flow', 'vestibular hair cell development', 'calculated vascular smooth muscle cell', 'myocardial', 'blood high-lca t4 t cell count', 'allantois morphology trait', 'inner hair cell synaptic ribbon', 'cerebral infarction measurement', 'enteric ganglia morphology trait', 'horizontal plate', 'cd4-positive, cd25-positive, alpha-beta regulatory t cell morphology trait', 'crop mass', 'telencephalon development trait', 'both kidney weight', 'blood vessel smooth muscle size', 'lung blood vessel', 'contextual fear conditioning behavior trait', 'circulating creatine kinase', 'blood glycated hemoglobin level', 'meat fatty acid c24', 'vestibular hair cell physiology', 'plasma globulin', 'milk fatty acid c18:3(n-3) concentration', 'average brain type ii spike-and-wave discharge duration', 'leukocyte morphology', 'statolith size', 'intact tumor cells in remodelling liver neoplastic nodules', 'skin na+ level to skin h2o level ratio', 'trigeminal nerve neurilemmoma onset', 'epidermis stratum lucidum morphology trait', 'hematuria incidence in hydronephrosis', 'milk casein', 'milk volume trait', 'hair physiology trait', 'islet of langerhans tumorous lesion', 'single lung wet weight', 'tcr alpha/beta positive cell count', 'impulse conducting system morphology trait', 'cochlear ganglion cell', 'neuron migration', 'stearic acid', 'spinal cord interneuron', 'mitral valve configuration', 'white fat cell size trait', 'lymph node trabecula', 'serum immunoglobulin g level', 'circulating interleukin-6 level', 'adipose fatty acid cis-9,cis-12-c18', 'ham fat weight', 'jugal bone', 'subventricular zone morphology trait', 'squamous cell carcinoma of the tongue tumor diameter', 'hair cell morphology', 'fiber cell morphology', 'parasite egg/oocyst', 'fleece yield', 'heart intraventricular septum end-diastolic thickness', 'b-1 b-lymphocyte morphology trait', 'seminiferous tubule morphology trait', 't-helper 2 physiology trait', 'type ii spiral ligament fibrocyte morphology trait', 'liver wet weight', 'prechordal plate', 'muscle dry', 'head and neck tumor measurement', 'glottis morphology trait', 'spiral crest morphology', 'meat aldehyde', 'rostrum morphology', 'prefrontal gyrus morphology', 'kidney renin level', 'breast muscle weight', 'femur morphology', 'meat estrone', 'milk stomatin concentration', 'motor neuron axon outgrowth trait', 'circulating hybridoma growth factor', 'milk fatty acid trans-9,cis-11-c18:2', 'cardiac ventricle morphology trait', 'colostrum immunoglobulin m concentration', 'glomerular capsule morphology', 'auricle of atrium morphology trait', 'hindlimb', 'milk growth factor concentration', 'serum triiodothyronine level', 'forelimb weight', 'splenic marginal metallophilic macrophage', 'plasma e. coli specific antibody level, post vaccination', 'otolith size', 'bsf-1 secretion', 'gastrocnemius molecular composition', 'skeletal myogenesis initiation', 'blood carboxy-terminal collagen crosslinks', 'calculated cd8+ cell count', 'left atrial morphology trait', 'muscle conductivity', 'organ tumorous lesion measurement', 'mesenteric artery morphological measurement', 'sensory dissociation area', 'kidney paraoxonase1 activity to total protein level ratio', 'shoulder composition', 'presacral vertebrae', 'prostate gland physiology', 'stillborn offspring quantity', 'cd8-positive, alpha-beta intraepithelial t lymphocyte morphology', 'absolute change in urine epinephrine excretion rate', 'motor neuron number', 'calculated intramuscular fat morphological', 'blood ggtp activity level', 'arthritic paw count', 'organism trait', 'colorectal tumor number', 'plasma sitosterol', 'renal blood flow rate to kidney weight ratio', 'kidney morphological', 'sympathetic ganglion morphology', 'regulatory t cell', 'milk wap', 'total urine molecular amount', 'cartilage development', 'experimental autoimmune neuritis composite score', 'plasma creatinine level', 'percentage of study population developing chronic experimental arthritis during a period of time', 'area of liver occupied by fibrotic lesions as percentage of total liver', 'thymocyte development trait', 'spiral ganglion morphology', 'angiotensin ii response/sensitivity measurement', 'hindlimb long bone morphology', 'thermoreceptor', 'brain dopamine', 'caudate-putamen morphology trait', 'terminal bronchiole', 'cochlear outer hair cell afferent innervation morphology trait', 'amount of time spent in voluntary immobility', 'milk chloride', 'milk steroid concentration', 'r73 cell count', 'tibia weight', 'malignant hepatocellular carcinoma tumor', 'parietal lobe morphology trait', 'milk steroid amount', 'sinus venosus sclerae morphology', 'membranous labyrinth morphology', 'logarithm of the lesioned side motor neuron count', 'subependymal zone morphology trait', 'circulating alp levels', 'blood non-specified leukocyte count', 'sour taste sensitivity trait', 'circulating interleukin-10', 'stroke incidence', 'muscle oleic acid content', 'cortical bone morphology trait', 'polynuclear neutrophilic leucocyte morphology', 'circulating pth', 'tongue epithelium morphology', 'viability', 'leucocyte migration', 'scrotum morphology', 'aerobic fitness trait', 'splenic marginal metallophilic macrophage morphology', 'dermis stratum reticulare morphology trait', 'fecal parasite oocyst count', 'percentage of study population developing malignant liver tumors during a period of time', 'ventricular septal morphology trait', 'circulating level of t4', 'milk earthy flavor intensity', 'somite shape', 'blood anti-double stranded dna antibody amount', 'plasma e. coli specific antibody', 'circulating potassium level', 'retinal pigment epithelium morphology trait', 'paranasal sinus morphology trait', 'blood creatine kinase activity', 'skeletal muscle mechanoreceptor', 'maternal behavior', 'ventriculus quartus size', 'pituicyte', "merkel's receptor innervation pattern", 'skin water amount', 'survival measurement', 'retina morphology', 'blood cell physiology', 't1 b cell morphology trait', 'germinative layer morphology trait', 'skin adnexa morphology trait', 'circulating estradiol level', 'eae severity', 'combined water and saccharin-water intake to total water only intake ratio', 'cerebral cortex morphology trait', 'blood chylomicron cholesterol', 'forebrain dihydroxyphenylacetic acid (dopac) amount', 'cone morphology', 'milk ionic calcium content', 'milk oily flavor intensity', 'change in log[vasoconstrictor]', 'milk fatty acid cis-11-c16:1 concentration', 'corpus papillary', 'hepatic tumorous lesion', 'blood ketone body level', 'touch corpuscle morphology', 'cortical vbmd', 'limb muscle', 'cervical epithelium morphology trait', 'liver cholesterol level', 'ischium morphology', 'number of rearing movements', 'salivary duct', 'suppressor t-cell', 'immune system organ', 'il-17 secretion', 'tn3 thymocyte number', 'molar crown morphology trait', 'ventricular trabeculae morphology', 'tumor necrosis factor-alpha secretion', 'uterine horn morphology trait', 'percentage of study population developing benign liver tumors during a period of time', 'circulating mast-cell colony-stimulating factor', 'glucose-6-phosphatase activity', 'osteoblast physiology', 'tibia total bone volume', 'total sperm count', 'prolactin-positive cell count to total pituicyte count ratio', 'total water plus saccharin-water intake', 'cochlear hair cell stereociliary bundle orientation trait', 'brain total spike-wave activity duration', 'tibial toughness measurement', 'spinal cord complement component 1, q subcomponent, b chain mrna level', 'clavicle cell quantity', 'femur midshaft cortical cross-sectional area', 'frontal suture morphology trait', 'limbic lobe morphology trait', 'pterygoid process morphology', "cowper's gland wet weight", 'blood chylomicron level', 'cerebellar vermis morphology', 'double positive t cell number', 'hypothalamus homovanillic acid', 'plasma creatinine', 'skeletal muscle fiber count to muscle cross-sectional area ratio', 'tongue muscle', 'circulating mast cell growth factor-2 level', 'neuron apoptosis', 'milk fatty acid trans-9,trans-12-c18:2', 'change in heart rate to change in mean arterial blood pressure ratio', 'dermomyotome development', 'thymocyte number', 'meat flavor intensity', 'deltoid tuberosity morphology', 'aerobic running capacity (arc)', 'milk diacylglycerol amount', 'transitional one stage b-lymphocyte number', 'response to nicotine trait', 'lumbar vertebra strength trait', 'oligoglia morphology trait', 'thorax trait', 'spinal accessory nerve', 'hindlimb morphology', 'l5 sympathetic ganglia morphology trait', 'neuromere', 'spinal cord ventral horn cd3-positive cell count', 'prostate integrity', 'preovulatory follicle quantity', 'slope of contraction-induced kidney vascular resistance curve', 'adipose physiology', 'capsula glomeruli morphology trait', 'blood rt6.1 positive cell count to total lymphocyte count ratio', 'blood vitamin a1 level', 'milk fatty acid cis-9-c10', 'heart left ventricle ventral wall thickness', 'milk fatty acid c18:2(n-6)', 'rt6.2+ cell count', 'gametogenesis', 'cochlear ohc morphology', 'heart ribonucleic acid composition', 'aorta smooth muscle cell count', 'sensory ganglion', 'both testes wet weight to body weight ratio', 'dopaminergic neuron quantity', 'adipose molecular composition', 'arm incidence', 'cerebellum development trait', 'b-1a b-lymphocyte', 'fat body', 'blood hormone', 'chronic induced arthritis incidence/prevalence measurement', 'aortic wall elastin dry weight to total aortic wall dry weight ratio', 'milk butyric acid flavor intensity', 'medulla oblongata epinephrine amount', 'blood immunoglobulin g2c amount', 'c-reactive protein physiology trait', 'milk sodium', 'experimental arthritis severity measurement', 'choroid blood vessel', 'heart left atrium morphological measurement', 'thymus cortico-medullary zone morphology trait', 'blood albumin level to blood globulin level ratio', 'cerebellar function', 'carcass length, first cervical vertebra', 'liver gssg level to liver weight ratio', 'cd8(+) cell', 'milk trans-9-octadecenoic acid content', 'number of male offspring per litter', 'fapgg metabolism-surface area product', 'cervical spinal cord 5-hydroxyindoleacetic acid', 'follicular dendritic cell morphology trait', 'bone section trabecular thickness', 'change in arterial blood flow rate', 'white blood cell level of radioactive nucleoside incorporation', 'type i cell morphology trait', 'amount of hair', 'granulocyte physiology', 'gmg cell', 'lung interstitium', 'keratinocyte', 'tissue weight of the intestine', 'plasma high density lipoprotein phospholipid', 'intracranial ganglion morphology trait', 'milk fatty acid trans-13-14-c18:1 concentration', 'mucosa-associated lymphoid tissue morphology', 'radius morphology trait', 'milk cis-9-heptadecenoic acid', 'liver glutathione disulfide', 'spine development trait', 'choroid plexus cell quantity', 'hemopoietic system', 'serum lactate', 'medulla oblongata norepinephrine amount', 'schwann cell precursor', 'serum immunoglobulin m-type rheumatoid factor level', 'grade 1 insulitis', 'mean brain type i spike-and-wave discharge duration', 'post-insult time to onset of diabetes mellitus', 'vertebra total cross-sectional', 'brain cell morphology trait', 'body weight to tibia length ratio', 'plasma sitosterol level', 'sebaceous gland physiology', 'bone cross-sectional area measurement', 'cerebellar vermis lobule morphology', 'female reproductive organ measurement', 'orbitofrontal cortex', 'blood vessel proliferation', 'combined water and saccharin-water intake', 'middle ear measurement', 'response to prion infection', 'spleen marginal sinus', 'aortic wall collagen', 'esophageal peristalsis trait', 'stria vascularis', 'plasma potassium level', 'liver/biliary', 'onset of intramembranous osteogenesis', 'tibial midshaft cortical cross-sectional', 'adipose oleic acid concentration', 'conjunctival vascular', 'renal/urinary morphological', 'adipose fatty acid c18:3 n-3 content', 'meat linoleic acid content', 'hemolymphoid system morphology', 'shoulder bone', 'blood ggt activity level', 'maximum distance run on treadmill', 'onset of somite differentiation', 'skeleton extremities morphology trait', 'distance between the eyes', 'long bone morphology', 'mandibular nerve branching', 'plasma high density lipoprotein cholesterol level', 'thymus capsule', 'neuron organelle measurement', 'aortic blood flow', 'poorly differentiated malignant colorectal tumor prevalence', 'spleen marginal sinus morphology', 'kidney ace activity level', 'endocrine/exocrine system measurement', 'hippocampal neuron number', 'gamma-delta t cell quantity', 'pituitary tumor formation', 'sap', 'urine component excretion rate measurement', 'b cell proliferation', 'esophageal smooth muscle morphology', 'plasma renin activity level', 'colliculi', 'posterior semicircular canal', 'tunica sclerotica', 'serum total cholesterol level', 'reticulo-rumen epithelium', 'z band morphology trait', 'trabeculae carneae morphology', 'b cell selection trait', 'serum anti-bovine type 2 collagen antibody titer', 'blood alanine transaminase activity level', 'type i muscle fiber number', 'artery wall thickness as percentage of artery inner diameter', 'deltoid tuberosity morphology trait', 'number of riel in renal arteries', 'total area of splenic region of pancreas', 'capillary morphology', 'semilunar ganglion', 'intraocular muscle morphology', 'inner hair cell stereocilia size trait', 'total skeletal weight', 'plasma corticosterone level', 'abdominal subcutaneous fat weight', 'calculated lung', 'pulmonary arterial blood pressure trait', 'olfactory bulb size trait', 'bile duct physiology trait', 'temperature regulation', 'urine microalbumin level', 'leukocyte homing', 'plasma immuglobulin a', 'toenail length', 'vitelline vascular', 'interventricular sulcus', 'intraocular muscle morphology trait', 'postcentral gyrus morphology trait', 'serum hemoglobin', 'schwann cell precursor morphology trait', 'alpha-beta intraepithelial t lymphocyte morphology', 'juxtaglomerular complex', 'circulating interleukin-13 level', 'plasma iga level', 'conjunctival vasculature', 'serum igm', 'b-cell growth factor-ii secretion', 'milk lauric acid percentage', 'hepatic copper weight to liver weight ratio', 'kidney glutathione amount', 'cochlear frequency tuning trait', 'milk fatty acid cis-9,cis-11-c18', 'rectum morphology trait', 'hypothalamus 5-hydroxyindoleacetic acid amount', 'serum igg2a level', 'erythrocyte physiology', 'logarithm of the lesioned side motor neuron', 'cardiac morphology', 'thoracolumbar system morphology', 'calculated drink intake weight', 'spinal column', 'spleen mononuclear cell count', 'circulating b-cell growth factor-i level', 'organ of corti supporting cell morphology', 'muscle electrophysiology trait', 'absolute change in hematocrit', 'lymph gland weight', 'hippocampus neuron number', 'motor neuron morphology', 'pulmonary venous morphology trait', 'brain neurotensin receptor 1 density', 'skin potassium level', 'fast-slope measurement of chemical-induced contraction', 'tcrgd cell morphology', 'platelet calcium amount', 'milk fatty acid c18:3(n-3) percentage', 'mammary gland weight', 'calculated urine potassium', 'muzzle', 'single testis dry weight', 'nutrient absorption', 'lowenberg scala morphology trait', 'meat eicosapentaenoic acid content', 'optic cup', 'brain spike-and-wave discharge frequency', 'distal hind leg circumference', 'spinal cord ventral horn', 'vermis morphology trait', 'skin weight', 'width of the glandular crypts of the duodenum', 'basisphenoid', 'central nervous system', 'circulating csif-10 level', 'tibia midshaft cortical cross-sectional', 'circulating interleukin-15 level', 'blood mug1 level', 'eosinophilic leucocyte differentiation', 'meat docosatetraenoic acid', 'heart atrium size trait', 'percentage of study population developing mammary tumors during a period of time', 'central nervous system physiology trait', 'tectorial membrane morphology', 'juxtaglomerular apparatus morphology trait', 'corpus luteum size trait', 'muscle innervation pattern', 'calculated pancreas', 'plasma anti-self antibody level', 'mammary gland circumference', 'gall bladder function', 'dendritic cell morphology', 'milk cholesterol ester concentration', 'meat color b', 'blood alpha-2-inhibitor 3 amount', 'skin cl- level to skin dry weight ratio', 'embryonic cilia', 'change in vasoactive chemical dose', 'alcohol trait', 'heart right ventricle weight', 'muscle mineral', 'scapula bone cell quantity', 'muscle cell glucose uptake', 'sinoatrial node morphology', 'relapsing-remitting experimental autoimmune encephalomyelitis incidence/prevalence', 'renal trpv4 protein level to beta-actin protein level ratio', 'chemical nociception', 'blood cystatin', 'uterine natural killer cell', 'otoacoustic response', 'percentage of deaths in a study population during a period of time', 'metatarsus morphology trait', 't1dm prevalence', 'milk sodium amount', 'abdominal fat depot morphology trait', 't lymphocyte', 't-helper 2 cell quantity', 'inguinal lymph node wet weight', 'joint diameter', 'respiratory alveologenesis trait', 'malleal processus brevis morphology trait', 'diaphysis', 'circulating albumin level', 'corpora quadrigemina organization', 'ventral thalamus morphology', 'brain development', 'ratio of ipca to total area of pancreas head region', 'prostate lesion measurement', 'ratio of change in body weight to total body weight', 'total horizontal distance covered resulting from voluntary locomotion in proximity', 'oval corpuscle', 'immunoglobulin heavy chain v(d)j recombination', 'caudatoputamen', 'osteoblast formation', 'heart ventricle morphology trait', 'carpal bone morphology trait', 'occipitomastoid suture morphology', 't2dm incidence', 'tumor necrosis factor alpha', 'calculated renal plasma flow rate', 'body movement measurement', '(total protein minus albumin)', 'vestibular labyrinth', 'hair tylotrich neuron morphology', 'macrophage morphology', 'ratio of the count of pancreatic islets with peripheral duct and vessel inflammatory infiltrate only to total pancreatic islet', 'synapse', 'total hepatic copper weight', 'uterine tube size trait', 'onset of type 2 diabetes mellitus', 'heart left ventricle wet weight', 'brain swd frequency', 'primary motor area', 'inner hair cell synaptic ribbon morphology trait', 'utricular macula', 'mammary gland function', 'colon size', 'cranial suture closure initiation', 'egg measurement, fowl', 'adipocyte non-esterified fatty acid secretion measurement', 'serum superoxide dismutase activity', 'major salivary gland morphology', 'calculated neuronal vacuole area', 'sulcus ampullaris', 'liver remodeling tumorous lesion volume to total liver volume ratio', 'musculus temporalis morphology', 'single positive t cell number', 'milk fatty acid c17:0 concentration', 'squamo-parietal suture morphology trait', 'biceps brachii muscle weight', 'nerve cell', 'pupil placement', 'femoral fat depot', 'cn-xi morphology trait', 'plasmacyte morphology', 'dendrite morphology trait', 'transitional three stage b-lymphocyte morphology', 'milk plastic flavor intensity', 'age at onset/diagnosis of diabetes mellitus type ii', 'white adipocyte morphology', 'cd4-negative, cd8-negative, alpha-beta intraepithelial t lymphocyte', 'neuromuscular synapse', 'udder height', 'granule cell morphology', 'testes morphology', 'blood autoantibody titer', 'gastric parietal cell morphology trait', 'rt; total glomerular arteriolar resistance', 'mature gamma-delta t lymphocyte', 'direct plasma bilirubin level', 'milk lactoferrin amount', 'thoracic aorta integrity', 'vein morphology trait', 'calculated artery diameter measurement', 'cardiac looping direction', 'neutrophil morphology', 'bone section structure model index', 'medulla oblongata epinephrine', 'b-2 b-lymphocyte morphology', 'epidermis stratum granulosum morphology', 'glutamic-pyruvate transaminase activity level', 'serum levels of lactogenic hormone', 'basal white blood cell proliferation', 'acromion morphology', 'spiral ligament of cochlea morphology trait', 'percentage of study population developing kidney edema during a period of time', 'respiratory bronchiole morphology trait', 'glycated serum protein amount', 'neuronal lysosome area', 'tissue ribonucleic acid composition', 'inguinal fat morphological measurement', 'neutrocyte morphology trait', 'cranial ganglion viii', 'blood ggt', 'subscapular fat pad mass', 'meat protein', 'mesenteric lymph node size trait', 'phenylephrine response/sensitivity', 'circulatory system development', 'lumbar vertebra morphological', 'milk fatty acid c20:5(n-3) concentration', 'bone energy', 'blood foreign compound', 'presacral vertebra number', 'naive b lymphocyte morphology', 'otoconia size', 'muscle cell morphology trait', 'cerebellar granule layer', 'phagocytic cell morphology trait', 'submandibular gland', 'uterus morphological measurement', 'respiratory alveolar duct morphology', 'artery lesion', 'aortic arch', 'plasma alt activity level', 'wool', 'erythrocyte precursor morphology', 'olfactory system', 'nervous system development trait', 'alcohol intake weight', 'blood hdl', 'whisker morphology', 'conformation of the forelimbs', 'intermaxillary bone morphology trait', 'circulating interleukin-1 beta', 'feather tract morphology trait', 'calculated rat serum anti-self type 2 collagen autoantibody titer', 'change in map to change in log[vasoconstrictor] ratio', 'limbus spiralis', 'sympathetic nervous system', 'olfactory receptor morphology', 'thurl width', 'bmi using body length, nose', 'heart igf1r mrna', 'b cell', 'lymphocytes', 'reticulo-rumen', 'blood steroid hormone', 'secretion by testes trait', 'epidermis development trait', 'blood mug1', 'forebrain development trait', 'bilateral testis tumor incidence', 'hepatocyte apoptosis', 'blood immunoglobulin g3', 'cervical spinal cord norepinephrine amount', 'memory t cell', 'joint measurement', 'both ears average of middle ear epithelium thickness', 'blood glycated albumin level to blood albumin level ratio', 'myeloid progenitor number', 'prl secretion trait', 'mesenteric artery phosphylated enos level to total enos level ratio', 'blood glucose amount', 'olfactory tract morphology trait', 'double-negative t-cell morphology trait', 'enteric neuron number', 'submandibular ganglion size trait', 'milk trans-vaccenic acid percentage', 'pro-b lymphocyte cell', 'plasma malondialdehyde level', 'calculated aorta wall molecular composition', 'scrotal circumference', 'ductus endolymphaticus morphology trait', 'muscle spindle', 'plasma chloride level', 'circulating pituitary hormone', 'adipocyte nefa release', 'alimentary/gastrointestinal measurement', 'blood cell', 'intraepithelial t lymphocyte', 'intestinal trypsin amount', 'brain lesion measurement', 'vertebral column orientation trait', 'experimental autoimmune encephalomyelitis onset/diagnosis measurement', 'b-1b b cell morphology', 'stria vascularis morphology', 'pancreas morphology trait', 'hindlimb stylopod', 'skin h2o level', 'absolute change in lvdbp', 'absolute change in adipocyte free fatty acid release per unit volume', 'experimental allergic neuritis incidence/prevalence measurement', 'femur work to failure', 'nk t cell physiology', 'omasum capacity', 'fat cell morphology trait', 'eosinocyte', 'aorta cellular protein', 'b1b cell morphology trait', 'circulating interleukin ii level', 'b cell activation trait', 'spleen red pulp', 'ctl physiology', 'locomotor behavior trait', 'incisive bone morphology', 'nipple quantity', 'epidermis stratum corneum thickness', 'milk myristic acid content', 'blood free fatty acid amount', 'detrusor smooth muscle contractility trait', 'pontine flexure morphology trait', 'thymocyte apoptosis', 'left lung', 'cd8-positive, alpha-beta intraepithelial t-cell morphology', 'heart right ventricle dna', 'inguinal fat pad', 'milk sulfate amount', 'hippocampal laminar structure', 'percentage of disease population displaying relapsing-remitting experimental autoimmune encephalomyelitis at a point in time', 'percentage of study population displaying unilateral left-sided renal agenesis at a point in time', 'triacylglycerol', 't-cell lymphoma onset/diagnosis', 'calculated blood vessel distensibility measurement', 'tibia bone mineral density', 'plasma paracetamol level area under curve (auc)', 'colostrum igm content', 'serum rat anti-self type 2 collagen antibody', 'total ethanol and water intake volume', 'circulating il-16', 'crop morphology', 'styloid process of temporal bone morphology', 'serum igg-rf level normalized to an arbitrary reference level', 'calculated motor neuron', 'outflow tract development trait', 'percentage of study population displaying well differentiated malignant colorectal tumors at a point in time', 'hepatic oxidized glutathione level', 'meat zinc content', 'milk fatty acid c10:0', 'plasma direct renin activity', 'abomasum', 'spleen dry weight', 'tracheal ciliated epithelium morphology trait', 'urine chloride excretion rate to body weight ratio', 'early pro-b cell', 'respiratory system physiology trait', 'induced arthritis severity', 'cholinergic nerve fiber', 'milk cis-10-heptadecenoic acid', 'respiratory alveoli size', 'neuron mitochondrion area', 'lumbar vertebra spongy bone cross-sectional area', 'inferior olivary nucleus morphology trait', 'percentage of study population developing liver edema during a period of time', 'spongy bone morphology', 'testis tumor incidence/prevalence', 'milk beta-carotene content', 'exocrine gland', 'dressed carcass composition trait', 'maturation zone morphology', 'choroid vascular', 'percentage of study population displaying pituitary gland hyperplastic lesions at a point in time', 'rt6.1 t lymphocyte', 'subependymal plate morphology trait', 'labyrinthine righting reflex', 'horny layer morphology trait', 'change in renal perfusion pressure', 'musculus temporalis', 'calculated heart rate', 'circulating norepinephrine', 'adenohypophysis', 'inflammatory exudate neutrophil', 'pressoreceptor physiology trait', 'urine chloride amount', 'transitional one stage b lymphocyte', 'renal artery', 'touch corpuscle size trait', 'milk fatty acid trans-12,trans-14-c18', 'plasma idl', 'post-insult time to onset of type 1 diabetes mellitus', 'number of ruptures of arterial iel', 'spinal cord ox6', 'sexual interaction', 'apoptotic cell', 'longissimus thoracis morphology trait', 'spinal cord ventral horn morphological measurement', 'ratio of the number of lymphocytes in an inflammatory exudate to the number of all cells in that exudate', 'milk somatic cell count', 'inflammatory exudate tumor necrosis factor alpha', 'oligodendrocyte number', 't-cell growth factor p40 secretion', 'plasma progesterone', 'meat gamma-linolenic acid', 'retinal outer plexiform layer morphology', 'associative learning', 'calculated ethanol intake', 'blood androstenedione', 'type ii pneumocyte morphology', 'otolithic membrane', 'stab form leukocyte percentage', 'nkt cell morphology trait', 'respiratory mucosa', 'blood orm1', 'basophil morphology trait', 'velum morphology trait', 'cd4-positive, gamma-delta intraepithelial t-cell morphology', 'number of squamous cell tumors of the tongue', 'milk osteopontin', 'intramembranous ossification initiation', 'c7 physiology', 'retinal bipolar cell number', 'deltoid impression morphology trait', 'integumentary system physiology trait', 'postcentral gyrus', 'kidney enzyme activity', 'femoral', 'epiphyseal plate morphology', 'calculated pancreatic islet beta cell area', 'cerebellum size trait', 'renal morphology trait', 'eosinophilic leukocyte differentiation', 'r73+ cell count', 'long length of egg', 'spine of scapula morphology trait', 'blood free glycerol', 'b-cell development trait', 'epididymis', 'calculated plasma adrenaline level', 'time to locate a visible target platform in an experimental apparatus', 'plasma haptoglobin level', 'percent postimplantation loss', 'cerebrovascular non-tumorous lesion incidence/prevalence measurement', 'change in body weight', 't cell receptor v-d-j recombination', 'circulating interleukin-16', 'adipocyte non-esterified fatty acid release', 'hyaloid capillary system development trait', 'tibia biomechanical', 'falciform lobe', 'muscle cellular composition trait', 'heart left ventricular end-diastolic blood pressure', 'skeleton morphological measurement', 'intramuscular fat area as percentage of skeletal muscle area', 'spleen morphology', 'behavioral response to novelty trait', 'body weight to body length (nose to rump) ratio', 'calculated back fat morphological measurement', 'schwann cell number', 'pituitary gland hyperplasia incidence/prevalence', 'dopamine amount', 'psalterial cord', 'serum anti-rat type ii collagen antibody', 'mesenteric fat pad mass', 'granulocyte', 'adipose protein', 'natural killer t lymphocyte', 'palatine gland ductal branching morphology trait', 'synaptic epinephrine release', 'brain type ii spike-wave discharge severity grade', 'average daily milk yield', 'lactotroph', 'calculated urine noradrenalin', 'leg muscle weight', 'regain baseline tilted plane angle at loss of balance/traction', 'circulating il13', 'neutrocyte physiology trait', 'complement physiology', 'regulatory t cell morphology trait', 'cholinergic nerve fiber organization trait', 'glucagon', 'stria vascularis intermediate cell morphology', "bowman's capsule", 'behavior trait', 'abdominal fat pad weight to body weight ratio', 'muscle eicosadienoic acid content', 'hair tylotrich neuron morphology trait', 'natural killer t lymphocyte number', 'pyometritis incidence/prevalence measurement', 'tumor necrosis factor alpha secretion', 'milk fatty acid trans-9,trans-11-c18', 'kidney glutathione peroxidase activity to glutathione reductase activity ratio', 'prenatal survival', 'pluripotent precursor cell morphology', 'striate body morphology', 'blood dipeptidyl carboxypeptidase activity level', 'liver granuloma severity score', 'milk alpha-s1-casein content', 'milk margaric acid percentage', 'immature b-cell', 'absolute change in urine noradrenaline excretion rate', 'optic vesicle development trait', 'skin development', 'rhinencephalon', 'aortic elastic fiber morphology', 'muscular system', 'percentage of study population displaying relapsing-remitting experimental autoimmune encephalomyelitis at a point in time', 'milk cla percentage', 'sensory nerve fiber organization trait', 'serum retinol level', 'horizontal semicircular canal morphology trait', 'food calorie intake level to body weight gain ratio', 'ratio of apoptotic bodies to intact tumor cells in remodelling liver tumorous lesions', 'circulating il5 level', 'lymph node medulla morphology trait', 'bone strength', 'volume of individual liver tumorous lesion', 'joint morphological measurement', 'natural killer t-lymphocyte', 'gnrh secretion trait', 'total ventral prostate', 'presphenoid bone', 'novel environment trait', 'serum ldl', 'digestive secretion trait', 'enteroendocrine cell morphology', 'duodenum glandular crypt', 'subpallium development', 'tibia midshaft total cross-sectional', 'b-1b b-lymphocyte', 'lymph node weight to body weight ratio', 'cardiovascular system', 'milk stomatin amount', 'hepatocellular carcinoma tumor', 'endocardial cushion orientation trait', 'calculated lymphocyte radioactive tracer', 'serum creatine phosphokinase activity', 'bone area', "bowman's capsule morphology trait", 'ear measurement', 'lingual bone morphology', 'random plasma renin', 'mucosa thickness of the proventriculus', 'skeletal muscle morphological', 'tongue mass', 'plasma intermediate density lipoprotein cholesterol level', 'pituitary diverticulum', "cowper's gland dry", 'polymorphonuclear leucocyte physiology trait', 'mast cell histamine storage', 'adrenal gland ribonucleic acid', 'blood fibrinogen', 'autoantibody level', 'skin barrier function trait', 'filiform papillae morphology trait', 'cardiac weight', 'kidney glutathione-s-transferase activity to total protein level ratio', 'adipocyte incremental free fatty acid secretion', 'e/a wave', 'milk fatty acid cis-9-c18:1', 'lens polarity trait', 'bruch membrane morphology trait', 'milk casein index', 'pectoral muscle morphology trait', 'spleen iron amount', 'muscle myoglobin amount', 'kidney superoxide dismutase to paraoxonase1 activity ratio', 'spinal cord mrna composition', 'sperm measurement', 'hearing electrophysiology trait', "cowper's gland size", 'hepatic glutathione level', 'smooth muscle physiology trait', 'renal blood flow', 'jugal bone morphology', 'nerve activity', 'podocyte', 'skin layer', 'cochlear hair bundle tip links morphology', 'olfactory nerve morphology trait', 'plasma alpha-fetoprotein', 'kidney protein activity', 'combined water and quinine-water intake', 'b-2 cell number', 'circulating il-1a level', 'internal adipose', 'plasma angiotensin ii', 'intercostal muscle weight', 'kidney non-tumorous lesion', 'auditory hair cell', 'cochlear outer hair cell stereociliary bundle morphology trait', 'heart angiotensin ii converting enzyme activity level', 'interleukin-23a secretion', 'posterior limiting lamina of cornea', 'serum haptoglobin level', 'spinal cord complement component 1, q subcomponent, b chain mrna', 'serum anti-rat type 2 collagen antibody', 'limbic system morphology trait', 'granule layer morphology', 'liver nonremodeling tumorous lesion volume fraction', 'involuntary movement', 'follicular dendritic cell quantity', 'adenoid morphology', 'meat trait', 'cerebrospinal fluid homeostasis', 'polymorphonuclear cell count', 'ampullary sulcus morphology', 'natural t cell physiology trait', 'helper t-lymphocyte type 2 cell differentiation', 'il3 secretion', 'blood shear trait', 'myolemma morphology trait', 'blood b lymphocyte count', 'b-cell domain morphology trait', 'blood cell morphology trait', 'anterior uvea', 'motile spermatozoa percent', 'membrana statoconiorum', 'circulating b cell stimulatory factor-1', 'body mass', 'pro-b cell morphology trait', 'alveolar septum thickness', 'blood alpha-fetoprotein level', 'serum autoantibody level', 'milk oleic acid content', 'circulating interleukin-4 level', 'milk mucin 1', 'blood enzyme protein level', 'baroreceptor morphology', 'proximal rib morphology trait', 'absolute change in adipocyte non-esterified fatty acid secretion per unit volume', 'plasma conjugated bilirubin', 'spinal cord morphology trait', 'both ovaries wet', 'alveoli morphology', 'urine epinephrine', 'lymph node measurement', 'femoral neck polar moment of inertia', 'extensor digitorum longus muscle weight', 'retina integrity trait', 't cell receptor v-d-j joining', 'lung angiotensin ii converting enzyme activity', 'brain commissure morphology trait', 'serum level of immunoglobulin g1', 'interleukin secretion', 'aorta elastic tissue morphology', 'percentage of study population developing cataract during a period of time', 'prefrontal gyrus', 't-helper 2 cell differentiation', 'superior colliculus size trait', 'calculated blood vessel smooth muscle cell', 'circulatory system morphology trait', 'myocardium physiology', 'aorta wall extracellular collagen', 'angii half maximal effective', 'primitive erythropoiesis', 'meat monounsaturated fatty acid content', 'milk fatty acid trans-10,cis-12-c18:2 concentration', 'myocardial compact layer morphology trait', 'circulating interleukin-23 alpha', 'otic vesicle cell number', 'ability to open eyelids', 'serum total igm level', 'blood ldl triglyceride', 'transitional b cell number', 'pericardial configuration', 'lip vermillion border width', 'interleukin-16 secretion trait', 'hydrocephaly severity measurement', 'skeletal muscle physiology trait', 'vibrissa number', 'blood b lymphocyte count to total lymphocyte count ratio', 'retinal pigment epithelium morphology', 'oogenesis', 'nociception system', 'blood vessel maximum contractility measurement', 'trabeculae carneae morphology trait', 'nk t cell morphology trait', 'fat morphology trait', 'central b lymphocyte anergy', 'mature t cell morphology trait', 'egg length', 'milk trans-9-octadecenoic acid', 'plasma anti-porcine type 2 collagen antibody level', 'hsv-induced encephalitis incidence/prevalence measurement', 'rectum mass', 'milk free calcium amount', 'percentage of study population developing hse during a period of time', 'retinal cell', 'calculated body weight estimate', 'diameter of squamous cell tumors of the tongue', 'lvawd', 'brain dry', 'membranous labyrinth morphology trait', 'pulmonary ventilation rate', 'adiposity index', 'muscle fatigue', 'leukocyte tethering or rolling', 'spleen marginal zone macrophage morphology', 'lymphocytic corona', 'milk sour aromatics flavor intensity', 'otic capsule morphology trait', 'blood lipoprotein phospholipid level', 'aag amount', 'nodose ganglion morphology trait', 'sebaceous gland', 'circulating ifn-gamma inducing factor level', 'parasitic infection incidence/prevalence measurement', 'inflammatory exudate mnl count', 'muscle water', 'motile sperm', 'milk fatty acid cis-11-c16:1', 'onset of muscle development', 'outflow tract development', 'cricoid cartilage morphology', 'interatrial septum configuration trait', 'age at onset/diagnosis of niddm', 'milk cd36 molecule', 'ovarian follicle morphology', 'lung wet weight as percentage of body', 'blood differential leukocyte count as percentage of total white blood cells', 'memory t cell morphology', 'brain physiology', 'blood ethanol level at regain of the righting reflex', 'serum low density lipoprotein phospholipid level', 'subcutis', 'deiters cell morphology', 'gonad morphology', 'hexadecanoic acid', 'isotype switching', 'left ventricle weight', 'calculated whole body visceral fat weight', 'inner ear', 'total pancreatic protein', 'c8 physiology trait', 'ductus endolymphaticus', 'epidermis stratum basale morphology', 'myringa morphology', 'serum autoantibody', 'maximum aortic velocity', 'drink energy intake rate', 'uterus weight', 't cell function', 'adipose palmitoleic acid', 'somatic motor system morphology', 'b-2 b lymphocyte', 'motor nerve terminal sprouting trait', 'onset of experimental autoimmune encephalomyelitis', 'type i muscle fiber quantity', 'olfactory discrimination memory trait', 'alanine transaminase activity level', 'hematopoietic system development trait', 'egg yolk', 'brainstem morphology trait', 'brain infarction measurement', 'brain wet weight', 'angiotensin i-converting enzyme activity', 'blood immunoglobulin g amount', 'cytotoxic t-cell morphology trait', 'milk cis-12-octadecenoic acid', 'cerebrum', 'skin elasticity', 'b-1a b cell', 'common myeloid progenitor cell quantity', 'abdominal hypodermal fat weight', 'superior olivary complex morphology trait', 'heart lv dna content to body weight ratio', 'trochlear nerve size', 'calculated uterine', 'serum cystatin c', 'maximum weekly bisphenol a in fructose drink intake rate', 'total breast muscle', 'pancreas gland morphology trait', 'intramuscular fat', 'milk lactose amount', 'heart tube looping direction', 'aorta wall extracellular elastin', 'reproductive system development', 'muscular system physiology', 'percent of time spent in freezing behavior', 'blood renin activity level', 'organ of hearing morphology trait', 'gastric tumor histology grade', 'kidney fibrotic lesion size', 'rump trait', 'hair-down cell innervation pattern', 'perilymph physiology trait', 'renal agenesis incidence/prevalence', 'malpighian corpuscle morphology', 'memory t cell morphology trait', 'food energy intake level to change in body weight ratio', 'vitreous membrane morphology', 'cytokine amount', 'circulating il13 level', 'cleaved embryo number, post ivf treatment', 'circulating interleukin-21', 'oval corpuscle morphology', 'cd8-positive, alpha-beta cytotoxic t cell morphology trait', 'nervous system disease incidence/prevalence measurement', 'neuron cytoplasm measurement', 'erythrocyte number', 'ileum mucosa morphology', 'falciform lobe morphology trait', 'plasma sodium level', 'plasma escherichia coli specific antibody titer', 'motor neuron count', 'sympathetic ganglia morphology trait', 'r73+ cell', 't-cell activation', 'posterior limiting lamina of cornea morphology', 'liver parenchymal degeneration incidence/prevalence', 'corpora lutea', 'osteoplast', 'brain weight to body weight ratio', 'basis cranii morphology trait', 'ventral prostate gland dry', 'vestibulocochlear ganglion', 'thoracic aorta cellular protein amount', 'circulating gamma-interferon', 'circulation', "ruffini's corpuscle morphology", 'number of sclerotic glomeruli', 'serum inorganic phosphate level', 'combined water and quinine-water intake to total water only intake ratio', 'total glomerular area', 'serum tyrosinase activity', 'b-1a b cell morphology trait', 'white lipocyte size', 'blood cartilage oligomeric matrix protein', 'metacarpus quantity', 'skeletal myogenesis', 'hepatic remodeling tumorous lesion', 'tongue', 'carcass weight', 'limbic system morphology', 'kidney morphology', 'height of the villi of the jejunum', 'thymus ribonucleic acid composition measurement', 'lumen diameter at maximum dilation expressed', 'atrial auricle morphology', 'phalanges morphology trait', 'skeletal muscle cell morphology trait', 'calculated apoptotic cell measurement', 'liver copper weight', 'blood glycerol', 'cranium morphology', 'neuron apoptosis trait', 'peripheral nervous system morphology', 'enteric cholinergic neuron morphology', 't-helper 2 cell differentiation trait', 'vermal uvula morphology trait', 'heart left ventricle end-diastolic relative wall thickness', 'cardiac valve', 'vertebra strength trait', 'immune system organ physiology', 'cecum', 'brain plant sterol and stanol amount', 'lymph node morphology', 'ast', 'circulating ketone body level', 'urine sodium excretion rate', 'infection trait', 'circulating ctla8 level', 'type iv spiral ligament fibrocyte morphology', 'calculated cerebral artery inner diameter measurement', 'calculated blood thyroid hormone level', 'serum gd activity', 'total lymphocytes', 'contralateral side motor neuron', 'aqueous drainage system morphology', 'pharyngeal muscle morphology', 'intraepithelial t-cell morphology', 'mast cell development trait', 'milk fatty acid c14:0 concentration', 'purkinje cell', 'plasma anti-ssdna antibody', 'nk cell count', 'type i spiral ligament fibrocyte', 'tb.sp', 'tibia mineral mass', 'membrana basilaris morphology trait', 'medulla oblongata dihydroxyphenylacetic acid (dopac)', 'femur polar moment of inertia', 'mammary fat pad morphology trait', 'phrenic nerve morphology', 'nonolfactory cortex', 'lymph node trabecula morphology', 'serum alkaline phosphatase activity', 'incidence of pituitary tumors that invade the glandular capsule', 'reproductive system physiology trait', 'blood cytokine measurement', 'submandibular lymph node size', 'vasculosa oculi morphology', 'haemolymphoid system physiology', 'milk butyric acid percentage', 'heart atrium appendage morphology trait', 'urinary system trait', 'liver campesterol amount', 'milk thrombospondin receptor', 'subependymal layer', 'vascular development', 'lipid amount', 'metatarsal bone', 'blood autoantibody amount', 'placental labyrinth', 'hip', 'hypothalamus', 'urine catecholamine amount', 'neutrophilic leucocyte', 'plasma tyrosinase activity', 'third ventricle', 'adrenal protein/peptide composition', 'blood acetaminophen amount', 'colon molecular composition trait', 'deltoid crest', 'heart ventricle papillary muscle', 'quadriceps mass', 'calculated drink energy intake', 'b2 cell', 'neointimal hyperplasia area', 'neuronal cytoplasm', 'blood cd45rchigh cd4(+) t cell', 'milk composition', 'calculated heart ventricle end-diastolic septal wall', 'skin molecular composition measurement', 'inflammatory exudate ltb4 to lxa4 ratio', 'sex gland physiology', 'milk unsaturated fatty acid', 'lymphoid system physiology', 'uterus wet weight to body weight ratio', 'long-term potentiation', 'serotonergic neuron morphology', 'renal perfusion pressure change', 'type i spiral ligament fibrocyte morphology trait', 'follicular arteriole morphology trait', 'vertebra trabecular cross-sectional area', 'vestibular cochlear ganglion', 'lingual bone', 'dressed carcass trait', 'meat monounsaturated fatty acid', 'femur cortical cross-sectional area', 'vertebra morphology trait', 'hepatobiliary system morphology trait', 'conjunctival blood vessel', 'white adipose', 'mesonephric duct morphology', 'l5 sympathetic ganglion', 'blood cst3', 'forebrain cell', 'sclerotica morphology', 'adipocyte nefa secretion trait', 'plasma intermediate density lipoprotein phospholipid', 'cytotoxic t-cell cytolysis', 'liver non-tumorous lesion incidence/prevalence', 'depth of the glandular crypts of the ileum', 'nutrient absorption trait', 'nk t lymphocyte physiology trait', 'liver ornithine decarboxylase activity trait', 'brain mass', 'calculated blood thyroid hormone', 'eosinophil migration trait', 'milk diacylglycerol content', 'visceral fat weight/ tibial length', 'sodium chloride drinking water intake volume', 'large intestine weight', 'pancreatic islet beta cell', 'skeletal muscle myosin isoform', 'b-cell physiology trait', 'olfactory mucosa morphology', 'nodose ganglion morphology', 'cd45rclow cd4 t cell count', 'calculated plasma aldosterone', 'retina integrity', 'blood monocyte count to total leukocyte count ratio', 'brown adipose morphology trait', 'heel depth', 'urine 3-methoxy-4-hydroxymandelic acid level', 'diabetes mellitus incidence/prevalence measurement', 'heart right atrium morphology', 'intercostal muscle mass', 'retinal vascular morphology', 'meat skatole odor intensity', 'neuron number', 'blood ldl particle diameter', 'urine solute amount', 'appendicular skeleton', 'normal sperm percent', 'forelimb stylopod', 'milk cluster of differentiation content', 'toll-like receptor 2 protein amount', 'central t-lymphocyte anergy', 'pituitary tumor', 'liver tumor measurement', 'blood anti-histone antibody amount', 'cardiac valve morphology trait', 'circulating interferon-gamma', 'mouth mucosa', 'total water plus saccharin-water intake to total water only intake ratio', 'meat fatty acid trans-11,cis-15-c18', 'plasma anti-collagen antibody titer', 'thyroid gland dry weight', 'axillary lymph node cell quantity', 'distal convoluted tubule morphology trait', 'serum immunoglobulin g1 level', 'nk cell physiology', 'circumvallate papillae morphology', 'spine development', 'heart ventricle septum configuration trait', 'interleukin-12 beta chain secretion', 'milk measurement', 'blood vessel reactivity trait', 'bone elasticity trait', 'post ivf treatment cleaved embryo number', 't helper 1 cell differentiation', 'neutrocyte morphology', 'sterol amount', 'kidney angiotensin ii converting enzyme activity', 'intervertebral disk', 'muscle fatty acid c18:0', 'spinal cord cd74 mrna level', 'vestibular hair bundle', 'individual kidney wet weight to body weight ratio', 'pallidum morphology trait', 'forelimb mass', 'palatine process morphology', 'blood natural killer cell count', 'kidney renin amount', 'maturation zone morphology trait', 'blood ldl phospholipid', 'aorta smooth muscle cell count per unit vessel', 'rib muscle thickness', 'canal of schlemm morphology trait', 'type iii spiral ligament fibrocyte morphology', 'chemotactic interleukin physiology', 'brown adipocyte', 'heart igf1 mrna', 'percentage of study population displaying malignant liver tumors at a point in time', 'area postrema', 'chemokine amount', 'b cell morphology trait', 'cardiovascular system morphology', 'skin water level to skin dry weight ratio', 'onset of experimental diabetes mellitus', 'blood vessel elastic tissue morphology', 'corneal stroma morphology', 'diastolic blood pressure variability', 'heart protein activity', 'blood cortisol amount', 'maternal behavior trait', 'blood aspartate transaminase activity', 'thymus medulla', 'plasma intermediate density lipoprotein cholesterol', 'circulating thyroxine level', 'vertebra cortex cross-sectional', 'milk trans-11,cis-15-octadecadienoic acid', 'tongue tumorous lesion measurement', 'brain campesterol level', 'male fertility trait', 'colostrum steroid concentration', 'uterine tube', 'ventral prostate tumorous lesion area', 'placenta maternal decidual layer morphology', 'logarithm of the total number of streptococcus pneumoniae bacterial colony forming units recovered', 'blood tsh level', 'microglial cell physiology', 'ventricle of cerebral hemisphere size', 'abnormal sperm percent', 'blood cd25(+) lymphocyte', 'pals', 'neuronal mitochondrion area measurement', 'urinary organ', 'kidney tubule size', 'inflammatory exudate mnl', 'platelet aggregation test', 'urine aldosterone measurement', 'hepatic molecular composition measurement', 'polymodal receptor morphology', 'temporalis muscle morphology', 'ctla-8 secretion', 'red blood cell shape trait', 'gastrointestinal system physiology', 'cd4+ t cell physiology trait', 't cell receptor delta chain v-d-j joining', 'heart dry weight', 'helper t-cell type 2 cell differentiation', 'plasma anti-rat type 2 collagen autoantibody', 'cardiac myocyte morphological measurement', 'anti-double-stranded dna antibody', 'juxtaglomerular apparatus morphology', 'rump bmi', 'serum thyroid stimulating hormone', 'dn4 thymocyte', 'respiratory alveolar duct morphology trait', 'cns neurotransmission', 'skin cl- level', 'fornix hippocampus', 'calculated aortic wall molecular composition', 'pharyngeal pouch', 'milk margaric acid concentration', 'malignant colorectal neoplasm surface area measurement', 'tunica propria corii morphology trait', 'atrium septum morphology trait', 'renal blood flow trait', 'aorta physiology trait', 'meat heneicosylic acid content', 'serum igd level', 'blood ammonia amount', 'parasympathetic neuron morphology trait', 'white fat cell', 'milk hormone concentration', 'apoptotic bodies', 'serum hdl phospholipid', 'blood total protein', 'thermal receptor morphology trait', 'blood chylomicron particle diameter', 'blood viscosity trait', 'belly percentage', 'calculated thymus', 'blood anti-laminin antibody level', 'both kidneys dry weight', 'lachrymal gland', 'sperm production trait', 'hassall concentric corpuscle', 'auditory physiology trait', 'blood hemoglobin a1c level level to blood hemoglobin level ratio', 'shoulder muscle mass', 'spinal cord dorsal horn', 'tympanic membrane morphology trait', 'body righting reflex measurement', 'blood cd3-positive cell', 'milk fatty acid c4:0 percentage', 'pituitary gland dry weight', 'percentage of study population with hydronephrosis developing hematuria during a period of time', 'iris development trait', 'hepatic lipid composition measurement', 'gustatory system physiology trait', 'blood sitosterol', 'igg level', 'internal auditory meatus morphology', 'uterine integrity', 'neuron morphology', 'blood sitosterol amount', 'granulated metrial gland cell morphology', 'fillet', 'endocardial cushion thickness', 'skin appendage morphology trait', 'circulating interleukin-9', 'urine protein/creatinine ratio', 'fin regeneration trait', 'gastric parietal cell morphology', 'soleus morphology trait', 'adipose fatty acid cis-9,cis-12-c18:2 percentage', 'shoulder girdle morphology trait', 'gamma-delta t-cell number', 'prostate tumor incidence', 'post-insult time to trigeminal nerve mpnst formation', 'serum vitamin a1', 'splenic germinal center morphology trait', 'plasma anion gap', 'hair tylotrich cell innervation pattern', 'podocyte morphology trait', 'ethanol metabolism rate', 'liver somatic index, lsi', 'hexadecanoic acid percentage', 'core body temperature', 'wool staple', 'type ii cell morphology trait', 'hypothalamus 5-hydroxyindoleacetic acid', 'blood very low density lipoprotein specific apolipoprotein b', 'helper t cell type 2 cell', 'circulating il-23a level', 'toll-like receptor 9 protein', 'stomach epithelium morphology', 'efferent lymphatic vessel morphology', 'gastrointestinal system physiology trait', 'right ventricular size', 'hcc tumor', 'orbitofrontal cortex morphology', 'gamete morphology trait', 'loin external fat', 'chronic pancreatitis incidence', 'head morphology', 'limb length', 'oleic acid', 'vestibular chamber', 'number of podocytes', 'eustachian tube', 'plasma anti-porcine type ii collagen antibody titer', 'mature gamma-delta t cell morphology', 'outer ear area', 'body fat mass', 'renal blood vessel physiology', 'vagina epithelium', 'neck weight', 'thymic', 'meat fatty acid c16:0 percentage', 'change in mean arterial blood pressure', 'blood anti-insulin autoantibody', 'serum aspartate aminotransferase activity level', 'number of neonatal deaths to total litter size ratio', 'spinal cord interneuron morphology', 'heart atrium morphological measurement', 'lactotroph count to total pituicyte count ratio', 'erythrocyte ion transport trait', 'plasma anti-deoxyribonucleic acid antibody titer', 'blood progesterone level', 'capillary blood pressure', 'pyramidal tract morphology trait', 'factor i level', 'spleen cell physiology', 'cardiac triglyceride level', 'meat water content', 'total horizontal distance resulting from voluntary locomotion in an experimental apparatus', 'total calorie intake', 'parietal bone morphology trait', 'hair cortex', 'percentage of study population developing gastric tumors during a period of time', 'blood hdl phospholipid level', 'blood apm1', 'cranial nerve morphology trait', 'dn4 alpha-beta immature t-lymphocyte', 'age at first egg', 'vertebra trabecular cross-sectional', 't2 stage b cell number', 'pulmonary alveolar duct morphology', 'plasma anti-double-stranded deoxyribonucleic acid antibody level', 'percent change in diastolic blood pressure', 'blood gd activity level', 'primary muscle spindle morphology', 'bony labyrinth morphology', 'mononuclear cell interferon gamma secretion', 'stab neutrophil', 'myrinx morphology', 'meat fatty acid c18:3 n-3 concentration', 'calculated pituitary gland morphological', 'milk fatty acid cis-15-c18', 'litter measurement', 'soleus morphology', 'blood cd45rclow cd8 t cell', 'tibiofibular fusion cross-sectional area', 'calculated heart ventricle end-systolic septal wall thickness', 'viable sperm', 'b-cell growth factor-1 secretion', 'milk lactoperoxidase', 'blood lactate dehydrogenase amount', 'egg shell morphology', 'urine creatine excretion rate', 'malpighian pyramid morphology', 'femoral neck width', 'calculated neuron lysosome area', 'both ovaries dry weight', 'volumetric bone mineral density', 'serum sterol level', 'femur metaphysial anteroposterior diameter', 'dendritic cell morphology trait', 'clitoris size', 'line of schwalbe morphology trait', 'blood glomerular filtration rate, may quadratic formula', 'serum hdl to ldl ratio', 'parietal lobe morphology', 'omasum weight', 'percentage of study population developing diabetes mellitus during a period of time', 'small intestine length', "hirschsprung's disease severity", 'plasma ast activity', 'pancreas tumorous lesion measurement', 'blood anti-single stranded dna antibody', 'choroid pigmentation trait', 'heart left ventricular end-diastolic diameter', 'calculated urine vanillylmandelic acid level', 'heart interventricular septum thickness', 'bone ultimate displacement', 'cytotoxic t-cell morphology', 'liver nonremodeling tumorous lesion volume', 'hassall concentric corpuscle morphology', 'gastrulation movement trait', 'calculated aorta morphological measurement', 'helper t lymphocyte type 1', 'thyroid gland measurement', 'b-1 b-lymphocyte morphology', 'kidney size', "reissner's membrane morphology", 'spinal cord ventral horn area', 'total fat body weight', 'lumbar vertebra height', 'ventral prostate tumorous lesion incidence', 'epidermis stratum lucidum', 'blood t helper 2-like cell count to total lymphocyte count ratio', 'brain type ii spike-and-wave discharge severity grade', 'cd4(+) cell', 't-cell morphology trait', 'back fat morphological', 'craniofacial physiology', 'olfactory receptor protein morphology trait', 'anti-nuclear antigen antibody level', 'maturation zone', 'cauda epididymis morphology trait', 'blood renin level', 'pao2', 'sex determination trait', 'superficial glomerulus count', 'infection incidence/prevalence measurement', 'vascular tunic of the eye', 'sublingual salivary gland cholinergic innervation pattern', 'epaxial muscle morphology', 'circulating il-12', 'tail)', 'plasma anti-double-stranded dna antibody level', 'milk sodium content', 'tarsal bone morphology', 'c7 physiology trait', 'onset of moribundity', 'schwann cell precursor morphology', 'onset of ean', 'jejunum morphology', 'plasma lactate', 'olfactory cortex morphology', 'blood protein measurement', 'suppressor t cell', 'bone polar moment of inertia', 'caudal vertebrae number', 'paw/hand/foot/hoof morphology', 'serum lactate dehydrogenase activity', 'offspring mortality measurement', 'l5 ganglion', 'spleen physiology trait', 'cloaca morphology', 'response to alcohol trait', 'artery wall thickness as percentage of artery outer diameter', 'branchial pouch morphology trait', 't3 stage b cell morphology trait', 'circulating eosinophil differentiation factor level', 'adipose fatty acid c20:2', 'vestibular hair bundle morphology', 'blood interleukin-21', 'blood tnf amount', 'neuron lysosome', "meissner's corpuscle size", 'l4 ganglion morphology', 'hypodermis integrity', 'efferent glomerular arteriolar resistance', 'tail weight', 'body wall morphology', 'calculated blood vessel maximum contractile force measurement', 'kidney lpo level', 't-cell receptor v(d)j recombination', 'poorly differentiated malignant colorectal neoplasm prevalence', 'kidney tubular degeneration incidence/prevalence measurement', 'circulating vldl cholesterol level', 'memory t lymphocyte morphology', 'kidney medulla trpv4 protein', 'tissue 5-hydroxyindoleacetic acid', 'enterocolitis severity', 'absolute change in food intake volume', 'orbitosphenoid bone', 'belly fat area', 'transmembrane potential', 'amacrine cell', 'parathyroid gland pigmentation', 'serum tsh', 'calculated serum triglyceride', 'single adrenal gland weight as percentage of body weight', 'nonfunctional nipple number', 'log2 of pituitary gland wet', 'endocrine gland measurement', 'ileum morphology', 'thyroid gland morphological', 'craniofacial bone morphology', 'litter', 'brain type i spike-and-wave discharge amplitude', 'choroid/ventricle morphology trait', 'blood acute phase protein measurement', 'intestinal adult trichinella spiralis count', 'spleen fdc network', 'pillar cell morphology', 'kidney cortex measurement', 'skeletal muscle myosin heavy chain type i', 'igl', 'double-negative t-cell', 'lumbar vertebrae number', 'hepatocyte proliferation', 'cloaca respiration', 'oxygen consumption', 'percentage of study population developing trigeminal nerve mpnst during a period of time', 'blood alcohol level', 'kidney glomerulosclerosis', 'urine mineral amount', 'blood hormone amount', 't2dm prevalence', 'offspring morphological measurement', 'cytotoxic t-cell physiology', 'milk vitamin b12', 'bone elasticity', 'artery lesion measurement', 'consumption behavior', 'pontine flexure morphology', 'body temperature trait', 'serum free glycerol level', 'hydrocephalus severity', 'spinal cord anterior horn', 'milk epithelial cell count', 'cardiac atrial morphology trait', 'liver hyperemia prevalence', 'acute eae incidence/prevalence measurement', 'total aortic wall dry', 'interatrial septum configuration', 'milk casein micelle size', 'circulating mcgf-2 level', 'residual lumen area of diseased artery', 'epididymal fat pad weight as percentage of body', 'ratio of insulin-positive cell area to total area of duodenal region of pancreas', 'lumbar vertebra spongy bone cross-sectional', 'circulating interleukin-2', 'log2 of pituitary gland wet weight', 'number of 20 x 20 cm floor squares crossed into, out of or within a discrete space in an experimental apparatus', 'palate morphology trait', 'blood chylomicron cholesterol amount', 'iodide oxidation trait', 'subthalamus', 'intramuscular adipose area', 'processus brevis morphology', 'inguinal lymph gland weight', 'white lipocyte morphology trait', 'heart left ventricle deoxyribonucleic acid content to body weight ratio', 'urine creatinine excretion rate', 'alcohol intake rate', 'total number born', 'carcass length', 'pectoral girdle morphology', 'ffa level', 'muscle free fatty acid (ffa)', 'blood amino acid', 'bronchoalveolar duct junction morphology trait', 'lumbar vertebrae', 'cochlear neuroepithelium morphology', 'vasodilation trait', 'follicular arteriole', 'prostate tumor measurement', 'mammary tumor incidence', 'glucose absorption', 'serum anti-type 2 collagen antibody', 'plasma osmolality', 'serum gssg', 'liver glutathione s-transferase-placental form mrna level', 'plasma anti-rat type ii collagen antibody level', 'keratinocyte morphology', 'anterior horn', 'cutaneous/subcutaneous mechanoreceptor morphology', 'serum igg-rheumatoid factor titer', 'blood cystatin amount', 'milk fatty acid cis-9-c14', 'plasma immunoglobulin g amount', 'radial glial cell morphology', 'sinus circularis morphology trait', 'serum total immunoglobulin m level', 'stomach integrity', 'pulmonary vascular resistance measurement (pvr)', 'malignant liver tumor', 'serum igg subtype level', 'tibial stiffness', 'renal tubule apoptosis', 'igg concentration', 'blood acidity-alkalinity balance trait', 'glycogen catabolism', 'milk muc1', 'renal/urinary measurement', 'adenophysis morphology', 'acute experimental autoimmune encephalomyelitis incidence', 'semimembranosus', 'milk alpha-lactalbumin percentage', 'femur ultimate displacement', 'interleukin i secretion', 'feather pigmentation trait', 'meat structure trait', 'thigh weight', "merkel's receptor quantity", 'dentin morphology', 'serum angii level', 'midbrain roof plate morphology trait', 'tunica vasculosa bulbosa morphology trait', 'liver tumorous lesion area measurement', 'plasma malondialdehyde', 'plasmacytoid monocyte', 'foreskin', 'well differentiated colorectal adenocarcinoma number', 'serum ldl-c', 'osteophage formation', 'circulating beta-ifn level', 'retinopathy incidence/prevalence measurement', 'milk fatty acid cis-12-c18', 'heart ventricle weight', 'absolute change in renal vascular resistance', 'liver disease severity measurement', 'enteric cholinergic nerve fiber organization trait', 'venous sinus of sclera', 'activated t cell count', 'incremental glucose uptake', 'erythrocyte precursor morphology trait', 'blood rt6.1 cell percentage', 'retinal outer nuclear layer', 'cocaine trait', 'inflammatory exudate tnfa', 'stomach squamous epithelium', 'whole body visceral fat weight', 'fetal growth', 'calculated motoneuron', 'malignant hepatic tumor number', 'basal free fatty acid secretion', 'morphology trait of the retinal vasculature', 'muscle vaccenic acid content', 'gonad development', 'calculated pancreatic total protein level', 'milk beta-lactoglobulin content', 'muscle dry matter amount', 'heat', 'horizontal distance covered resulting from voluntary locomotion in proximity to the target in an experimental apparatus to total horizontal distance covered ratio', 'myeloid leukemia incidence/prevalence measurement', 'facial morphology', 'mechanical nociception', 'mesonephric duct morphology trait', 'pancreatic islet morphological measurement', 'bone biomechanical', 'zygomatic process of maxilla morphology trait', 'parathyroid gland physiology trait', 'plasma free glycerol level', 'calculated ventricle contraction', 'statoconia', 'milk solids', 'milk cluster of differentiation', 'dorsal spinal root morphology', 'circulating il-10', 'submandibular lymph node', 'blood vessel smooth muscle physiology trait', 'functional nipple quantity', 'mammary duct', 'kidney physiology trait', 'blood cd45rchigh cd8 t cell count', 'serum igg-rheumatoid factor level normalized to an arbitrary reference', 'sclerotic glomeruli count', 'atrioventricular valve', 'adrenocortical cell', 'spleen morphological measurement', 'purkinje cell count', 'respiratory mucosa morphology', 'stab form leukocyte', 'duddell membrane', 'lymphocyte radioactive tracer measurement', 'liver measurement', 'basal ganglion neuron quantity', 'tracheal smooth muscle morphology trait', 'beta cell area', 'rosenthal canal morphology', 'scala media size trait', 'c-reactive protein', 'gamma-delta intraepithelial t cell', 'ventral prostate gland dry weight', 'pituitary tumor latency', 'milk somatic cell', 'brain type i swd severity grade', 'spermiation', 'total mononuclear cell', 'memory b cell differentiation', 'outer hair cell stereocilia', 'viable offspring quantity', 'interventricular septum membranous part', 'milk cis-10-heptadecenoic acid content', 'urine adrenaline excretion rate', 'diaphragm muscle morphology', 'postcentral gyrus morphology', 'drink intake duration', 'tear duct morphology trait', 'gonad', 'vestibular hair cell stereocilia size', 'serum total ige level', 'tissue weight of the small intestine', 'timed heart effluent volume', 'cholinergic innervation pattern trait', 'blood immunoglobulin m', 'calculated islet of langerhans', 'kidney ren', 'inflammatory exudate protein', 'muscle molecular composition', 'meat fatty acid c18:3 n-3 percentage', 'cd4-positive, alpha-beta intraepithelial t cell morphology trait', 'wildness behavior', 'left suprarenal gland wet weight', 'type iia muscle fiber number', 'total experimental time spent in type i spike-and-wave discharges', 'hsv-induced encephalitis incidence/prevalence', 'single positive t cell', 'blood high density lipoprotein particle diameter', 'circulating il-17 level', 'brain type i spike-and-wave discharge frequency', 'membrana hyaloidea', 'spiral ligament size trait', 'circulating b-cell stimulatory factor 2', 'milk fatty acid c20:2', 'blood igf1 level', 'intestinal aganglionosis incidence/prevalence measurement', 'splenic fibrosis prevalence', 'muscle nerve fiber organization', 'ctla8 secretion', 'parotid gland morphology', 'heart right atrium weight', 'corticospinal tract morphology trait', 'aorta integrity trait', 'circulating interleukin-5 level', 'brain electrical activity measurement', 'retinal photoreceptor layer morphology', 'muscle cell glucose uptake trait', 'vertebra length, cervical', 'milk sour flavor intensity', 'lung molecular composition trait', 'blood vessel dilation force reduction measurement', 'aorta elastic tissue', 'circulating il-12a level', 'serum vitamin a1 level', 'white adipose morphology trait', 'heart left ventricle anf amount', 'stamina', 'cd45rclow cd8 t cell', 'maxilla morphology', 'meat eicosanoic acid percentage', 'otic capsule', 'plasma alanine transaminase activity', 'trait', 'circulating tnfa level', 'presphenoid bone morphology', 'tibial cortical bone volume to tibial total bone volume ratio', 'craniofacial development', 'femur cross-sectional moment of inertia', 'tunnel of corti morphology trait', 'pars superior vestibularis morphology', 'ratio of beta cell area to total islet of langerhans area', 'paw/hand/foot/hoof', 'receptor-dependent blood vessel maximum contractile force to receptor-independent blood vessel maximum contractile force ratio', 'molar growth', 'haemoglobin', 'mannose-binding protein physiology', 'urine production trait', 'umbilical cord morphology', 'natural killer cell cytolysis', 'glomerular volume', 'langerhans cell physiology', 'blood igg', 'circulating hydrocortisone level', 'hippocampus pyramidal cell layer', 'brown adipose tissue', 'ventriculus tertius size', 'e/a wave ratio', 'liver cell morphology trait', 'plasma glucagon', 'rib fat content', 'tunica sclerotica morphology', 'liver sitosterol amount', 'kcl log half maximal effective concentration (log ec50)', 'sum of epididymal and perirenal white adipose tissue', 'lung size trait', 'b-2 b-lymphocyte', 'blood flow', 'colorectal cancer incidence/prevalence measurement', 'enteric ganglia morphology', 'amacrine neuron morphology trait', 'milk stearic acid', 'colorectal adenocarcinoma surface area', 'calculated neuron mitochondrion area', 'infection severity measurement', 'sclera morphology', 'serum igf1', 'plasma ldl phospholipid', 'salivary gland epithelial cell quantity', 'circulating amino acid', 'squamous cell carcinoma of the head and neck tumor', 'saccular macula', 'number of immature b-cells', 'kidney glomerulus quantity', 'pecquet duct', 'percent change in arterial blood flow rate', 'l4 drg morphology trait', 'natural killer cell quantity', 'calculated inguinal fat pad weight', 'percentage of study population displaying cataract at a point in time', 'heart left ventricle end-systolic posterior wall', 'clara cell', 'aorta volume', 'artery lumen area', 'white adipocyte size', 'calculated milk fat content measurement', 'blood hemoglobin', 'both lungs dry weight', 'blood autoantibody', 'ratio of the area occupied by cysts to the total area of the kidney', 'blood pressure time series linear term second order parameter', 'loin muscle depth', 'transitional one stage b-cell number', 'tunica vasculosa oculi morphology', 'ratio of maximum body weight loss to basal body weight', 'neuron lysosome area', 'cervicothoracic ganglion morphology', 'inferior colliculus morphology trait', 'milk whey protein content', 'pinna morphology', 'plasma anti-bovine type 2 collagen antibody', 'ethanol metabolism', 'statoconia morphology trait', 'brain type ii swd amplitude', 'milk fatty acid measurement', 'circulating noradrenaline level', 'total glomeruli', 'central nervous system glial cell morphology trait', 'olfactory bulb size', 'd-hair receptor morphology', 'choroid plexus', 'serum ace2 activity level', 'circulating interleukin-13', 'milk mineral', 'kidney glutathione level', 'serum anti-ssdna antibody', 'hypothalamus epinephrine amount', 'lymphocyte cell', 'blood angiotensin i level', 'corneal endothelium morphology', 'diaphragm size', 'lactation trait', 'clavicle cell number', 'e wave velocity', 'percentage of study population developing ventral prostate tumorous lesions during a period of time', 'snout', 'cochlear chamber', 'gland morphology trait', 'pallium morphology', 'tibia curved segment', 'chorioallantoic fusion trait', 'white adipose tissue weight to body weight ratio', 'follitropin secretion trait', 'ham external fat weight', 'malpighian pyramid morphology trait', 'reproductive system morphology trait', 'gain in body', 'kidney lipid peroxide', 'calculated blood vessel wall thickness measurement', 'total water plus quinine-water intake', 'serum hdl', 'calculated heart right ventricle morphological', 'mandible', 'inner ear neuroepithelium morphology trait', 'rib number', 'dressed carcass width', 'columnar layer morphology trait', 'alt activity', 'ventricle of diencephalon size', 'number of rearing movements in an experimental apparatus', 'response to xenobiotic stimulus trait', 'heart tube', 'gastric lesion', 'secretion by pituitary', 'systemic vascular resistance measurement (svr)', 'kidney paraoxonase 1 activity', 'transitional b cell morphology trait', 'subthalamic nucleus morphology', 'clonal anergy', 'perineum morphology trait', 'white blood cell number', 'fibula morphological measurement', 'plasma anti-dna antibody level', 'white blood cell mitogen-stimulated level of radioactive nucleoside incorporation', 'helper t cell count', 'mandibular nerve', 'blood glucose level area under curve (auc)', 'blood gamma-glutamyltransferase', 'udder cleft', 'slope of the change in mean arterial blood pressure', 'pelvic girdle morphology', 'compact bone thickness', 'gestation period duration', 'golgi organ morphology', 'alisphenoid bone morphology trait', 'milk linoleic acid concentration', 'temporalis muscle size trait', 'circulating t helper factor level', 'amygdala morphology', 'gastric lesion measurement', 'masseter muscle morphology', 'nipple shape trait', 'eye muscle morphology trait', 'circulating beta-interferon level', 'ileum crypt of lieberkuhn', 'urinary bladder dysfunction', 'hoof pigmentation trait', 'mature t cell morphology', 'number of unfertilized eggs recovered per round of so/ai', 'hepatocyte', 'adrenocorticotropin secretion trait', 'muscle fiber morphological measurement', 'igg3', 'maxillary palatial process morphology trait', 'response to parasitic infection trait', 'perirenal fat pad morphological measurement', 'enterocyte morphology trait', 'lacrimal system', 'fimbra hippocampus morphology trait', 'urine vma', 'testis rna composition measurement', 'hair cortex morphology', 'excretory system morphology', 'milk fatty acid c22:0', 'cd4 cell', 'endoderm development', 'malignant peripheral nerve sheath tumor measurement', 'pancreatic islet insulin release', 'alveolar bone', 'kidney protein carbonyl level to total protein level ratio', 'cd4-positive, gamma-delta intraepithelial t-lymphocyte', 'vestibular hair cell stereocilia quantity', 'osteophage', 'lymphatic system development', 'post-insult time to onset of hsv encephalitis', 'cardiac shape', 'spermatozoa measurement', 'exocrine pancreas morphology', 'meat fatty acid c20:2 concentration', 'urine phosphate excretion rate', 'homeostasis trait', 'cd4-positive t cell morphology', 'thymus size', 'natural killer t lymphocyte morphology', 'percent change in ventilation', 'number of tunel-positivecells', 'ventral prostate gland wet', 'celiac lymph node morphology', 'facial motor nucleus morphology trait', 'milk stomatin', 'purkinje neuron', 'arterial blood gas measurement', 'pancreas insulin amount', 'serum igm-rheumatoid factor level normalized', 'muscle glycogen homeostasis trait', 'pancreatic islet molecular composition', 'thigh girth', 'calculated heart blood flow measurement', 'meat fatty acid c20:5 n-3 content', 'milk fatty acid trans-11,cis-15-c18:2', 'wool fiber diameter', 'lymph node germinal center', 'somatic nervous system', 'tetradecanoic acid', 'semicircular canal morphology', 'granulated metrial gland cell morphology trait', 'right atrial weight', 'circulating t-cell growth factor', 'pituitary gland hyperplasia', 'thymus epithelium', 'lung weight, dry/body weight', 'right ventricular weight', 'damaged glomeruli', 'sensation behavior', 'cytotoxic t cell count', 'milk fatty acid c14:0', 'milk fat composition', 'heart atrium morphological', 'heart left ventricle ribonucleic acid content', 'heart muscle contractility', 'orm', 'ear lobe size', 'seminal gland wet', 'cardiac ventricular morphology', 'milk fatty acid concentration', 'poorly differentiated malignant colorectal cancer prevalence', 'entocornea', 'spinal cord beta-2 microglobulin mrna', 'activated partial thromboplastin time', 'basilar bone', 'natural killer t-lymphocyte physiology trait', 'total food energy intake level', 'number of all cells in that exudate', 'congenital malformation incidence/prevalence', 'incisor bone morphology', 'skin chemistry', 'right ventricular size trait', 'blood vessel smooth muscle dilation trait', 'spinal cord anterior column cellular composition', 'female reproductive system physiology trait', 'inner ear development', 'bill morphology trait', 'tongue epithelium morphology trait', 'anterior horn cell number', 'vision trait', 'forced expired vital capacity', 'tissue weight of the proventriculus', 'eosinophil differentiation', 'toxoplasma gondii infection incidence/prevalence', 'tongue non-tumorous lesion measurement', 'sex gland morphology', 'inferior glossopharyngeal ganglion of the glossopharyngeal (ix) nerve morphology', 'tectum size trait', 'natural killer t-lymphocyte physiology', 'brain spike-and-wave discharge measurement', 'aspartate transaminase level', 'spleen weight to body weight ratio', 'intake volume of ethanol to total fluid intake volume ratio', 'blood r73 cell to total mononuclear cell ratio', 'uterus ribonucleic acid', 'cd8-positive, alpha-beta regulatory t-lymphocyte', 'retroperitoneal fat depot morphology', 'reticulocyte morphology trait', 'egg weight, fowl', 'cd4-negative, cd8-negative, alpha-beta intraepithelial t-lymphocyte', 'orbit symmetry', 'circulating corticotropin-releasing hormone level', 'placenta vascular morphology', 'extensor digitorum longus morphology trait', 'heart right ventricle morphological measurement', 'serum gsh level', 'dermis', 'brain total type ii spike-and-wave discharge duration', 'plasma phytosterol', 'brain type i spike-wave discharge severity grade', 'hind leg length', 'both kidneys wet weight as percentage of body weight', 'hind paw morphological', 'blood ck activity', 'basement membrane development', 'inflammatory exudate monocyte', 'cervical spinal cord dopamine', 'parietomastoid suture', 'mitral valve', 'inflammatory exudate protein measurement', 'subependymal layer morphology trait', 'mature b lymphocyte morphology', 'shank morphology', 'blood malondialdehyde level', 'lens vesicle development', 'milk amount', 'leukocyte proliferation trait', 'circulating dihydrotestosterone level', 'nervous system physiology measurement', 'sucrose intake volume to total fluid intake volume ratio', 'cardiac output amount', 'urine hemoglobin amount', 'heart interventricular wall morphology', 'kidney', 'virchow-hassall body morphology trait', 'blood island morphology', 'deep cortex morphology trait', 'forced vital capacity', 'plasma sodium', 'lamina vitrea morphology trait', 'vbmd', 'slope of constriction-induced renal vascular resistance curve', 'serum anti-type 2 collagen antibody level', 'muller fiber', 'colliculus size trait', 'purkinje fiber morphology trait', 'net feed efficiency', 'rump width', 'parasympathetic nervous system morphology', 'time spent running maximum distance on treadmill', 'dressed carcass muscle-to-fat ratio', 'pancreatic islet lesion composite score', 'hindlimb stylopod morphology', 'serum thyrotropin', 't lymphocyte development', 'calculated vocalisation', 'cd25(+) cell', 'circulating interleukin-12 p70 level', 'oropharynx', 'milk kappa-casein', 'grade 4 insulitis', 'urine 3-hydroxybutyrate', 'pulmonary gas exchange trait', 'blood cd8(+) cell count to total lymphocyte count ratio', 'milk fatty acid trans-12,cis-14-c18:2', 'skin chloride level', 'residual milk volume trait', 'immunoglobulin', 'pituitary tumor diameter', 'hemoglobin absorbance', 'tegmentum morphology', 'blood vessel receptor-dependent maximum contractility', 'diencephalon cell number', 'orofacial morphology', 'uveal tract', 'milk btn', 'milk oleic acid concentration', 'deltoid eminence morphology', 'circulating growth hormone', 'islet of langerhans physiology trait', 'hematopoietic cell', 'calculated femur midshaft cross-sectional', 'ovarian hyperstimulation/artificial insemination measurement', 'the target in an experimental apparatus', 'rearing', 'cochlear hair bundle morphology', 'inguinal canal integrity', 'saccharin intake volume to total saccharin and water intake volume ratio', 'serum renin activity level', 'b-1 b-cell morphology trait', 'involuntary body movement', 'fontana canal morphology trait', 'cardiac muscle cell morphology trait', 'hair down neuron', 'plasma unconjugated bilirubin', 'milk organoleptic', 'aorta capacity', 'adipose fatty acid c20:2 percentage', 't-cell receptor delta chain v(d)j recombination', 'exocoelomic cavity morphology trait', 'calculated blood hemoglobin a1c level', 'heart left atrium configuration trait', 'bone total energy absorbed before break', 'lowenberg scala morphology', 'splenic morphology', 'skeletal muscle volume', 'definitive hematopoiesis', 'liver granuloma severity measurement', 'behavioral response to novel environment trait', 'single suprarenal gland wet weight to body weight ratio', 'kidney integrity', 'colostrum growth factor concentration', 'meat myristoleic acid content', 'tibia midshaft endosteal cross-sectional', 'dn1 thymic pro-t-lymphocyte number', 'reflex trait', 'intestinal fat', 'interleukin-9 secretion trait', 'cervical squamous epithelum morphology trait', 'brain spike-wave activity measurement', 'milk fatty acid cis-9,cis-12-c18:2 percentage', 'the number of zygotes/embryos lost postimplantation', 'corium morphology trait', 'serum urea nitrogen', 'pupil quantity', 'male reproductive organ weight', 'b-1a b-lymphocyte morphology trait', 'hymen development trait', 'nest-building behavior trait', 'liver phytosterol amount', 'tumor necrosis factor secretion', 'olfactory epithelium morphology trait', 'ca5(oh)(po4)3', 'early pro-b cell morphology trait', 'waist to hip ratio (whr)', 'blood magnesium amount', 't2 stage b cell morphology trait', 'vascular layer of the eyeball', 'pituitary gland hyperplastic lesion incidence/prevalence', 'heart left ventricle anf', 'stab neutrophil percentage', 'skull', 'postnatal growth', 'yoke bone morphology', 'meat oleic acid content', 'blood low density lipoprotein cholesterol level', 'sphenoid bone morphology trait', 'common lymphocyte progenitor morphology trait', 'skin potassium ion', 'heart left ventricle posterior wall', 'ethanol intake volume to total ethanol and water intake volume ratio', 'nasal mucous membrane', 'periodontal ligament', 'udder cleft morphology trait', 'otoconia', 'spleen ribonucleic acid composition measurement', 'blood alpha-fetoprotein amount', 'mature gamma-delta t-lymphocyte morphology trait', 'chest morphology', 'external meatus morphology trait', 't helper 2 cell number', 'pancreas/salivary gland morphology trait', 'circulating aldosterone', 'chondrocyte', 'muscle thickness of the colon', 'plasma glutathione', 'both ears average of tympanic cavity epithelium', 'mammary gland tumorous lesion', 'onset of fertility', 'left kidney wet', 'meat nitrogen content', 'natural killer cell physiology trait', 'nucleotide metabolism trait', 'helper t-lymphocyte type 1', 'left lung wet weight', "rathke's pocket", 'cn-iii morphology', 'atrioventricular cushion morphology', 'female fecundity trait', 'milk pentadecanoic acid content', 'thymus trabecula morphology trait', 'cd4-positive, cd25-positive, alpha-beta treg', 'ffa', 'pterygoid bone morphology trait', 'sensory perception', 'colonic aganglionosis incidence/prevalence', 'final total body weight', 'experimental diabetes mellitus prevalence', 'lymphocyte morphology', 'nail shape trait', 'secondary neuromuscular spindle size', 'lumbar vertebra morphological measurement', 'fear-related behavior trait', 'stapes footplate morphology trait', 'thymus cmz morphology', 'bv', 'gastrointestinal system morphology trait', 'helper t cell type 2 function', 'ventricle contraction', 'squama temporalis morphology', 'afferent glomerular arteriolar resistance', 'fontana canal', 'il-12p40 secretion', 'plasma gpt activity level', 'gastric mucosa morphology', 'oval corpuscle size trait', 'lung weight, dry/body', 'adrenaline secretion', 'circulating estrogen', 'calculated hepatic malondialdehyde level', 'corpora quadrigemina organization trait', 'both seminal vesicles wet weight', 'egg size', 'response to fungal infection trait', 'heart muscle cell morphology', 'circulating cortisol level', 'stomach weight', 'kidney calyx', 'circulating il-18 level', 'il-12p35 secretion', 'malignant peripheral nerve sheath tumor onset/diagnosis', 'phagocyte morphology', 'total ventral prostate area', 'blood lca t4 t cell', 'heart weight', 'tissue hormone composition', 'epiphysis', 'serum rat anti-self type 2 collagen antibody titer', 'lambdoidal suture morphology trait', 'tibia size', 'lymphocyte proliferation', 'phenylephrine-induced blood vessel contractile force expressed', 'single kidney dry', 'hind limb morphological', 'percent change in rsna', 'interleukin-2 activity', 'salivary gland morphology', 'serum angiotensin ii', 'chemokine', 'plasma creatine kinase activity', 'posterior stroma morphology', 'total plasma calcium level', 'serum type i collagen c-terminal telopeptide level', 'albumin', 'l5 sympathetic ganglia', 'interleukin-3 secretion', 'heart left ventricle end-systolic diameter', 'orosomucoid 1 amount', 'interleukin-12p35 secretion', 'stratum reticulare corii morphology', 'blood lipoprotein measurement', 'vermal pyramis morphology', 'muscle ribonucleic acid composition', 'neutrophilic leukocyte morphology trait', 'circulating il-12p35 level', 'reticulorumen epithelium thickness', 'uvea morphology trait', 'lumen diameter at maximum constriction expressed as percent of baseline', 'level', 'blood sulfate', 'nk cell', 'kidney collecting duct', 'blood retinol level', 'posterior limiting layer of cornea morphology', 'colorectal neoplasm number', 'immune system organ development trait', 'benign colorectal cancer prevalence', 'ribeye', 'diabetes mellitus onset/diagnosis', 'cutaneous/subcutaneous mechanoreceptor', 'adipose tissue amount', 'metabolism', 'egg white measurement, fowl', 'hypothalamus hva amount', 'urine phosphate', 'heart right ventricle ribonucleic acid', 'total vertebra quantity', 'milk tridecylic acid content', 'percent change in packed red blood cell volume', 'intramembranous ossification initiation trait', 'serum igm-rheumatoid factor', 'heart left ventricle anterior wall thickness', 'serum orosomucoid 1', 'liver morphology trait', 'phrenic nerve', 'kidney lipid peroxidation', 'cd4-positive, gamma-delta intraepithelial t-lymphocyte morphology', 'calculated blood cd4 cell count', 'circulating estrogen level', 'labyrinthus vestibularis', 'calculated heart weight', 'calculated weight of islet beta cells in the tail region of pancreas', 'cardiac atrium morphology', 'endolymphatic duct morphology trait', 'aorta wall extracellular elastin dry weight to aorta wall extracellular collagen weight ratio', 'gmg cell morphology', 'vertebrate trait', 'pancreatic delta cell morphology trait', 'lymphatic system morphological measurement', 'colostrum hormone', 'glial cell morphology', 'plasma pyruvate level', 'ciliary body morphology trait', 'plasma uric acid', 'blood idl phospholipid level', 'granulocyte morphology', 'milk fatty acid c18:0 percentage', 'blood androstenedione level', 'urine total protein', 'gonadal fat depot', 'fallopian tube morphology', 'cerebrovascular system morphology', 'suppressor t lymphocyte morphology', 'urothelium morphology trait', "henle's loop", 'ru 49637 secretion', 'drum membrane', 'plasma anti-porcine type 2 collagen antibody', 'plasma igm', 'tooth primordium development', 'blood interleukin-16', 'b1a cell morphology trait', 'hippocampal development trait', 'ureteric bud morphology trait', 'rsna', 'maximal aerobic capacity', 'induced arthritis incidence', 'size of newly born offspring', 'body posture trait', 'left atrium volume', 'ligamentum spirale cochleae morphology trait', 'auditory vesicle cell', 'meat composition trait', 'posterior limiting layer of cornea morphology trait', 'drink calorie intake level to body weight gain ratio', 'ependyma morphology', 'zygoma morphology trait', 'adipocyte basal free fatty acid release', 'secondary lens fiber morphology', 'inferior olivary nucleus', 'blood nh2-terminal nppb', 'milk fatty acid c9:0', 'blood peptide hormone level', 'abnormal sperm', 'il-9 secretion', 'artery molecular composition', 'respiratory alveolar epithelial cell morphology trait', 'ischial bone morphology', 'wrisberg ganglia', 'milk prolactin amount', 'blood mineralcorticoid amount', 'pineal body', 'lipoxin a4', 'blood intermediate density lipoprotein cholesterol amount', 'heart ventricle papillary muscle morphology trait', 'lymphopoietic system', 'lymph node primary follicle', 'blood paracetamol', 'total femoral neck cross-sectional', 'ear size trait', 'carotid body', 'ratio of change in body weight to total basal body weight', 'transitional one stage b-cell morphology trait', 'nkt cell number', 'taste sensitivity trait', 'single adrenal gland wet weight as percentage of body', 'blood coagulation measurement', 'tibiofibular fusion cortical bone endosteal cross-sectional area', 'number of non-tongue squamous cell tumors of the head and neck', 'blood vessel smooth muscle dilation', 'pulmonary alveolus epithelial cell morphology', 'milk thrombospondin receptor concentration', 'uterine lumen morphology', 'fructose absorption trait', 'heart muscle cell morphological', 'adipocyte free fatty acid release measurement', 'blood eosinophil count', 'angiotensin 2 log half maximal effective concentration', 'interleukin-12 p70 secretion', 'calculated endo-diastolic volume', 'blood nk cell count to total lymphocyte count ratio', 'circulating anti-single stranded dna antibody', 'strial vascular', 'dn2 immature t cell number', 'bronchial-associated lymphoid tissue', 'blood cd25 lymphocyte count to total lymphocyte count ratio', 'well differentiated malignant colorectal neoplasm surface area measurement', 'serum iga', 'drinking behavior trait', 'supplementary motor/speech area', 'unidentified leukocyte', 'deep cell morphology', 'serotonergic neuron morphology trait', 'bone morphological measurement', 'ischium', 'measurement of freeze behavior', 'hind feet phalanges count', 'meat skatole content', 'chronic experimental arthritis incidence', 't lymphocyte morphology trait', 'intestinal adipose', 'heart effluent lactate dehydrogenase activity level normalized to heart weight', 'cd4-positive, gamma-delta intraepithelial t lymphocyte', 'tectorial membrane size trait', 'drink calorie intake', 'kidney 20-hete', 'kidney medulla protein', 'thymus corticomedullary zone morphology', 'heart right ventricle anterior wall thickness', 'cochlear hair cell stereocilia size trait', 'cd8-positive, alpha-beta cytotoxic t-cell morphology trait', 'trigeminal motor nucleus size trait', 'blood differential wbc', 'hair growth', 'tibio-fibular complex cross-sectional', 'ovary diameter', 'serum gamma-glutamyltransferase activity', 'retinal ganglion layer', 'interleukin', 'heart left ventricle relative wall', 'milk urea nitrogen yield', 'superior colliculus morphology', 'osteocyte morphology', 'capillary', 'oocyte', 'lymphoid system development trait', 'digit number', 'cardiac molecular composition', 'superior vena cava morphology trait', 'total food calorie intake level', 'ventricular papillary muscle morphology', 'milk fatty acid trans-8,trans-10-c18', 'supramarginal gyrus', 'patella morphology trait', 'calculated spinal cord ventral horn area measurement', 'diaphragm morphology trait', 'epididymal fat pad weight to tibia length ratio', 'malignant peripheral nerve sheath tumor incidence/prevalence measurement', 'natural killer t cell morphology', 'alveolocapillary membrane morphology', 'brain weight as percentage of body weight', 'peripheral nervous system glial cell', 'immature b cell morphology trait', 'nervous system tract morphology', 'cerebral infarction', 'erythrocyte size trait', 'body weight to body length (nose to tail) ratio', 'milk fatty acid trans-10-c18:1 percentage', 'cognitive behavior trait', 'hepatic mineral measurement', 'calculated heart right ventricle deoxyribonucleic acid content', 'zygomatic bone morphology', 'eae onset/diagnosis measurement', 'cerebral cortex pyramidal cell', 'udder circumference', 'percentage of study population displaying acute experimental allergic encephalomyelitis at a point in time', 'anti-insulin autoantibody', 'respiratory circulation', 'plasma ldh activity level', 'calculated heart left ventricle end-systolic posterior wall thickness', 'amniotic fold morphology', 'alanine transaminase level', 'parasympathetic postganglionic fiber', 'sublingual salivary gland cholinergic nerve fiber quantity', 'bone marrow cavity development', 'kcl response/sensitivity measurement', 'heart left ventricle interstitial angiotensin ii', 'cns synaptic transmission trait', 'platelet distribution width', 'cholesterol homeostasis', 'colorectal adenocarcinoma surface area measurement', 'diaphragm thickness', 'thrombopoiesis trait', 'stomach tumor susceptibility score', 'eda', 'secondary muscle spindle size trait', 'milk fat measurement', 'lymphocyte quantity', 'mammary alveoli volume', 'circulating cytotoxic lymphocyte maturation factor level', 'tactile sensory behavior trait', 'serum total igg', 'nonolfactory cortex morphology trait', 'stapes size', 'milk fat amount', 'eosinophil granulocyte', 'calculated urine creatinine level', 'lumbar vertebra cortical cross-sectional', 'aorta elastin', 'lymph flow', 'calculated epididymal fat pad', 'brain type i spike-and-wave discharge rate', 'blood cd8(+) cell', 'serum anti-double-stranded dna antibody level', 'cd8-positive, alpha-beta intraepithelial t lymphocyte morphology trait', 'blood agp', 'polymorphonuclear leukocyte morphology', 'renal medulla measurement', 'cholesterol homeostasis trait', 'abdominal fat morphological measurement', 'adipose fatty acid c18:3 n-3 percentage', 'food intake weight to gain in body weight ratio', 'base excess', 'urine adrenaline level', 'ossification trait', 'subarcuate fossa', 'stratum reticulare cutis morphology', 'adipocyte non-esterified fatty acid release measurement', 'right major bronchus', 'calculated food intake volume', 'glottis morphology', 'serum cholesterol', 'taste papillae', 'lymph organ development trait', 'colon length', 'fdc network', 'mid-tibia', 'maximum diameter of squamous cell tumors of the tongue', 'serum alanine aminotransferase activity', 'percentage of study population displaying stomach tumors at a point in time', 'stomach tumor incidence', 'tail bud morphology', 'accessory nerve morphology trait', 'blood hemoglobin a1c level', 'calculated liver tumorous lesion area', 'erythrocyte measurement', 'back leg length', 'spleen marginal zone macrophage', 'mullerian duct morphology', 'calculated liver', 'stria vascularis ductus cochlearis morphology trait', 'av bundle morphology trait', 'brain lipid measurement', 'stripping milk volume trait', 'uterine wet', 'circulating il3', 'sternum shape', 'clavicle', 'taste bud', 'circulating il21 level', 'heart ace2 activity level', 'malignant hepatic tumor incidence/prevalence measurement', 'bile duct morphology trait', 'belly size', 'meat fatty acid trans-15-c18', 'serum prolactin level', 'myocardium compact layer morphology trait', 'squamo-parietal suture', 'serum calcium', 'interleukin-10 physiology', 'calculated heart left ventricle end-systolic posterior wall', 'milk fatty acid c22:6 n-3 concentration', 'adipocyte maximal free fatty acid release', 'blood lipoprotein cholesterol', 'labyrinthus vestibularis morphology', 'calculated neuron vacuole area measurement', 'rib thickness', 'fin morphology trait', 'bone mineralization', 'kidney glucose-6-phosphate dehydrogenase activity', 'experimental allergic neuritis incidence', 'cd8+ cell', 'digit morphology trait', 'serum angiotensin i converting enzyme activity level', 'cardiac muscle morphology trait', 'blood creatinine level', 'fat androstenone level', 'calculated differential white blood cell count', 'circulating hematopoietin-1 level', 'serum chylomicron', 'basisphenoid morphology trait', 'blood very low density lipoprotein specific apolipoprotein b level', 'helper t-cell type 2 cell number', 'pulmonary artery morphology', 'change in mean arterial blood pressure to change in vasoactive chemical dose ratio', 'eye', 'methamphetamine', 'neutrophil count as percentage of total white blood cells', 'milk arachidonic acid content', 'response to methylenedioxymethamphetamine', 'ean composite score', 'mammary alveoli epithelial cell', 'perivascular macrophage morphology', 'tibia midshaft cross-sectional area', 'pancreatic physiology', 'strial marginal cell morphology', 'uterine nk cell number', 'belly fat', 'b1 cell morphology', 'skin (k+ + na+)', 'vertebral column morphology', 'hepatic tumorous lesion area measurement', 'fecal parasite oocyst', 'brain function', 'colon morphology trait', 'adipose eicosadienoic acid', 'lymphocyte count as percentage of total white blood cells', 'pulsatile insulin release periodicity measurement', 'axial mesoderm development trait', 'ventral thalamus morphology trait', 'periotic capsule', 'respiratory transport trait', 'gamete', 'spleen development trait', 'blood growth hormone level', 'comb size trait', 'lymph node trabecula morphology trait', 'percent change in food intake weight', 'foliate papillae morphology trait', 'milk trans fatty acid', 'chronic pancreatitis incidence/prevalence measurement', 'corticobulbar tract morphology', 'muscle lactate', 'benign colorectal neoplasm number', 'organ non-tumorous lesion', 'helper t cell type 2 cell number', 'iris stroma morphology', 'milk retinol concentration', 'blood ggt amount', 'pharynx morphology', 'testes development', 'tricuspid valve configuration trait', 'spinal cord b2m mrna', 'milk fatty acid trans-11,trans-15-c18', 'nasal cavity morphology', 'glia morphology', 'blood interleukin-12', 'nesting behavior', 'band neutrophil granulocyte percentage', 'calculated liver propanedial level', 'glycolytic potential', 'minimum weekly bisphenol a in fructose drink intake rate', 'brain ventricle', 'retinal outer nuclear layer morphology trait', 'renal sympathetic nerve activity', 'b-cell number', 'percentage of study population developing bilateral renal agenesis during a period of time', 'inguinal canal integrity trait', 'vibrissae density', 'blood immunoglobulin a', 'circulating creatine kinase level', 'tibia midshaft cortex cross-sectional', 'interneuron morphology trait', 'placental vascular morphology trait', 'white fat cell morphology trait', 'middle ear bone morphology trait', 'tibialis anterior', 'artery molecular composition trait', 'heart atrium appendage', 'serum levels of tsh', 'renal arterial blood flow rate', 'epidermis stratum spinosum', 'meat fatty acid cis-6,9,12-c18', 'subcutaneous fat weight', 'lumbar vertebral cortical cross-sectional area', 'regulatory t cell physiology trait', 'sarcoplasmic reticulum', 'bone development', 'caudal ganglionic eminence', 'percentage of study population displaying bilateral testis tumors at a point in time', 'lumbar vertebra trabecular bone cross-sectional area', 'pulmonary elastic fiber morphology trait', 'serum iga level', 'circulating il18', 'neuron specification trait', 'plasma anti-rat type ii collagen autoantibody', 'primitive erythrocyte', 'spinal cord b2m protein', 'round window morphology', 'testis molecular composition trait', "meissner's corpuscle morphology trait", 't cell clonal deletion trait', 'brain type i spike-wave discharge amplitude', 'cd4-positive, cd25-positive, alpha-beta regulatory t-lymphocyte morphology trait', 'cerebellum foliation', 't-cell physiology trait', 'atrial septum morphology', 'cardiovascular system development', 'pectoralis minor', 'blood idl phospholipid amount', 'er-tr9 positive cell', 'major salivary gland', 'th1 cell to th2 cell ratio', 'cell organelle measurement', 'egg white', 'calculated blood pressure', 'neointimal hyperplasia', 'neurilemmoma incidence/prevalence measurement', 'proximal-distal axis patterning', 'alisphenoid morphology trait', 'complement classical pathway function', 'hind foot morphological', 'respiratory conducting tube morphology', 'spinal cord cellular composition measurement', 'calculated liver fibrosis area', 'plasma ctx', 'drumstick composition', 'blood malondialdehyde amount', 'spinal tissue protein/peptide composition', 'neurilemmoma onset/diagnosis measurement', 'nk t-cell morphology trait', 'spleen central arteriole', 'back conformation trait', 'cecum morphology', 'shoulder blade morphology trait', 'blood gas amount', 'kidney cell', 'milk fatty acid trans-9,cis-11-c18:2 concentration', 'heterospecific interaction', 'nociception system trait', 'one epididymidis wet', 'dc1 morphology trait', 'cochlear ohc physiology trait', 'retina', 'glomeruli', 'stomach integrity trait', 'endometrial tumor', 'circulating interleukin-3 level', 'meat iron content', 'heart tube orientation', 'il13 secretion', 'tn2 cell', 'bulbourethral gland size', 'afferent lymphatic vessel morphology', 'gustatory system physiology', 'immune system organ morphology trait', 'aorta wall phosphylated enos level to total enos level ratio', 'reduced pro-b cell', 'labia minora shape', 'pulmonary artery (pa) blood pressure', 'chorioallantoic fusion', 'venous blood flow', 'absolute change in tilted plane angle at loss of balance/traction', 'blood chloride level', 'leukemia incidence/prevalence measurement', 'heart right ventricle morphology', 'urine amino acid amount', 'fast-slope measurement of drug-induced contraction', 'blood osteocalcin amount', 'shank mass', 'slope measurement of phenylephrine-induced contraction', 'balt morphology trait', 'absolute change in urine 3-methoxy-4-hydroxymandelic acid excretion rate', 'total calorie intake level', 'neointimal hyperplasia area of artery', 'rear udder width', 'islet of langerhans non-tumorous lesion measurement', 'infarction size', 'blood vessel development trait', 'milk energy yield', 'femur midshaft cortex cross-sectional', 'benign colorectal tumor count', 'testis tumor', 'kidney 20-hydroxyeicosatetraenoic acid level', 'milk fatty acid trans-5-c18:1', 'capillary permeability trait', 'bulbuorethral gland ductal cell', 'mast cell morphology trait', 'calculated testis weight', 'time of eyelid opening', 'brain sitosterol', 'plasma gamma-glutamyltransferase activity', 'liver lipid', 'disease demographics', 'epidermis stratum corneum morphology trait', 'circulating gamma-ifn level', 'blood rt6.2 cell count', 'saccharin drink intake rate', 'gestation length', 'stria vascularis melanocyte morphology trait', 'diabetes mellitus incidence/prevalence', 'thermoreceptor morphology', 'neural tube morphology/development', 'blood amylase', 'plasma e. coli specific antibody level change, post challenge', 'calculated plasma aldosterone level', 'hindlimb length', 'islet of langerhans damage composite score', 'tcr alpha/beta positive cell', 'exoccipital bone morphology', 't-cell lymphoma incidence', 'survival', 'blood alpha-fetoprotein', 'serum levels of gametokinetic hormone', 'gall bladder size trait', 'blood fructosamine amount', 'nostril', 'plasma lactate level', 'intramuscular fat cell count to skeletal muscle volume ratio', 'parotid salivary gland cholinergic nerve fiber organization', 'pulmonary elastic fiber', 'laryngeal muscle morphology trait', 'perirenal fat pad morphology trait', 'utricle', 'cholesterol', 'milk organoleptic trait', 'adipose fatty acid c14:0 percentage', 'mesencephalon morphology trait', 'milk triglyceride concentration', 'heart right ventricle wall thickness', 'velum palatinum morphology', 'iga level', 'total area of tumors in a single liver', 'blood troponin', 'foreskin size', 'virus infection incidence/prevalence', 'brain total swd duration', 'heart ventricle septum', 'extraembryonic tissue morphology trait', 'nervous system cell', 'iris stromal pigmentation trait', 'epscs', 'conspecific interaction', 'circulating thymocyte stimulating factor level', 'utricular spot', 'pancreas morphology', 'cd25+ cell count', 'milk fatty acid trans-8,cis-10-c18', 'secretion by sex gland trait', 'serum pyruvate', 'femoral fat pad morphology', 'zygomatic arch morphology', 'absolute change in adipocyte nefa secretion', 'lens fiber', 'cranial vault morphology', 'liver copper weight to liver weight ratio', 'comb', 'well differentiated colorectal adenocarcinoma surface area', 'limbus spiralis morphology', 'female reproductive system physiology', 'calculated spermatozoa', 'height of the villi of the duodenum', 'liver rna composition', 'heart left atrium mass', 'interleukin-12 secretion', 'iris stromal pigmentation', 'skeleton morphological', 'eyeball orientation trait', 'heart right atrium size trait', 'total number of cells', 'golgi tendon organ morphology trait', 'calculated serum glucose level', 'plasma anti-rat type 2 collagen antibody level', 'comb height', 'interferon-alpha secretion', 'retinal neuronal layer', 'white lipocyte lipid droplet size', 'anterior cerebral artery lumen diameter', 'lateral semicircular canal', 'calculated pancreas weight', 't-helper 1 cell', 'both suprarenal glands weight', 'change in renal blood flow rate', 'blood activated t lymphocyte count', 'pyramis of cerebellum', 'iridocorneal angle', 'retinal photoreceptor layer morphology trait', 'thymus cmz morphology trait', 'uterus wet weight as percentage of body weight', 'heart electrical impulse generation trait', 'skin chloride ion level', 'osteoplast formation', 'tail development trait', 'right atrial size', 'reissner membrane morphology', 'immune system organ size', 'dc2 cell morphology trait', 'heart left ventricle relative wall thickness', 'skin potassium level to skin water level ratio', 'rod electrophysiology trait', 'parametrial fat pad morphology trait', 'urine vma level', 'gizzard capacity', 'egg color trait', 'hypaxial muscle', 'kidney gsr activity to total protein level ratio', 'head length', 'head size trait', 'laryngeal mucosa morphology', 'gluteus medius mass', 'lymph node weight', 'plasmacytoid monocyte morphology', 'mch', 'central nervous system measurement', 'spinal column morphology trait', 'inflammatory exudate total protein', 'aorta smooth muscle cell count per unit vessel length', 'colostrum immunoglobulin a', 'life span trait', 'adipose fatty acid c18:0 content', 'total heart ventricle morphology trait', 'spinal cord anterior horn morphological measurement', 'skeletal muscle mass', 'calculated renal protein composition measurement', 'heart', 'mature gamma-delta t-lymphocyte number', 'adipocyte glucose uptake measurement', 'metaphysis', 'tongue measurement', 'cochlear canal size', 'exercise endurance', 'brown fat amount', 'colostrum leptin content', 'endometrial adenocarcinoma incidence/prevalence measurement', 'ctl', 'hse prevalence', 'tail morphological', 'calculated leukocyte', 'epidermis stratum lucidum morphology', 'poorly differentiated malignant colorectal tumor incidence', 'drink energy intake level to change in body weight ratio', 'cranial base morphology trait', 'tidal volume', 'esophageal epithelium morphology trait', 'subcutaneous adipose weight', 'esophagus length', 'circulating b-cell growth factor-1', 'cholinergic system', 't cell activation', 'atrial septum morphology trait', 'serum osteocalcin level', 'muscle skatole', 'osteophage morphology', 'plasma immunoglobulin', 'aggression-related behavior', 'otic vesicle', 'plasma immunoglobulin g2c amount', 'sclerotica', 'blood pressure time series calculated parameter', 'lacrimal gland cholinergic nerve fiber organization', "merkel's receptor morphology", 'eye muscle development trait', 'free cortisol', 'plasma glutathione peroxidase activity', 'lymphocyte differentiation', 'depolarization', 'circulating colony-stimulating factor 2 alpha', 'receiving feather pecking', 'blood peptide hormone', 'alkaline phosphatase level', 'facial nerve morphology', 'nail morphology trait', 'glomerular epithelial cell', 'central t cell anergy trait', 'milk lauroleic acid', 'rhinencephalon morphology trait', 'plasma vldl-cholesterol calculated as non-hdl, non-ldl cholesterol', 'calculated prostate tumorous lesion area', 'cerebellar posterior vermis morphology trait', 'langerhams cell number', 'count of superficial glomeruli directly contacting the kidney surface', 'change in antibody titer', 'neural plate morphology trait', 'milk ionic calcium concentration', 'gamma-delta t-lymphocyte differentiation', 'alveolar body morphology trait', 'experimental autoimmune uveitis composite score', 'leukocyte adhesion trait', 'tnf-alpha physiology', 'blood ethanol level at regain of balance/traction', 'blood flow measurement', 'astrocyte morphology', 'sympathetic neuron innervation pattern trait', 'number of pre-b cells', 'connective tissue morphology', 'brain width', 'c-reactive protein amount', 'accumbens nucleus morphology', 'maxilla morphology trait', 'shoulder mass', 'absolute change in body temperature', 'backfat', 'dermatome morphology', 'leukocyte migration trait', 'blood alcohol level at regain of the righting reflex', 'longissimus dorsi width', 'right atrium volume', 'atrioventricular valve morphology', 'total plasma calcium', 'blood dopamine level', 'blood lipoprotein', 'hippocampus physiology trait', 'dark adaptation trait', 'the total area of the kidney', 'blood albumin level', 'appendage physiology', 'calculated plasma insulin', 'cochlear hair bundle ankle links morphology', 'disease population measurement', 'kidney vascular resistance', 'neutrophil cell', 'heart left ventricle end-diastolic', 'femoral energy to break', 'type ii cell', 'primary sex determination', 'ldl-c', 'meat color yellowness', 'circulating tumor necrosis factor alpha level', 'ham muscle weight', 'heart apex orientation', 'skin adnexa development trait', 'blood reduced glutathione level', 'anti-double-stranded dna antibody concentration', 'hindlimb muscle', 'glycosylated serum protein', 'iliac bone morphology trait', 'pancreas/salivary gland physiology', 'digestive function', 'heart right ventricle insulin-like growth factor 1 mrna', 'arm incidence/prevalence measurement', 'sertoli cell', 'vertebra cross-sectional area', 'muscle fatty acid c18:0 percentage', 'malar process morphology trait', 'forebrain development', 'rbc count', 'sclerotic glomerulus count', 'aortic wall protein/peptide composition measurement', 'stroke measurement', 'intramuscular adipocyte', 'kidney angiotensin i converting enzyme activity', 'tricuspid valve morphology', 'mucosecretion', 'vestibular canal', 'subcutaneous adipose thickness', 'milk fatty acid trans-11,cis-15-c18:2 percentage', 'skin potassium level plus skin sodium level to skin water level ratio', 'cardiac muscle fiber morphological', 'prostate tumorous lesion number', 'arm prevalence', 'meatus auditorius internus morphology', 'pancreas weight to tibia length', 'marbling', 'renal vascular resistance', 'meat fatty acid trans-11-c18:1', 'heart right atrium size', 'total spinal cord ventral horn', 'neuronal cytoplasm measurement', 'middle ear ossicle size', 'kidney superoxide dismutase activity to total protein level ratio', 'ethanol disappearance rate', 'parametrial fat depot morphology trait', 'blood monocyte count', 'taste intensity', 'self harm', 'percentage of study population developing experimental diabetes mellitus during a period of time', 'brain beta-sitosterol amount', 'skin electrolyte measurement', 'intraepithelial lymphocyte', 'stripping milk volume', 'somatic motor system morphology trait', 'hippocampus projection neuron number', 'percentage of study population displaying malignant hepatic tumors at a point in time', 'maximum rate of positive change in left ventricular blood pressure', 'testis ribonucleic acid amount', 'milk soluble calcium concentration', 'mammary alveoli size trait', 'serum gsh-px activity', 'blood cd45rclow cd4+ t cell count', 'plasma carboxyhaemoglobin', 'eye pigmentation', 'dressed carcass composition', 'b cell development', 'epidermis cell quantity', 'limb muscle morphology trait', 'energy metabolism', 'bmi using body length, nose to rump', 'activated clotting time (act)', 'tilted plane angle at loss of balance/traction', 'tonsil morphology', 'plasma albumin to plasma total protein ratio', 'astrocyte', 'cochlear chamber morphology trait', 'cochlear inner hair cell afferent nerve fiber organization', 'milk fatty acid trans-8,cis-10-c18:2 concentration', 'plasma anti-bovine type 2 collagen antibody titer', 'helper t lymphocyte type 2', 'milk alpha-lactalbumin', 'gland function', 'inner medullary pyramid size trait', 'circulating b-cell stimulatory factor 1', 'lumbar vertebra substantia spongiosa cross-sectional area', 'body fat', 'lipocyte', 'aorta wall phosphylated enos', 'optic nerve fiber quantity', 'cochlear frequency tuning', 'tibia/fibula cross-sectional area', 'blood cd8 cell count', 'pancreatic insulin', 'lifespan', 'plasma gsh', 'milk omega-6 fatty acid', 'feather development trait', 'femur toughness measurement', 'normoblast', 'thymus integrity trait', 'angiotensin ii half maximal effective concentration (ec50)', 'milk fatty acid c8:0 concentration', 'milk cis-11-octadecenoic acid', 'nervous system development', 'spleen germinal center size trait', 'heart wet weight as a percentage of body', 'lateral septum size trait', 'kidney trpv4 protein level to beta-actin protein level ratio', 'adipose fatty acid c20', 'tibia total energy absorbed before break', 'bronchial epithelial cell quantity', 'lymphocytic corona morphology', 'prostate gland weight', 'meat saturated fatty acid content', 'eye muscle depth', 'liver propanedial level', 'blood vessel resistance', 'circulating eosinophil-mast cell growth-factor level', 'mammary gland morphological measurement', 'back leg morphological measurement', 'kph fat', 'cd8-positive, gamma-delta intraepithelial t-cell morphology', 'blood low-lca t4 t cell', 'hindlimb muscle morphology trait', 'eosinophilic leucocyte physiology', 'first movement outside a discrete space in a an experimental apparatus following a stimulus', 'optic disc', 'secretion by adrenal gland trait', 'taste sensitivity', 'lymphoma incidence/prevalence measurement', 'single ear average of tympanic cavity epithelium', 'vertebra force at failure', 'white blood cell', 'percentage of study population developing myeloid leukemia during a period of time', 'milk lauric acid concentration', 'calculated heart right atrium morphological measurement', 'fourth ventricle size', 'meat fatty acid c16:0 concentration', 'white blood cell morphology trait', "reichert's cartilage development", 'femoral metaphysis anteroposterior diameter', 'aag', 'sensorineural hearing function', 'interleukin-10 secretion', 'adipose fatty acid trans-11-c18:1 content', 'skin chemistry measurement', 'long lived plasma cell morphology trait', 'lymphoma onset/diagnosis measurement', 'digit quantity', 'mpnst onset/diagnosis measurement', 'purkinje neuron morphology', 'surface glomeruli count', 'cranial ganglion vii', 'plasma prl', 'cranial ganglion x morphology trait', 'sympathetic nervous system physiology', 'transendothelial leukocyte migration', 'hematopoietic system physiology', 'blood vldl level', 'ileum glandular crypt depth', 'cerebrospinal fluid production', 'calculated litter size', 'spleen follicular dendritic cell network morphology', 'serum orosomucoid 1 level', 'ovarian follicle physiology', 'basilar membrane', 'corpora quadrigemina', 'emission behavior trait', 'calculated skin electrolyte measurement', 'activated t cell', 'renal tubular degeneration incidence', 'medullary pyramid morphology trait', 'ratio of the count of inflammatory cell-infiltrated pancreatic islets with b cell pathology to the total pancreatic islet count', 'skin (potassium plus sodium)', 'right uterine horn', 'erythroblast quantity', 'urine acetoacetone', 'vestibular ganglion size', 'cardiac free fatty acid', 'lateral semicircular canal size trait', 'placenta labyrinth morphology trait', 'artery wall thickness', 'herpes simplex encephalitis incidence/prevalence', 'blood apolipoprotein ai', 'duodenum villi length', 'circulating phosphate', 'granulopoiesis', 'interparietal bone', 'bundle of his morphology trait', 'gamma-delta t-lymphocyte morphology', 'nasal bone', 'squamal-parietal suture morphology trait', 'type iii spiral ligament fibrocyte morphology trait', 'esophageal epithelium', 'stomach mass', 'vascular endothelial cell', 'renal plasma flow rate', 'tooth hard tissue morphology trait', 'olfactory receptor protein', "reissner's membrane morphology trait", 'lymphatic system physiology', 'sa node morphology', 'intramuscular fat cell count', 'hepatobiliary system morphology', 'cholinergic neuron morphology trait', 'body fat morphological measurement', 'circulating cytotoxic t lymphocyte-associated antigen 8', 'number of zygotes/embryos lost postimplantation', 'calculated food intake volume measurement', 'vertebral cross-sectional', 'auricle of atrium morphology', 'meninges', 'an arbitrary reference serum', 'adipocyte nefa secretion', 'alveolar-capillary membrane', 'calculated plasma albumin level', 'arterial blood flow', 'brain tumorous lesion measurement', 'radius cell number', 'bone physiological measurement', 'medial ganglionic eminence morphology trait', 'milk linolenic acid', 'interleukin physiology', 'serum ggtp activity level', 'gluteus medius muscle weight', 'plasma ldl', 'elaidic acid content', 'complement physiology trait', 'lateral geniculate nucleus', 'single lung dry', 'cued fear conditioning behavior trait', 'lactose yield', 'glomerular capillary plasma flow rate', 'serum levels of lactotropin', 'meat polyunsaturated fatty acid', 'auditory cortex', 'lacrimal gland cholinergic innervation pattern', 'blood high density lipoprotein phospholipid', 'ventral striatum morphology', 'heart tube morphology trait', 'gastric tumor measurement', 'purkinje cell number', 'unidentified leukocyte percentage', 'whole body subcutaneous fat volume', 'glomerulosclerosis composite score', 'plasma immunoglobulin a', 'physical strength', 'prechordal plate morphology trait', 'endocrine pancreas morphology trait', 'gizzard morphology trait', 'l4 sympathetic ganglion morphology trait', 'kidney wet', 'cardiac atrial', 'muscle palmitic acid concentration', 'eosinophil-mast cell growth-factor secretion', 'joint morphology trait', 'colorectal adenocarcinoma incidence', 'iodide oxidation', 'onset of ear emergence', 'cortical marginal zone morphology', 'lymph physiology', 'thyroid gland cell number', 'embryonic epiblast', 'femur strength', 'calculated brain', 't-cell lymphoma incidence/prevalence', 'cardiomyocyte morphology', 'tei-doppler index', 'calculated heart left ventricle infarction', 'serum anti-single-stranded dna antibody', 'basioccipital bone morphology', 'kidney medulla protein measurement', 'langerhans cell quantity', 'th2 cell function', 'ventricle contraction measurement', 'cerebral aqueduct', 'barrel cortex morphology trait', 'lymph gland', 'aortic arch configuration trait', 'mature gamma-delta t-cell morphology trait', 'slow-slope measurement of chemical-induced contraction', 'vascular elastic tissue', 'plasma angiotensin i', 'myelencephalon morphology trait', 'mucosa thickness of the ileum', 'inflammatory exudate no level', 'response to morphine trait', 'vagina morphology trait', 'blood orosomucoid 1 level', 'blood free fatty acids level', 'corpus luteum morphology', 'spleen follicular dendritic cell network', 't cell development', 'liver reduced glutathione', 'prepuce', 't-helper 1 physiology', 'coronary artery integrity trait', 'adipocyte circumference', 'serum osteocalcin', 'total basal body', 'cochlear outer hair cell afferent innervation morphology', 'plasma androstenedione', 'tarsometatarsus morphology trait', 'posterior stroma', 'circulating lymphocyte-activating factor', 'thymus rna composition', 'blood r73 cell count', 'serum amyloid a protein physiology trait', 'orofacial', 'aortic elastic fiber composition', 'jejunum crypt of lieberkuhn width', 'muscle triglyceride amount', 'inner hair cell stereociliary bundle morphology trait', 'head morphological', 'cd8+ t cell physiology trait', 'cd8-positive, gamma-delta intraepithelial t-lymphocyte morphology trait', 'adipose fatty acid cis-9-c18:1', 'thymus cortex morphology trait', 'spinal cord beta-2 microglobulin mrna level', 'blood angiotensin i converting enzyme activity', 'neonatal death of offspring shortly after birth as percentage of total litter', 'anti-nuclear antigen antibody concentration', 'cerebellar cortex morphology trait', 'skeletal muscle fiber morphology', 'regulatory t lymphocyte', 'retroperitoneal fat pad weight as percentage of body weight', 'back fat morphological measurement', 'prefrontal gyrus morphology trait', 'lamina basilaris ductus cochlearis morphology', 'gaba-mediated receptor current', 'jugular ganglion', 'ear orientation trait', 'tooth hard tissue morphology', 'intramuscular fat weight as percent of body', 'forebrain homovanillic acid amount', 'thoracic cage morphology trait', 'calculated blood vessel endothelium', 'sensory ganglia morphology trait', 'plasma cortisol', 'milk feed flavor intensity', 'heart right ventricle wet', 'kidney mass', 'shoulder bone percentage', 'brain wet weight as percentage of body', 'grooming behavior trait', 'rectum morphology', 'middle ear ossible morphology', 'femoral neck cross-sectional', 'milk fat globule-egf factor 8 protein amount', 'b-1a b cell morphology', 'retinal photoreceptor morphology', 'meat fatty acid cis-9-c18:1 percentage', 'hepatic system physiology', 'th cell count', 'reproductive system trait', 'uterine fat depot morphology trait', 'eye shape trait', 'femoral neck ultimate force', 'number of zygotes/embryos lost postimplantation to litter size ratio', 'middle cervical ganglion morphology', 'double-positive t cell numbers', 'neutrophil phagocytosis', 't-cell-replacing factor secretion', 'prostate tumorous lesion incidence/prevalence', 'outer hair cell stereocilia size', 'auditory ossicle size trait', 'righting response measurement', 'serum vldl phospholipid', 'il-23 alpha secretion', 'type i myofiber abundance', 'paravertebral ganglion cell', 'calculated kidney', 'adipose stearic acid', 'heart left atrium fractional shortening', 'hippocampal mossy fiber', 'dorsal root ganglion morphology', 'endocrine/exocrine system trait', 'ham fat percentage', 'ratio of insulin-positive cell area to total area of head region of pancreas', 'spleen organogenesis', 'novelty', 'rumen papillae morphology', 'neuronal golgi apparatus area', 'facial motor nucleus size trait', 'spleen wet weight as percentage of body weight', 'connective tissue protein content', 'adipose saturated fatty acid content', 'b-1b b lymphocyte morphology trait', 'type ii spiral ligament fibrocyte', 'eye shape', 'axillary lymph node size trait', 'z disk morphology trait', 'milk chloride content', 'blood malondialdehyde', 'plasma ck activity level', 'eosinophil differentiation factor secretion', 'neuroglia morphology trait', 'vitamin metabolism', 'egg width', 'neuron vacuole area', 'balance', 'neuromere morphology', 'dry matter intake', 'circulating il16', 'milk undecylic acid content', 'scala vestibuli morphology', 'heart left ventricle end-diastolic ventral wall', 'blood very low density lipoprotein cholesterol amount', 'gamma-delta intraepithelial t lymphocyte morphology', 'nipple number', 'il-1 beta secretion', 'hematopoietin-1 secretion', 'serum immunoglobulin measurement', 'limb morphological', 'mammary gland cistern capacity', 'body length (nose', 'paravertebral ganglion', 'novel object trait', 'lymph gland morphology trait', 'livestock product trait', 'b cell maturation', 'dn2 alpha-beta immature t-lymphocyte', 'hepatic tumor', 'colostrum immunoglobulin m content', 'left ventricular diastolic blood pressure', 'paramesonephric duct morphology', 'subjects with ankylosis', 'comb pigmentation trait', 'carpus morphology', 'b-cell maturation', 'afferent lymphatic vessel', 'left-right axis patterning trait', 'tibia size trait', 'b cell domain of the spleen morphology trait', 'displacement activity reaction measurement', 'serum ldh activity level', 'temporal lobe morphology trait', 'calculated alcohol intake weight', 'hepatic tumor number', 'lymph vessel physiology', 'thymus physiology trait', 'abdominal hypodermal fat', 'urine urotensin ii amount', 'cochlear outer hair cell quantity', 'ethanol metabolism trait', 'blood campesterol', 'cervical lymph node size trait', 'floor plate', 'interferon-gamma secretion', 'alcohol intake rate to body weight ratio', 'toxoplasmosis incidence/prevalence measurement', 'ratio of the count of pancreatic islets with adjacent inflammatory infiltrate to total pancreatic islet count', 'lacrimal bone', 'luteal cell differentiation', 'ischium morphology trait', 'dressed carcass protein content', 'auditory ganglion morphology trait', 'muscle lactate amount', 'bpa drink intake rate', 'neuronal mitochondrion', 'gsp', 'costal cartilage morphology trait', 'head morphology trait', 'heart effluent lactate dehydrogenase activity', 'cd8+ t cell differentiation', 'milk prolactin content', 'organ lesion', 'secondary neuromuscular spindle', 'forepaw morphological', 'pulmonary alveolus morphology', 'temporal muscle morphology', 'suprarenal gland', 'sodium nitroprusside log half maximal effective concentration (log ec50)', 'heart ribonucleic acid', 'foot pad', 'lymph node secondary follicle', 'milk pentadecylic acid amount', 'saa protein physiology trait', 'serum anti-laminin antibody', 'blood magnesium level', 'circulating interleukin-1 alpha', 'colon', 'urinary relative excretion of sodium', 'middle cerebral artery inner diameter', 'blood vitamin amount', 'oval window morphology trait', 'liver propanedial', 'heart muscle trabeculae morphology trait', 'myelencephalon morphology', 'stress-related behavior', 'velum morphology', 't lymphocyte development trait', 'left suprarenal gland wet', 'milk vitamin measurement', 'mammary tumor weight', 'maximum mid-expiratory flow (mmef)', 'b-1a b lymphocyte', 'taste physiology trait', 'plasma gamma-glutamyltransferase activity level', 'purkinje cell nerve fiber organization trait', 'oval window morphology', 'bone section trabecular', 'inferior caval vein', 'epiphyseal plate', 'hepatic enzyme', 'liver weight as percentage of body', 'vestibule size', 'calculated middle ear morphological measurement', 'spleen b lymphocyte follicle', 'platelet function measurement', 'blood vessel morphology trait', 'putamen morphology trait', 'acute experimental allergic encephalomyelitis prevalence', 'arytenoid cartilage', 'hair follicle', 'nasal mucous membrane morphology trait', 'bruch membrane', 'circulating il1a', 't cell receptor beta chain v(d)j recombination', 'fast-slope measurement of phenylephrine-induced contraction', 'macrophage antigen presentation', 't-cell number', 'platelet aggregation', 'ventriculus quartus morphology trait', 'alveolar-capillary barrier morphology trait', 'heart muscle relaxation trait', 'kidney superoxide dismutase to catalase activity ratio', 'percentage of study population developing hepatocellular carcinoma during a period of time', 'pork flavor intensity (fat)', 'blood vessel morphological', 'skin mineral', 'percentage of study population with hydronephrosis displaying hematuria at a point in time', 'trigeminal ganglion of trigenmial (v) nerve morphology', 'heart left ventricle insulin-like growth factor 1 mrna', 'circulating il-12p40', 'motor nerve fiber organization trait', 'plasma cartilage oligomeric matrix protein', 'intestinal cell quantity', 'milk fatty acid cis-14/trans-16-c18:1', 'natural killer t cell', 'nipple shape', 'plasma idl phospholipid level', 'cerebellar purkinje cell layer', 'forestomach morphology', 'linoleic acid', 'osteoblast', 'single feeding food intake weight', 'thoracic vertebra', 'hepatic tumor measurement', 'esophageal smooth muscle morphology trait', 'heart left ventricle molecular composition measurement', 'cervical lymph node morphology trait', 'lymphatic system morphology trait', 'blood lactate', 'percentage of study population developing experimental autoimmune encephalomyelitis during a period of time', 'ileum mucosa thickness', 'gamma-delta intraepithelial t-cell', 'c5 physiology', 'calculated total pancreatic islet beta cell', 'aqueduct of sylvius morphology', 'outer ear thickness', 'retroperitoneal fat pad weight as percentage of body', 'intramuscular adipose tissue weight', 'bronchoconstriction trait', 'exoccipital bone', 'blood ldl-c amount', 'unk cell morphology', 'brain electrophysiological', 'tunel-positive cell number', 'spine of scapula morphology', 'lip vermillion border thickness', 'heart free fatty acid level', 'milk fatty acid c12:0', 'blood enzyme activity level', 'liver weight as percentage of body weight', 'prolactin-positive cell count', 'lgn', 'respiratory function trait', 'epidermis stratum basale', 'ureter size', 'gubernaculae morphology', 'vocalization measurement', 'locate a hidden target platform in an experimental apparatus', 'number of mature b-cells', 'pigmented ventral coat/hair', 'ulna morphology', 'ability', 'myocardial infarction measurement', 'area of spinal cord ventral horn stained for mhc class ii rt1a to total area of spinal cord ventral horn ratio', 'alpha-beta intraepithelial t cell morphology', 'precentral gyrus morphology', 'auditory inner hair cell', 'faecal parasite egg count', 'femoral neck biomechanical', 'blood interleukin-6 amount', 'milk unsaturated fatty acid measurement', 'red blood cell measurement', 'milk phospholipid content', 'trigeminal ganglion cell size trait', 'pain threshold', 'intermediate disk morphology', 'mitral valve morphology trait', 't lymphocyte percentage', 'heart left ventricle size trait', 'femoral toughness', 'serum anti-single-stranded deoxyribonucleic acid antibody titer', 'serum amyloid protein', 'hippocampal neuron morphology', 'adult-onset diabetes mellitus prevalence', 'heart left ventricle dna content to body weight ratio', 'time of vaginal opening', 'heart intraventricular wall', 'vestibular hair bundle shaft connector', 'mammary fat pad morphology', 't3 b cell', 'tendon physiology', 'splenic periarteriolar lymphoid sheath', 'erythrocyte morphology trait', 'loin external fat weight', 'loin eye area', 'plasma type i collagen c-terminal telopeptide level', 'tibial midshaft cortical endosteal', 'onset of hse', 'milk magnesium', 'l4 sympathetic ganglia morphology', 'hind paw morphological measurement', 'milk leptin concentration', 'impulsivity behavior', 'il9 secretion', 'masticatory muscle size', 'crop weight', 'blood idl phospholipid', 'plasma anti-dsdna antibody level', 'islet of langerhans morphology', 'calculated blood vessel dilation force reduction measurement', 'calculated spleen weight', 'sweat gland', 'neuromuscular synapse morphology trait', 'wing mass', 'tympanic ring morphology', 'atrioventricular cushion size trait', 'blood dihydrotestosterone level', 'cornea light scattering', 'nipple', 't lymphocyte number', 'ratio of the number of fetuses lost perinatally to the total number of offspring', 'ammon horn morphology trait', 'lymphocytic corona morphology trait', 'pancreatic non-tumorous lesion', 'milk monoacylglycerol content', 'bronchiole', 'single adrenal gland wet weight', 'bmi using nose to tail body', 'ear lobe', 'absolute change in adipocyte nefa release per unit volume', 'malignant colorectal neoplasm prevalence', 'heart muscle trabeculae', 'circulating interleukin i level', 'ratio of deaths to total study population during a period of time', 'cerebral hemispheres', 'milk caprylic acid content', 'urine protein', 'blood testosterone', 'serum igg1', 'relapsing-remitting eae incidence/prevalence', 'peritoneum pigmentation trait', 'functional teat number', 'cerebellar anterior vermis morphology', 'shank weight', 'total urine protein', 'intercostal muscle size', 'lumbar vertebra morphology trait', 'calculated ethanol intake weight', 'branchial arch development', 'learning/memory trait', 'serum igg1 level', 'time', 't cell selection', 'intake volume of saccharin', 'basis stapedis', 'phalanx number', 'milk omega-6 to omega-3 fatty acid ratio', 'the total area of the kidney outer medulla outer stripe and cortex', 'posterior cornu morphology trait', 'blood dehydroepiandrosterone level', 'tenderloin', 'plasma anti-e. coli antibody measurement', 'somatic cell score', 'calculated heart', 'tibia midshaft morphological measurement', 'double-negative t cell morphology', 'rhombomere morphology trait', 'bs', 'conduction velocity', 'ean prevalence', 'tibia curvature trait', 'synaptic norepinephrine release trait', 'post-insult time of death', 'skin molecular composition', 'loin fat percentage', 'heart effluent ldh activity', 'lymphoid system physiology trait', 'colon mucosa', 'duodenum weight', 'proventriculus mucosa thickness', 'forelimb morphology', 'oviduct length', 'hindlimb long bone morphology trait', 'forelimb morphological', 'negative t cell selection trait', 'gamma-delta t lymphocyte morphology trait', 'tissue weight of the jejunum', 'prostate tumorous lesion incidence', 'glial cell physiology trait', 'kidney sclerotic glomeruli', 'adipose linolenic acid', 'hydrocephalus severity measurement', 'semen volume', 'cd4-positive t cell physiology trait', 'width of the glandular crypts of the jejunum', 'nasal mucosa goblet cell', 'serum antibody titer', 'vertebra spongy bone cross-sectional area', 'milk alpha-casein percentage', 'nacc morphology', 'cerebrovascular lesion measurement', 'limb posture', 'hensen cell', 'chronic induced arthritis incidence/prevalence', 'lymph gland dry weight', 'carcass morphological', 'milk urea nitrogen content', 'whisker morphology trait', 'rod electrophysiology', 'b-cell growth factor-i secretion', 'alanine aminotransferase activity level', 'vertebral', 'submandibular ganglion morphology', 'neonatal body weight', 'circulating level of t3', 'meat margaric acid', 'aorta wall dry weight', 'neocortex morphology trait', 'inflammatory exudate ltb4', 'periarteriolar sheath morphology trait', 'anti-erythrocyte antigen antibody level', 'plasma angiotensin ii level', 'medullary cavity morphology trait', 'incisor', 'cochlear hair bundle ankle links', 'hypoglossal nerve', 'malignant hepatic tumor', 'milk calcium amount', 'labium', 'change in mean arterial blood pressure to change in intracerebroventricular sodium concentration ratio', 'colon mucosa thickness', 'compensatory renal growth score', 'neutrophil morphology trait', 'number of unprompted entries into a discrete space in an experimental apparatus', 'percentage of study population displaying benign colorectal tumors at a point in time', 'skeletal system measurement', 'motor neuron morphology trait', 'sertoli cell number', 'submandibular ganglion morphology trait', 'breast muscle', 'adipose fatty acid c17', 'lung wet weight to body weight ratio', 'vitelline vascular remodeling trait', 'gastrulation trait', 'crista ampullaris morphology trait', 'prepuce morphology trait', 'pituitary gland morphology', 'toll-like receptor 9 protein amount', 'urination behavior trait', 'blood hdl level', 'dsdna antibody', 'benign colorectal tumor', 'epiphysial plate proliferative zone morphology', 'anti-self antibody', 'blood island morphology trait', 'paraoxonase 1 activity', 'chondrocyte number', 'response to addictive substance trait', 'white adipose tissue amount', 'adipose tissue composition measurement', 'primitive knot morphology', 'longitudinal suture', 'adrenal gland morphological', 'utricular spot morphology trait', 'blood creatine kinase', 'right renal fat pad', 'both ovaries weight', 'non-insulin-dependent diabetes mellitus prevalence', 'kidney cortex', 'langerhams cell', 'blood rt6.1 positive cell', 'cochlea basement membrane morphology trait', 'dorsal root ganglia', 'uterus ribonucleic acid amount', 'hepatobiliary system physiology trait', 'ham composition trait', 'aorta wall intracellular protein', 'circulatory system morphology', 'bone energy to break', 'helper t lymphocyte type 2 cell', 'trichinellosis severity', 'uterus mass', 'serum vldl phospholipid level', 'ovarian follicle morphology trait', 'milk triglyceride amount', 'smell intensity (fat)', 'tibia curvature', 'olfactory system physiology trait', 'tympanic ring size', 'polymodal receptor morphology trait', 'foot angle', 'hypopharynx morphology trait', 'stomach non-tumorous lesion', 'b1b cell morphology', 'serum ck activity level', 'calculated balance measurement', 'percentage of study population displaying bilateral renal agenesis at a point in time', 'comb pigmentation', 'ventricle of rhombencephalon morphology trait', 'hair physiology', 'spinal cord anterior horn area', 'adipose fatty acid c16:0 percentage', 'cochlear inner hair cell afferent nerve fiber organization trait', 'epidermal layer development', 'fdcn', 'circulating ro-236019', 'aorta wall extracellular elastin dry weight to aorta wall dry weight ratio', 'hindquarter', 'prostate tumor prevalence', 'percentage of study population developing cerebrovascular lesions during a period of time', 'blood anti-erythrocyte antigen antibody', 'neutrophil leukocyte morphology trait', 'milk arachidic acid amount', 'retinopathy prevalence', 'corti ganglion', 'calculated kidney fibrotic lesion area measurement', 'urine vanillylmandelic acid excretion rate', 'uterine fat depot', 'gland morphology', 'ear physiology trait', 'otolith number', 'loin weight', 'hemolymphatic system physiology', 'milk texture', 'gastric gland morphology', 'dn1 thymic pro-t lymphocyte', 'inflammatory exudate eicosanoid measurement', 'blood phosphate', 'acetylcholine response/sensitivity', 'circulating glucocorticoid level', 'total liver tumorous lesion cells', 'left atrial size trait', 'total heart ventricle morphology', 'blood superoxide dismutase activity level', 'th cell', 'retroperitoneal fat depot', 'gaba neuron', 'salivary gland mucosal cell number', 'transitional two stage b-cell number', 'lung weight, wet/body weight', 'corpus callosum morphology', 'luteinizing hormone secretion', 'blood ast activity level', 'benign liver tumor incidence/prevalence measurement', 'liver copper weight to body weight ratio', 'serum phosphorus', 'retroperitoneal fat pad', 'heart ventricle septum configuration', 'telencephalic vesicle development', 'testes cell number', 'blood glycated albumin level', 'percentage of study population displaying chronic experimental autoimmune encephalomyelitis at a point in time', 'lateral ventricle morphology trait', 'granulocyte count', 'b-1 b-lymphocyte', 'ru-49637 secretion', 'kidney catalase activity', 'vasculosa oculi morphology trait', 'nerve activity measurement', 'prostate duct', 'anti-insulin autoantibody concentration', 'milk fatty acid trans-5-c18:1 concentration', 'b2 cell morphology', 'heart left atrium weight', 'touch corpuscle size', 'plasma vldl-c level', 'efferent glomerular arteriolar hydraulic pressure', 'milk fatty acid trans-4-c18:1', 'calculated serum triglyceride level', 'circulating phosphate level', 'orbitofrontal cortex morphology trait', 'cervical fold quantity', 'craniosacral system morphology trait', 'circulating ifn-alpha', 'placenta size', 'meat mineral', 'superior temporal gyrus morphology', 'milk omega-6 fatty acid percentage', 'cerebral blood flow trait', 'subcutis morphology trait', 'caput epididymis', 'blood t cell count to total lymphocyte count ratio', 'neonate morphological measurement', 'vaginal opening', 'corti ganglion morphology', 'testis cell', 'alisphenoid bone morphology', "peyer's patch epithelium morphology trait", 'single inguinal fat pad weight to body weight ratio', 'retinal bipolar cell quantity', 'plasma gssg', 'cardiac free fatty acid level', 'chronic experimental autoimmune encephalomyelitis incidence/prevalence', 'serum immunoglobulin d', 'serum phytosterol', 'daily spermatozoa count to epididymis weight ratio', 'absolute change in plasma epinephrine level', 'trigeminal motor nucleus size', 'somatic parasympathetic system', 'langerhans cell antigen presentation trait', 'anthropometric measurement', 'cervical lymph node size', 'heart left ventricle wall', 'spleen iron level', 'epididymal plus perirenal white adipose tissue', 'heart right atrium morphology trait', 'tail bud size trait', 'serum igm-rf', 'rostral-caudal axis somite development', 'acoustic startle response', 'inflammatory exudate mononuclear leukocyte count', 'serum anti-rat type 2 collagen autoantibody titer', 'pancreatic physiology trait', 'lymph node wet weight', 'percentage of study population developing acute experimental autoimmune encephalomyelitis during a period of time', 'acromion', 'liver fibrotic lesion area', 'joint morphological', 'skeletal muscle fiber morphological', 'cd8-positive, alpha-beta intraepithelial t-lymphocyte', 'wool crimp', 'choroid blood vessel morphology trait', 'kidney gsr activity', 'prion infection', 'small intestine orientation', 'heart blood pressure', 'neuron size trait', 'milk texture trait', 'striate cortex morphology', 'capsula glomeruli', 'lateral septum size', 'dense bone morphology trait', 'dc1 morphology', 'meat unsaturated fatty acid', 'plasma gsh level', 'serum anti-toxoplasma antibody level', 'meat fatty acid c13', 'muscle androstenone amount', 'plasma total immunoglobulin e', 'blood glycerol amount', 'oocyte morphology trait', 'pericardial', 'liver enzyme measurement', 'lipoxin a4 level', 'meat estrone content', 'adipocyte absolute nefa secretion', 'spleen trabecular artery morphology trait', 'circulating ifn level', 'eae onset/diagnosis', 'tissue rna composition', 'cardiac myocyte morphology trait', 'myotome development trait', 'petrosal ganglion size trait', 'glucose metabolism', 'calculated uterus weight', 'blood ferritin', 'peripheral nervous system glia morphology', 'adipocyte free fatty acid secretion', 'blood iga level', 'pancreatic alpha cell physiology', 'cd4+ t cell number', 't2 b cell', 'striatum', 'intramuscular fat area to skeletal muscle area ratio', 'b-1b b-cell morphology', 'blood ldl triglyceride level', 'milk adph', 'midbrain/pons hva amount', 'single suprarenal gland wet weight', 'monocyte development', 'carbohydrate metabolism trait', 'urine enzyme', 'heart atrium appendage configuration', 'bronchus-associated lymphoid tissue morphology', 'total serum bilirubin', 'leukemia onset/diagnosis', 'hepatocyte organization', 'tail development', 'digestive mucosecretion trait', 'number of sap movements', 'skin cl- level to skin h2o level ratio', 'vascular smooth muscle measurement', 'c4 physiology', 'brain spike-wave discharge frequency', 'midbrain/pons epinephrine', 'ear emergence initiation', 'insulin-positive cell area', 'plasma oxidized glutathione', 'bronchus', 'anterior uvea morphology', 'calculated liver weight', 'cochlear outer hair cell efferent innervation morphology trait', 'macula sacculi morphology trait', 'muscle nitrogen', 'gustatory system morphology trait', 'palatal process morphology', 'urine potassium level to body weight ratio', 'tongue lesion', 'spermatogonia proliferation trait', 'renal cortex protein', 'bony labyrinth', 'alveolar septum', 'pineal gland morphology trait', 'bile duct size trait', 'myringa morphology trait', 'spiral ligament fibrocyte morphology trait', 'lung enzyme activity', 'uterus weight, dry', 'response to viral infection', 'cauda epididymis', 'hair guard cell innervation pattern trait', 'blood monoamine hormone level', 'tibial straight', 'mononuclear cell number', 'malignant colorectal tumor number', 'absolute change in glucose auc', 'pancreatic alpha cell morphology trait', 'urinary bladder cell quantity', 'mast cell protease storage trait', 'cervical squamous epithelum', 'class switch recombination trait', 'response to alcohol', 'polymorphonuclear leucocyte', 'cervical vertebra', 'sperm size', 'calculated inflammatory exudate cell', 'average brain type i spike-and-wave discharge duration', 'visceral adipose', 'methylene blue', 'end-systolic volume', 'calculated trichinosis severity measurement', 'eye muscle development', 'blood carboxyhemoglobin', 'percentage of study population displaying anorectal malformation at a point in time', 'absolute change in the logarithm of the antibody titer', 'cochlea sensory epithelium morphology', 'inner ear canal morphology', 'single birth offspring quantity', 'aorta mass', 'bile', 'absolute change in body weight', 'feather tract morphology', 'gestational length', 'tongue size', 'milk fatty acid trans-6-8-c18:1 percentage', 'abdominal fat depot morphology', 'kcl-induced blood vessel constriction expressed', 'blood circulation trait', 'high frequency r-r interval', 'dt', 'b-2 b-cell morphology trait', 'basioccipital bone', 'olfactory bulb morphology trait', 'red blood cell na+/k+ atpase activity', 'csr', 'olfactory bulb morphology', 'cochlear inner hair cell morphology trait', 'trigeminal nerve mpnst incidence/prevalence', 'serum alpha-fetoprotein amount', 'tracheal-esophageal septation completeness', 'serum immunoglobulin g-type rheumatoid factor', 'choroid plexus cell', 'duodenum crypt of lieberkuhn width', 'cerebrovascular lesion latency', 'platelet intracellular calcium', 'hematopoiesis', 'vagus nerve morphology', 'total drink-derived calorie intake', 'p wave duration', 'tibiofibular fusion cortical bone endosteal cross-sectional', 'respiratory system physiology', 'circulating b-cell growth factor-ii level', 'coronary blood flow trait', 'blood interleukin-21 amount', 'axon guidance', 'calculated plasma noradrenaline', 'velum palatinum morphology trait', 'milk fatty acid trans-7,trans-9-c18:2 percentage', 'vascular stripe', 'milk myristoleic acid content', 'blood anti-double stranded dna antibody', 'perinatal loss of fetus', 'plasma thyrotropin level', 'time to onset of heart contraction', 'serum aspartate transaminase activity', 'plasma glycerol level', 'stomach tumor', 'inferior glossopharyngeal ganglion', 'plasma idl level', 'heart electrical conduction', 'circulating il18 level', 'aorta blood flow trait', 'corneal light-scattering trait', 'appendage', 'cervicothoracic ganglion morphology trait', 'epidermis stratum spinosum cell', 'floor plate morphology trait', 'interleukin-2 physiology', 'hair', 'loin composition', 'thoracic girdle morphology trait', 'urine amylase level', 'adrenergic neuron', 'meat fatty acid c18:3 n-3', 'egl', 'pancreas hormone composition', 'thymus weight', 'acute phase protein physiology', 'extensor digitorum longus muscle', 'neuromuscular spindle morphology', 'orbit size trait', 'blood integrity trait', 'homotypical cortex morphology', 'rib development', 'cardiac muscle morphology', 'retinal photoreceptor quantity', 'percent change in renal sympathetic nerve activity', 'superior vagus ganglion size trait', 'otic vesicle size trait', 'circulation measurement', 'testis physiology trait', 'heart muscle morphology trait', 't-associated plasma cell morphology', 'limb morphological measurement', 'pyramidal tract morphology', 'hindlimb long bone', 'polymorphonuclear leukocyte physiology trait', 'hearing system trait', 'cerebral cortex layer', 'inner cell mass', 'blood b cell count', 'plasma alcohol', 'muscle fatty acid c20:2 concentration', 'inguinal lymph node weight', 'milk growth factor amount', 'circulating hybridoma growth factor level', 'splenic marginal zone', 'ileum', 'sympathetic ganglion', 'dtcmax', 'lung development', 'neuronal rough endoplasmic reticulum area to neuronal cytoplasm area ratio', 'circulating mast-cell colony-stimulating factor level', 'pancreatic islet tumorous lesion measurement', 'esophageal squamous epithelium', 'colon size trait', 'kidney shape', 'pillar cell morphology trait', 'carcass skeletal', 'serum phospholipid level', 'artery neointimal hyperplastic lesion', 'serum tyrosinase activity level', 'modiolus morphology', 'adipose fatty acid cis-11-c20:1 percentage', 'vestibule size trait', 'plasma immunoglobulin d amount', 'hepatic oxidized glutathione', 'morphology trait of the angle of the iris', 'ankle bone morphology', 'mesenteric lymph node size', 'synaptic transmission trait', 'cn-ix morphology trait', 'laryngeal cartilage morphology trait', 'brown adipose tissue morphology trait', 'femoral neck cortical cross-sectional area', 'calculated neuronal vacuole area measurement', 'glia physiology trait', 'liver lipid measurement', 'peripheral nervous system physiology', 'cardiac', 'morphology trait of the spiral ganglion of vestibulocochlear (viii) nerve', 'muscle fatty acid cis-9-c16', 'single suprarenal gland weight to body weight ratio', 't cell receptor alpha chain v-j recombination trait', 'endolymph physiology trait', 'cd8+ t cell morphology trait', 'esophagus', 'carotid body morphology trait', 'serum igg-rf level normalized', 'blood glycohemoglobin level', 'external germinal layer morphology', 'splenic central arteriole', 'vagus ganglion morphology', 'natural killer t cell physiology', 'stratum germinativum', 'salty taste sensitivity', 'stomach epithelium', 'number of otoconia', 'plasma immunoglobulin g1 amount', 'cd25+ cell', 'cerebrospinal fluid production trait', 'bone section morphological', 'kidney-specific lymphocyte radioactive tracer', 'lumbar vertebra trabeculae cross-sectional', 'parotid salivary gland cholinergic innervation pattern trait', 'onset of experimental autoimmune neuritis', 'visual axis alignment', 'zona pellucida', 'periodontal ligament morphology', 'central nervous system glia morphology', 'lambdoidal suture', 'tissue serotonin amount', 'filtration angle morphology', 'bs/tv', 'distance moved per unit of time into, out of or within a discrete space in an experimental apparatus', 'serum anti-porcine type ii collagen antibody', 'subarcuate fossa morphology', 'potassium chloride log half maximal effective concentration (log ec50)', 'b cell differentiation', 'skin (k+ + na+) level', 'serum total protein', 'heart left ventricle integrity', 'percent change in developed blood pressure', 'arterial tunica media width', 'motor nerve fiber', 'white fat amount', 'carpus morphology trait', 'nose morphology', 'juxtaglomerular complex morphology', 'prostate gland morphology trait', 'uterus morphology trait', 'inferior colliculus', 'milk alpha-casein content', 'circulating ifn-gamma', 'heart left ventricle interstitial epinephrine', 'lipocyte morphology', 'lgn morphology trait', 'pyramid of vermis morphology trait', 'omasum mass', 'oviduct size trait', 'meat indole', 'blood idl level', 'aqueous humor', 'hind leg morphological', 'b-1 b cell number', 'percentage of study population displaying t-cell lymphomas at a point in time', 'hippocampal mossy fiber morphology trait', 'bone elongation', 'single testis dry', 'type iib muscle fiber', 'endolymph physiology', 'femur cross-sectional area', 'shoulder composition trait', 'calculated serum anti-rat type ii collagen autoantibody titer', 'paramesonephric duct', 'plasma gsh-px activity', 'sternum morphology trait', 'cranium morphology trait', 'fat cell area', 'heart elastic fiber', 'milk yield', 'stationary movement', 'testicular physiology', 'plasma glutathione peroxidase activity level', 'tail vertebra morphology', 'circulating il-1', 'osteoplast morphology', 'blood adrenaline', 'basicranium morphology trait', 'labia majora shape', 'scratching trait', 'brain sitosterol amount', 'kidney vascular physiology trait', 'periotic capsule morphology trait', 'endocardium', 'cd8-positive, alpha-beta regulatory t-lymphocyte morphology trait', 'blood fibronectin amount', 'prevalence of relapsing-remitting experimental autoimmune encephalomyelitis (r-eae) in a disease population', 'interleukin-12a secretion', 'perirenal fat pad', 'marginal zone b cell morphology', 'umbilical cord', 'lactotroph density', 'blood interferon-beta amount', 'abdominal wall integrity trait', 'atrioventricular canal partitioning', 'hypothalamus serotonin amount', 'fatback thickness', 'lung rna composition measurement', 'tissue weight of the gizzard', 'plasma total cholesterol', 'adenophysis', 'milk phosphorus content', 'serum anti-double-stranded deoxyribonucleic acid antibody level', 'number of squamous cell tumors of the head and neck', 'ovary development', 'prostate gland size trait', 'rostral-caudal axis patterning', 'granulocyte count as percentage of total white blood cells', 'drumstick composition trait', 'masseter muscle morphology trait', 'vascular stripe morphology trait', 'serum sod activity level', 'plasma vitamin a1', 'blood vessel receptor-dependent contractility to receptor-independent contractility ratio', 'nadp+-malate dehydrogenase activity', 'glomerular damage composite score', 'duodenum muscle', 'milk cis-10-heptadeceonic acid', 'induced arthritis incidence/prevalence measurement', 'liver remodeling tumorous lesion', 'kidney lipid composition', 'b-2 b lymphocyte morphology', 'circulating lymphocyte mitogenic factor', 'blood very low density lipoprotein phospholipid', 'presphenoid bone morphology trait', 'duodenum length', 'occipital lobe', 'urine potassium excretion rate to body weight ratio', 'milk phospholipid amount', 'il-12 secretion', 'liver parenchymal degeneration incidence/prevalence measurement', 'muscle protein', 'plasma dipeptidyl carboxypeptidase activity', 'lymphatic system morphology', 'lumbar vertebra total cross-sectional area', 'liver cell morphology', 'blood corticosterone level', 'cachectin level', 'b-cell stimulating factor-1 secretion', 'blood sod activity level', 'hindlimb integrity trait', 'plasma carboxyhemoglobin level', 'abdominal fat pad', 'facial bone', 'liver plant sterol and stanol amount', 'the count of pancreatic islets with adjacent inflammatory infiltrate', 'cutaneous/subcutaneous mechanoreceptor morphology trait', 'femur mineral', 'cervical spinal cord epinephrine amount', 'platelet shape trait', 'colostrum immunoglobulin g concentration', 'osteoplast morphology trait', 'free catecholamine fractionation', 'thymus morphological', 'alpha-ifn secretion', 'brain total type ii spike-wave discharge duration', 'thymus lobule morphology', 'circulating interleukin-2 level', 'both ears average of middle ear epithelium', 'plasma direct renin activity level', 'calculated lymphocyte radioactive tracer measurement', 'amacrine neuron', 'caudate nucleus', 'b-1b b cell', 'dsdna antibody level', 'meat docosapentaenoic acid content', 'superior glossopharyngeal ganglion of the glossopharyngeal (ix) nerve morphology trait', 'mast cell protease storage', 'vestibular hair bundle morphology trait', 'blood direct renin activity level', 'total cd8 t cell', 'blood cd25 lymphocyte count as percentage of total lymphocytes', 'heart right ventricular blood pressure trait', 'skin water level', 'milk alpha-lactalbumin yield', 'colostrum immunoglobulin content', 'liver gsh', 'angii log half maximal effective', 'plasma high density lipoprotein cholesterol', 'cochlear ihc morphology trait', 'muscle fatty acid c16:0 percentage', 'hematopoiesis location trait', 'homotypic cortex morphology trait', 'leg composition', 'cd8(+) cell count', 'ham weight', 'vertebra development', 'circulating interleukin-12b level', 'blood beta-sitosterol amount', 'ureter physiology trait', 'tissue enzyme', 'pancreatic islet weight', 'aorta elastic tissue integrity', 'calculated kidney glomerulus morphological', 'serum adiponectin level', 'body mass index (bmi)', 'thermal nociception trait', 'meat moisture content', 'meat tenderness', 'slow-slope measurement of phenylephrine-induced contraction', 'cd8-positive, alpha-beta cytotoxic t-lymphocyte', 'blood progesterone amount', 'adenohypophysis morphology', 'shank diameter', 'cerebellar vermis morphology trait', 'meat texture trait', 'premaxillary bone morphology', 'glomeruli count', 'blood apoliprotein b level', 'colostrum hormone amount', 'heart right ventricle wet weight', 'post-insult time to onset of experimental arthritis', 'hind leg morphological measurement', 'labyrinth layer morphology trait', 'cerebrospinal fluid electrolyte measurement', 'blood b lymphocyte count to total leukocyte count ratio', 'cochlear potential', 'egg trait', 'circulating corticosterone', 'nk t cell quantity', 'sympathetic neuron innervation pattern', 'visual acuity', 'skin physiology trait', 'blood vldl phospholipid amount', 'pars superior vestibularis', 'change in [vasoactive chemical]', 'back fat percentage', 'muscle cis-11-eicosenoic acid concentration', 'circulating noradrenaline', 'plasma ldl level', 'coronary artery morphology trait', 'malignant hepatic tumor incidence/prevalence', 'colliculi size trait', 'dc1', 'epinephrine secretion', 'foreskin morphology trait', 'blood glutamate dehydrogenase amount', 'both suprarenal glands', 'paco2', 'head circumference', 'vibrissa retention', 'width', 'motile sperm count to total sperm count ratio', 'cochlear hair bundle tip links morphology trait', 'penis size', 'total enos', 'spleen germinal center morphology trait', 'hematuria incidence', 'jowl', 'right atrial morphology trait', 'nipple length', 'unk cell', 'granule cell', 'pns synaptic transmission', 'ivrt', 'plasma anti-double-stranded deoxyribonucleic acid antibody', 'spongiotrophoblast layer morphology trait (sensu rodentia)', 'meat tetracosanoic acid content', 'plasma tc', 'nervous system physiology', 'l4 drg', 'heart measurement', 'hypothalamus corticotropin-releasing hormone secretion trait', 'viscerocranium morphology trait', 'kidney gsh level', 'circulating noradreniline', 'drum membrane morphology trait', 'blood electrolyte', 'glutamic-pyruvate transaminase activity', 'tongue scc number of tumors with diameter greater than 3 mm', 'maxillary palatial process morphology', 'atrial size', 'impulsivity behavior trait', 'amino acid metabolism', 'retinal photoreceptor', 'milk alpha-casein content to beta-casein content ratio', 'fat cell morphological measurement', 'calculated heart wall thickness measurement', 'tibia cortical bone midshaft endosteal cross-sectional area', 'plasma cholesterol', 'blood interleukin-23a amount', 'cochlear ohc physiology', 'vertebra cancellous bone cross-sectional area', 'leukocyte morphology trait', 'milk trans-6/8=octadecenoic acid content', 'aortic valve morphology trait', 'milk fatty acid cis-8-c20:1', 'hippocampus proper morphology', 'vascular elastic tissue morphology trait', 'fat cell', 'muscle fatty acid cis-9-c16:1 percentage', 'glial cell', 'corticobulbar tract', 'tooth morphology trait', 'nephron', 'parasite egg/oocyst count', 'immune system organ physiology trait', 'lateral septum morphology trait', 'serum immunoglobulin m level', 'inguinal fat pad weight', 'benign colorectal neoplasm prevalence', 'brain tumorous lesion', 'curd firmness', 'th1 cell count', 'optic disc size trait', 't-cell maturation', 'blood antibody titer', 'intracranial ganglion', 'urine urea amount', 'c1 physiology trait', 'vertebral length', 'stomach tumorous lesion', 'salivary gland', 'reticulo-rumen epithelium thickness', 'immune tolerance trait', 'milk ph', 'trigeminal v mesencephalic nucleus size trait', 'milk fatty acid c4:0 concentration', 'semimembranosus mass', 'hippocampus proper morphology trait', 'osteoclast formation', 'renal glomerulosclerotic lesion', 'hair cuticle morphology trait', 'iliac bone morphology', 'blood natural killer cell percentage', 'thymus capsule morphology', 'tibial midshaft cortical periosteal', 'milk casein content', 'lens development', 'both kidneys wet weight', 'adrenergic neuron morphology trait', 'plasma superoxide dismutase activity', 'percentage of study population displaying experimental diabetes mellitus at a point in time', 'skeletal muscle cellular composition', 'pulsatile insulin release periodicity', 'serum got activity level to gpt activity level ratio', 'gluteus medius muscle', 'muscle 7-octadecenoic acid', 'insulin-positive cell', 'absolute change in diastolic blood pressure', 'amygdala', 'oesophagus weight', 'tympanic ring size trait', 'polymorphonuclear neutrophil physiology trait', 'plasma afp level', 'skin cell quantity', 'late pro-b cell', 'egg production trait', 'single ear average of tympanic cavity epithelium depth', 'muscle palmitoleic acid content', 'follicular dendritic cell antigen presentation', 'prickle cell layer thickness', 'calculated femur cross-sectional area', 'serum leptin', 'c8 physiology', 'plasma immunoglobulin g2c', 'choroid/ventricle', 'artery diameter', 'ovary physiology trait', 'urine creatinine level', 'cajal-retzius cell morphology trait', 'nmda-mediated synaptic current trait', 'immune response trait', 'serum hdl-c to ldl-c ratio', 'plasma anti-bovine type 2 collagen antibody level', 'cerebellum anterior vermis morphology', 'turbinated bone morphology trait', 'adipocyte glucose uptake trait', 'thymic capsule morphology trait', 'bile duct size', 'ventral striatum', 'depression-related behavior trait', 'dopaminergic neuron count', 'putamen', 'post-insult time to onset of herpes simplex encephalitis', 'renal/urinary morphological measurement', 'brain total type i spike-and-wave discharge duration', 'dn4 cell number', 'pregnancy rate', 'igg2a', 'epiglottis morphology', 'auditory cortex morphology trait', 'phagocytosis', 'haller tunica vascula morphology', 'occipitomastoid suture morphology trait', 'hse onset/diagnosis measurement', 'kidney cell number', 'blood ethanol level', 'nk t cell physiology trait', 'acute experimental allergic encephalomyelitis incidence/prevalence', 'calculated pulmonary vascular resistance', 'cerebellar granule layer morphology trait', 'neurogenesis trait', 'liver gssg level', 'auditory inner hair cell number', 'eating behavior trait', 'filiform papillae morphology', 'circulating potassium', 'femoral fat pad mass', 'cd8-positive, alpha-beta treg', 'femoral area', 'blood th1 cell', 'mature b-lymphocyte morphology', 'muscle fatty acid c14:0 percentage', 'cardiocyte morphological', 'troponin t', 'prostate gland morphology', 'spleen size', 'spontaneous abortion', 'lvdd', 'testis lesion', 'right ovary wet weight', 'vascular', 'smooth muscle morphology', 'percentage of study population developing bilateral testis tumors during a period of time', 'plasma vldl phospholipid level', 'cardiovascular system morphology trait', 'parasympathetic cholinergic neuron morphology trait', 'gonadal fat depot morphology trait', 'mammary gland progenitor cell quantity', 'uveitis severity', 'mesenteric fat depot morphology trait', 'olfactory nerve morphology', 'blood immunoglobulin m level', 'circulating corticosterone level', 'effector t-cell number', 'adipocyte maximal nefa secretion to basal nefa secretion ratio', 'pda score', 'total prostate', 'iliac artery integrity', 'hematopoietic system morphology trait', 'muscle fatty acid c18:3 n-3 percentage', 'gestation period length', 'front limb morphological measurement', 'somatosensory cortex physiology trait', 'sodium nitroprusside-induced blood vessel dilation expressed as percent of force at maximum constriction', 'spiral ligament size', 'abdominal wall morphology', 'spleen wet weight as percentage of body', 'medulla oblongata norepinephrine', 'nk t-lymphocyte physiology trait', 'pectoral muscle', 'lymph gland morphological measurement', 'drumstick', 'quadrigeminal body', 'number of visits to feeder per day', 'embryo trait', 'dn4 immature t-cell', 'adipocyte baseline free fatty acid secretion', 'palatal shelf', 'plasma angiotensin i level', 'muscle progenitor cell migration trait', 'hepatic ornithine decarboxylase activity', 'renal glomerulosclerotic lesion measurement', 'hip circumference', 'somatic nervous system physiology', 'tnf', 'b cell clonal deletion', 'plasma ast activity level', 'lymph node germinal center morphology trait', 'right uterine horn length', 'voluntary movement trait', 'heart girth', "cowper's gland weight", 'myolemma morphology', 'modiolus', 'b lymphocyte number', 'neuromuscular synapse morphology', 'occipital lobe morphology trait', 'plasma phosphate level', 'muscle heptadecanoic acid', 'blood troponin level', 'dorsal horn morphology trait', 'absolute change in urine vanillylmandelic acid excretion rate', 'cd4+ t cell', 'tectum size', 'intervertebral cartilage development trait', 'calculated body weight', 'diaphragm muscle morphology trait', 'blood b cell count to total lymphocyte count ratio', 'lung cell quantity', 'total fluid intake volume', 'alveolocapillary membrane morphology trait', 'haemolymphoid system morphology', 'inguinal fat depot morphology trait', 'stroke volume', 'radius cell quantity', 'femur force at failure', 't-cell receptor beta chain v(d)j recombination', 'cell measurement', "henle's loop morphology", 'femur strength trait', 'liver pigmentation', 'diaphysis morphology', 'cancellous bone morphology trait', 'percentage of study population developing toxoplasma gondii brain cysts during a period of time', 'osteoblast number', 'serum anti-dsdna antibody', 'brain ventricle width to brain width ratio', 'limb quantity', 'plasma angiotensin i converting enzyme activity', 'food energy intake level', 'blood t lymphocyte count', 'meat fatty acid c18', 'blood insulin level', 'cranium mineral mass', 'hassall concentric corpuscle morphology trait', 'post-insult time to onset of experimental allergic neuritis', 'blood dopamine', 'mesencephalic tegmentum', 'calculated epididymal fat pad weight', 'lymphoma', 'circulating thyroid-stimulating hormone level', 'cochlear outer hair cell length', 'epididymal fat pad weight', 'skeletal muscle fiber size trait', 'urine chloride', 'dn3 immature t cell number', 'vagina development', 'blood cd45rchigh cd4 t cell count to cd45rclow cd4 t cell count ratio', 'tail shape', 'plasma total protein level', 'corpus epididymis morphology trait', 'kidney medulla trpv4 protein level', 'kidney cortex trpv4 protein', 'femur head diameter', 'strial intermediate cell morphology', 'milk protein', 'erythrocyte precursor', 'sweet taste sensitivity', 'alpha-interferon secretion', 'skull size', 'calculated acoustic startle response', 'ampullary sulcus morphology trait', 'aorta wall extracellular elastin level', 'afferent arteriolar resistance', 'rt6.2+ t cell count', 'osteoclast morphology trait', 'mammillary body', 'blood cd4 lymphocyte count', 'effective renal plasma flow rate to both kidney weight ratio', 'sclerotic glomerulus', 'temporal bone morphology trait', 'medulla oblongata dopamine', 'wool fleece trait', 'kidney protein activity measurement', 'ovarian follicle physiology trait', 'heart ventricle trabeculae morphology trait', 'percent change in systolic blood pressure', 'left kidney wet weight', 'mature b cell quantity', 'liver gsh level to liver weight ratio', 'reticulo-rumen mass', 'th2 cell', 't cell dependent paracortex', 'metabolism trait', 'blood high density lipoprotein cholesterol amount', 'plasma interleukin-6 level', 'aspartate aminotransferase', 'mineralized tissue volume', 'anti-rbc antibody level', 'urinary bladder epithelium', "schwalbe's ring", 'cerebellar granule neuron morphology trait', 'fatty acid amount', 'cutis vera', 'cervical spinal cord epinephrine', 'brown fat cell morphology', 'myocardial physiology trait', 'plasma glycerol', 'lateral process of malleus morphology', 'pdc morphology trait', 'bile duct', 'fallopian tube size', 'cochlear hair cell stereocilia quantity', 'artery inner diameter', 'appendage physiology trait', 'spinocerebellum morphology trait vermis part', 'metallophilic macrophage morphology trait', 'basilar bone morphology trait', 'trophoblast layer morphology', 'glomerular filtration rate', 'motor neuron innervation pattern trait', 'interleukin-1 physiology trait', 'muscular system morphology', 'femur weight', 'tissue dihydroxyphenylacetic acid (dopac) amount', 'enteric nervous system', 'gastric gland', 'plasma igf2 level', 'milk fatty acid trans-13/14-c18:1', 'serum malondialdehyde level', 'olfactory receptor neuron morphology trait', 'plasma iga', 'developmental patterning trait', 'immune cell measurement', 'blood hba1c', 'kidney size trait', 'enzyme/coenzyme activity trait', 'blood calcium', 'malar arch morphology trait', 'ampa-mediated synaptic current', 't cell receptor beta chain v(d)j rearrangement', 'subcutaneous tissue morphology', 'onset of hsv encephalitis', 'liver fat volume', 'hippocampus mossy fiber morphology trait', 'exhaustion on treadmill', 'occipital bone morphology', 'cn-vi', 'basophil morphology', 'blood pyrophosphate amount', 'tail length', 'intra-abdominal fat', 'viral infection incidence/prevalence measurement', 'serum anti-laminin antibody level', 'vestibulocochlear ganglion morphology trait', 't-cell receptor positive thymocyte count', 'brain cell', 'ventricle septal morphology', 'heart muscle contractility trait', 'immunoglobulin heavy chain v-d-j joining', 'circulating il21', 'eye orientation', 'milk beta carotene', 'well differentiated malignant colorectal cancer incidence', 'facial nuclei cell', 'eosinophil recruitment trait', 'roof plate', 'heart muscle cell', 'dn3 cell', 'ductus thoracicus', 'blood angiotensin i converting enzyme 2 activity', 'cd8-positive, alpha-beta cytotoxic t lymphocyte morphology trait', 'blood apolipoprotein a', 'nk cell quantity', 'onset', 'anti-double-stranded dna antibody level', 'vertebra cortical bone cross-sectional area', 'embryonic neuroepithelium morphology', 'milk fatty acid trans-9-c18:1 percentage', 'milk protein measurement', 'blood inorganic phosphorus', 'number of transferable embryos per round of so/ai', 'membrana vitrea morphology', 'well differentiated malignant colorectal neoplasm prevalence', 'plasmacyte morphology trait', 'glia', 'urine creatine measurement', 'oval window', 'serum ast activity level', 'germ cell morphology', 'heart right ventricle deoxyribonucleic acid content to body weight ratio', 'blood cd3 cell', 'fecal parasite egg', 'plasma aldosterone level to plasma renin activity ratio', 'hair cell morphology trait', 'blood cd25 lymphocyte', 'circulating progesterone', 'absolute change in urine noradrenalin', 'blood lipase', 'lymph node morphological', 'liver non-tumorous lesion', 'optic cup morphology trait', 'blood cd4(+) lymphocyte', 'blood cd45rchigh cd4(+) t cell count', 'caudate nucleus morphology trait', 'ileum crypt of lieberkuhn depth', 'calculated blood paracetamol level', 'circulating interleukin-15', 'liver non-tumorous lesion incidence/prevalence measurement', 'progenitor b cell morphology', 'il1a secretion', 'number of squamous cell tumors of the tongue with diameter greater than 5 mm', 'post-insult time to trigeminal nerve neurilemmoma formation', 'immunoglobulin v(d)j rearrangement', 'plasma total ige level', 'rostral vermis morphology trait', 'meat collagen content', 'natural killer cell morphology', 'stretch-attend posture measurement', 'blood acute phase protein', 'blood potassium level', 'brain morphological measurement', 'eggshell percentage, fowl', 'milk fatty acid trans-6-8-c18:1 concentration', 'gall bladder physiology', 'helper t-lymphocyte type 2 cell', 'circulating il-23b', 'immune system development', 'serum haemoglobin', 'modiolus size trait', 'scratching', 'muscle fatty acid trans-11-c18:1 concentration', 'pectoral muscle morphology', 'longissimus dorsi muscle depth', 'trigeminal ganglion of trigenmial (v) nerve', 'sgot activity level', 'eggshell measurement, fowl', 'milk fermented flavor intensity', 'tongue tumor diameter', 'ventricular septum', 'plasma anti-self antibody titer', 'egg number', 'arteriolar resistance', 'retinal ganglion cell morphology trait', 'circulating il-6 level', 'b lymphocyte development', 'food intake duration', 'interleukin-4 secretion trait', 'change in the logarithm of the vasoconstrictor dose', 'behavioral response to novel food trait', 'serum chloride', 'cerebellum foliation trait', 'superior semicircular canal morphology trait', 'innate immune response trait', 'blood adiponectin', 'tracheal-esophageal septation extent', 'total milk volume trait', 'meat homolonolenic acid', 'adult-onset diabetes mellitus incidence', 'adipose androstenone amount', 'percentage of study population developing benign hepatic tumors during a period of time', 'blood homeostasis trait', 'milk viscocity', 'interleukin-2 secretion trait', 'strial basal cell tight junction morphology', 'length of intestine affected by hirschsprung disease to total length of colon ratio', 'angiotensin 2 log half maximal effective', 'percentage of study population developing chronic experimental autoimmune encephalomyelitis during a period of time', 'calculated blood vessel endothelium measurement', 'blood alpha-1-acid glycoprotein level', 'cn-vii', 'kidney edema prevalence', 'benign hepatic tumor incidence', 'percentage of study population developing acute eae during a period of time', 'mammary gland development trait', 'thigh muscle weight', 'adipose tetradecanoic acid', 'microglial cell morphology trait', 'liver remodeling tumorous lesion number to liver total tumorous lesion number ratio', 'ventral prostate gland weight', 'axillary lymph node cell', 'milk fatty acid c20:0', 'lymph node primary follicle morphology', 'circulating interferon-alpha level', 'long bone epiphysis morphology trait', 'bone stiffness', 'inflammatory exudate cell count', 'blood ggtp activity', 'kidney integrity trait', 'dopaminergic', 'adrenal central medulla morphology trait', 'glycosylated serum protein amount', 'calculated cd8(+) cell', 'habenula', 'defecation', 'subcutaneous fat weight/ tibial length', 'urothelium', 'heart intraventricular end-diastolic wall thickness', 'adrenal gland ribonucleic acid composition measurement', 'defecation behavior trait', 'testes mass', 'sebaceous gland morphology trait', 'motor neuron axon outgrowth', 'milk fatty acid trans-11,cis-15-c18', 'cardiac position', 'plasma renin activity', 'cornea light scattering trait', 'blood reactive oxygen metabolite amount', 'serum very low density lipoprotein cholesterol', 'blood aspartate transaminase amount', 'cecum mucosa thickness', 'heart left ventricle end-systolic internal dimension index', 'muscle heptadecanoic acid concentration', 'autonomic nervous system measurement', 'double-negative t cell numbers', 'neuron cytoplasm', 'serum phosphate', 'pericardial morphology trait', 'caudal ganglionic eminence morphology', 'cd8-positive, alpha-beta regulatory t-cell morphology trait', 'external germinal layer morphology trait', 'serum gpt activity', 'golgi organ morphology trait', 'egg albumen weight, fowl', 'urine phosphate level', 'angiotensin ii log half maximal effective concentration (ec50)', 'spinal nerve morphology trait', 'ean onset/diagnosis measurement', 'milk rumenic acid concentration', 'colorectal adenoma number', 'fat androstenone content', 'graafian follicle', 'serum reactive oxygen metabolite amount', 'calculated abdominal fat pad weight', 'embryonic/fetal subventricular zone morphology trait', 'reduced mature b cell', 'blood magnesium', 'bone mineral content to body weight ratio', 'aorta measurement', 'liver fibrotic lesion area to total liver area ratio', 'z disk morphology', 'allogrooming behavior trait', 'metatarsus', 'viscerocranium', 'feeding behavior', 'parturition trait', 'serum murinoglobulin 1', 'peripheral b-lymphocyte anergy', 'plasma e. coli specific antibody measurement', 'liver nonremodeling tumorous lesion', 'proprioceptive neuron morphology', 'r-eae incidence/prevalence', 'utricular spot morphology', 'kidney glomerulus volume', 'chorion morphology trait', 'onset of somite formation', 'aorta elastin amount', 'circulating anti-single stranded dna antibody amount', 'csf mineral amount', 'reflex', 'dermal layer morphology', 'femoral fat depot morphology', 'circulatory system physiology', 'subventricular zone morphology', 'total heart ventricle weight as a percentage of body weight', 'benign hepatic tumor number', 'brain ventricle/choroid plexus', 'circulating il1b', 'lymphocyte-activating factor secretion', 'limbus laminae spiralis osseae morphology', 'post-insult time to onset of experimental autoimmune neuritis', 'hepatic copper weight to liver wet weight ratio', 'pectoralis muscle size', 'milk fatty acid trans-11,trans-13-c18:2', 'age at onset/diagnosis of t1dm', 'calculated hepatic malondialdehyde', 'colorectal tumor', 'immunoglobulin light chain v-j recombination', 'periuterine fat pad morphology', 'calculated alcohol intake rate', 'plasma comp level', 'b-1 b lymphocyte morphology', 'blood bilirubin', 'rbc', 'circulating hormone', 'onset of menarche', 'areola mammae/nipple number', "e/e' wave", 'total food-derived energy intake level', 'tn3 thymocyte', 'cns synaptic transmission', 'percentage of study population developing poorly differentiated malignant colorectal tumors during a period of time', 'enzyme/coenzyme activity', 'calculated plasma acetaminophen level', 'plasma very low density lipoprotein phospholipid', 't-helper 1 cell quantity', 'organ morphological', 'serum anti-single-stranded deoxyribonucleic acid antibody level', 'antrum follicle quantity', 'serum free glycerol', 'major salivary gland morphology trait', 'primary neuromuscular spindle morphology trait', 'milk fatty acid trans-11,trans-15-c18:2 concentration', 'serum igg-rheumatoid factor level normalized', 'calculated pancreas insulin level', 'kidney medulla cell quantity', 'ureter physiology', 'myocardium measurement', 'kneecap morphology', 'ctl cytolysis', 'milk alpha-s1-casein', 'motor nerve collateral sprouting trait', 'calculated urine electrolyte excretion rate', 'zygomatic arch morphology trait', 'tunica sclerotica morphology trait', 'fornix hippocampus morphology trait', 'calculated kidney fibrotic lesion area', 'plasma escherichia coli specific antibody', 'diabetes mellitus type i incidence', 'primary neuromuscular spindle morphology', 'urine albumin excretion rate to body weight ratio', "meissner's corpuscle morphology", 'calculated bone mineral content', 'haemolymphoid system', 'number of visits to self-feeder per day', 'blood cd45rclow cd4+ t cell', 'reticulorumen morphology trait', 'vasoconstriction measurement', 'transverse gyrus of heschl', 'seminal gland morphology', 'sexual differentiation', 'blood phytosterol amount', 'calculated islet of langerhans area', 'bone calcium content', 'trigeminal nerve mpnst formation', 'inguinal lymph gland dry weight to body weight ratio', 'bone ash content', 'stapes footplate morphology', 'frontal lobe morphology trait', 't-cell apoptosis', 'kidney, pelvic, and heart fat weight', 'purkinje cell morphology trait', 'cytotoxic t cell cytolysis', 'milk dry matter content', 'kidney cortex trpv4 protein level', 'pancreatic islet area to total pancreatic area ratio', 'external nares morphology', 'cochlear potential trait', 'hoof pigmentation', 'blood ldl-c', 'change in plasma e. coli specific antibody level after vaccination', 'macrophage phagocytosis', 'plasma albumin', 'internal acoustic meatus', 'fat depth', 'blood alpha-n-acetylgalactosaminidase', 'response to addictive substance', 'surface structure trait', 'milk fatty acid trans-10-c18', 't1dm incidence', 'lachrymal gland morphology trait', 'nasal mucosa goblet cell morphology', 'serum igg-rf', 'interleukin-17 secretion trait', 'meat fatty acid cis-9-c14', 'immune serum protein secretion', 'muscle/skeletal mechanoreceptor morphology trait', 'leukemia incidence/prevalence', 'dentate gyrus', 'adipose tissue distribution', 'middle cervical ganglion', 'plasma angii', 'bone physiology trait', 'right testis wet', 'iliac artery', 'kidney calyx morphology', 'hair guard cell innervation pattern', 'fat mass index (fmi)', 'diencephalon morphology', 'nasal bone morphology', 'serum corticosterone level', 'thymus trabecula morphology', 'fallopian tube length', 'pericardium morphology trait', 'talus morphology trait', 'uterus molecular composition trait', 'milk trans-16-octadecenoic acid', 'milk fatty acid c22:0 percentage', 'mesencephalic duct morphology', 'ovarian follicle size trait', 'celiac lymph node', 'transitional two stage b-cell morphology trait', 'vertebra cortical cross-sectional area', 'neuroendocrine gland physiology', 'biceps femoris muscle mass', 'ventral prostate mass', 'development trait of the thymus', 'joint mobility', 'exercise fitness', 'lateral semicircular canal morphology trait', 'type 1 helper t cell to type 2 helper t cell ratio as percentage', 'response to infection trait', 'aorta', 'blood alkaline phosphatase amount', 'mid-tibia cortical', 't-helper 2 physiology', 'longissimus thoracis muscle', 'milk fatty acid cis-11-c18:1', 'mouth shape trait', 'absolute change in adipocyte nefa secretion per unit volume', 'herpes simplex encephalitis incidence/prevalence measurement', 'pecquet duct morphology trait', 'artery wall thickness to artery total diameter ratio', 'pectoralis muscle morphology trait', 'milk palmitelaidic acid content', 'urinary bladder morphological measurement', 't-cell replacing factor secretion', 'urine osmolality', 'plasma aspartate transaminase activity level', 'cd4-negative, cd8-negative, alpha-beta intraepithelial t-cell morphology', 'pulmonary blood flow', 'aortic volume', 'nodular lymph node cortex morphology', 'circulating luteinizing hormone level', 'occipital lobe morphology', 'colostrum growth hormone concentration', 'calculated trichinosis severity', 'tracheal-esophageal septation trait', 'membrana vestibularis ductus cochlearis morphology trait', 'ratio of the area occupied by islets of langerhans to total pancreatic', 'average horizontal distance in proximity to the target during voluntary locomotion in an experimental apparatus', 'talus size trait', 'calculated aorta morphological', 'blood rt6.1 cell', 'percent change in pulse pressure', 'labia majora shape trait', 'peritoneum pigmentation', 'cd4-cd8- t cell count', 'b-1b b-lymphocyte morphology trait', 'optic tract morphology trait', 'colliculi morphology trait', 'trophoblast giant cell morphology', 'lens size trait', 'radial glial cell morphology trait', 'number of mature b-lymphocytes', 'ethanol drink intake volume', 'colostrum igm', 'nodular lymph node cortex morphology trait', 'onset of endochondral bone ossification', 'choroid vascular morphology trait', 'urine taurine level', 'heart interventricular wall morphology trait', 'plasma afp', 'foliate papillae', 'hepatic tumor incidence/prevalence measurement', 'aortic wall molecular composition', 'head movement', 'decrease in blood ethanol level to body weight ratio per unit time', 'blood interferon-alpha amount', 'milk prolactin concentration', 'blood vessel dilation expressed as percent of force at maximum constriction', 'percentage of study population developing relapsing/remitting experimental autoimmune encephalomyelitis during a period of time', 'small intestine morphology', 'serum angii', 'spinal cord protein/peptide composition measurement', 'midbrain/pons serotonin amount', 'ratio of change in renal blood flow to change in renal perfusion pressure', 'skin physiology', 'supine abdominal', 'heart ventricle size', 'individual kidney dry', 'meat linolenic acid', 'spinal cord ventral horn cellular composition', 'epididymal fat pad morphological', 'ratio of area occupied by beta cells to total pancreatic islet', 'serum total immunoglobulin g level', 'metopic suture morphology', 'artery tunica media area', 'intramuscular adipose tissue', 'arterial blood gas', 'embryonic development trait', 'milk vanilla flavor intensity', 'bone structure trait', 'hepatic tumor incidence/prevalence', 'erythrocyte ion transport', 'occipital suture morphology trait', 'creatinine clearance to body weight ratio', 'spinal column length', 'relapsing/remitting experimental autoimmune encephalomyelitis incidence/prevalence', 'rib eye area', 'circulating macrophage cell factor', 'left ventricular end-diastolic blood pressure', 'skin na+', 'palatine tonsil morphology trait', 'total protein level', 'circulating b-cell stimulatory factor-2', 'plasma immunoglobulin g', 'dn4 immature t-cell number', 'milk fat-to-protein', 'calculated hepatic glutathione', 'area of prostate occupied by tumorous lesions to total prostate area ratio', 'circulating il-21', 'longissimus dorsi weight', 'sternum', 'milk fatty acid trans-9,cis-12-c18', 'sensory ganglion morphology trait', 'astroglia morphology', 'single inguinal fat pad weight', 'heart left ventricle size', 'dressed carcass mineral content', 'circulating glucocorticoid', 'time constant of isovolumetric lv fall', 'artery tunica media', 'jejunum morphology trait', 'circulating adrenocorticotropic hormone level', 'combined food plus drink energy intake', 'blood differential wbc count', 'femur dimensions', 'synovial blood flow trait', 'fungiform papillae morphology', 'sympathetic ganglia', 'mhc class ii rt1a-positive spinal cord ventral horn', 'thymus cortico-medullary zone morphology', 'brain ribonucleic acid', 'dermis morphology', 'purkinje cell innervation pattern trait', 'radial glial cell', 'dentate gyrus morphology trait', 'cerebellar granule cell morphology trait', 'post-insult time to onset of experimental diabetes mellitus', 'diabetes mellitus incidence', 'double negative t cell', 'z band morphology', 'meat fatty acid c16', 'balt morphology', 'van horne canal morphology', 'circulating interleukin-12p35', 'optic stalk morphology', 'commissure', 'pancreatic lesion measurement', 'harderian gland physiology', 'cd4+ t cell morphology', 'osteoblast physiology trait', 'white meat', 'right adrenal gland wet weight', 'single positive t cell physiology', 'retinal neuronal layer morphology trait', 'thyroid gland wet', 'factor b physiology trait', "peyer's patch morphology", 'cerebellar purkinje cell layer morphology trait', 'pupil shape', 'blood flow trait', 'milk caproic acid content', 'serum immunoglobulin m', 'mucosa thickness of the duodenum', 'lateral geniculate nucleus morphology trait', 'brain spike-and-wave discharge rate', 'urine norepinephrine', 'vitreous', 'serum direct renin activity level', 'metacarpus number', 'upper jaw morphology trait', 'pro-b cell', 'peritoneal macrophage morphology trait', 'single testis wet weight', 't-lymphocyte morphology trait', 'mammary gland fetal development trait', 'facial nuclei cell quantity', 'egg albumen flavor trait', 'milk stomatin content', 'adrenocortical cell morphology', 'circulating il-23 alpha', 'cardiac muscle contractile force', 'interleukin-12p40 secretion', 'cd4-positive, cd25-positive, alpha-beta regulatory t lymphocyte morphology trait', 'circulating ifn-alpha level', 'ilium morphology trait', 'urine volume', 'cochlear ganglion', 'self mutilation severity composite score', 'blood direct renin activity', 'type i cell morphology', 'meat lipid content', 'colostrum steroid content', 'tibial volume measurement', 'hair down neuron morphology', 'heart ventricle septum morphology trait', 'cocaine', 'inferior glossopharyngeal ganglion morphology trait', 'milk myristic acid concentration', 'superior caval vein', 'blood xenobiotic', 'lymph node dry weight to body weight ratio', 'callosal gyrus morphology', 'circulating il-23', 'pdc morphology', 'carcass length, first rib', 'cranial nerve morphology', 'enterocolitis severity measurement', 'recovered cfu', 'lymphocyte', 'blood interleukin-23a', 'blood differential white blood cell count', 'calculated heart right ventricle weight', 'self harm measurement', 'urine protein excretion rate to body weight ratio', 'iliac artery morphology trait', 'renal/urinary', 'post-insult time to mammary tumor formation', 'kidney medulla cell', 'muscle fatty acid cis-11-c20', 'bone marrow morphological measurement', 'corium thickness', 'glomerulosclerosis damage index', 'chemokine physiology', 'phalanges', 'kupffer cell', 'percentage of study population developing chronic eae during a period of time', 'liver protein/peptide molecular composition measurement', 'absolute change in electrocardiographic low frequency r-r interval', 'urinary bladder morphological', 'milk fatty acid trans-13-14-c18:1', 'coat/hair development trait', 'blood mononuclear cell count', 'blood cd3 cell count', 'voluntary social interaction', 'one seminal gland wet', 'prostate gland integrity trait', 'both ovaries', 'maximum change in heart rate to change in mean arterial blood pressure ratio', 'ethmoid bone morphology trait', 'grooming', 'seizure rate', 'stellate ganglion morphology', 'corneal light scattering', 'ratio of ipca to total area of splenic region of pancreas', 'floccular fossa', 'meat docosahexaenoic acid content', 'rt6.1 positive t cell', 'blood enzyme measurement', 't cell receptor gamma chain v-j joining', 'kidney blood vessel physiology trait', 'absolute change in blood ph', 'hse onset/diagnosis', 'spleen red pulp morphology', 'blastocele development', 'thyroid function', 'hybridoma growth factor secretion', 'spinal cord morphology', 'fear/anxiety-related behavior trait', 'aorta weight', 'endochondral ossification initiation trait', 't helper 2 physiology', 'costal cartilage', 'brain campesterol amount', 'calculated liver tumorous lesion measurement', 'blood urea nitrogen level', 'poorly differentiated malignant colorectal tumor count', 'skin chloride', 'blood foreign compound level', 'gastric tumor number', 'il6 secretion', 'blood cpk activity', 'blood sodium level', 'left ventricular size trait', 'afferent colloid osmotic pressure', 'secretion by hypothalamus trait', 'heart blood flow measurement', 'kidney sclerotic glomerular volume', 'mantle zone morphology trait', 'blood morphology trait', 'lipid metabolism', 'blood amino acid content', 'blood paracetamol level', 'heart nefa', 'mucosa thickness of the colon', 'calculated adipocyte free fatty acid secretion', 'ethanol intake', 'calculated hepatic copper weight', 'b-1b b cell morphology trait', 'aorta elastic tissue morphology trait', 'pancreas development', 'intestine length', 'both kidneys wet weight as percentage of body', 'amphetamine', 'stomach lesion measurement', 'pro-b lymphocyte cell number', 'eicosenoic acid percentage', 'milk fatty acid trans-13-14-c18:1 percentage', 'calculated blood glycated albumin level', 'adipocyte basal glucose uptake', "meissner's corpuscle nerve fiber", 'calculated plasma low density lipoprotein cholesterol level', 'enteric ganglion morphology', 'white blood cell dna synthesis', 'lymph node b cell domain morphology', 'heart tumorous lesion', 'circulating fatty acid', 'pancreatic tumorous lesion measurement', 'trigeminal motor nucleus morphology trait', 'hippocampus pyramidal cell', 'clinical measurement', 'neuron mitochondrion area to neuron cytoplasm area ratio', 'hypothalamus hva', 'gamma-delta t-lymphocyte', 'mast cell morphology', 'inflammatory exudate tumor necrosis factor alpha concentration', 'mchc', 'liver morphological', 'embryonic development', 'squamous part of temporal bone morphology', 'heart right ventricle molecular composition measurement', 'heart left ventricle interstitial norepinephrine', 'drumstick muscle-to-bone', 'blood thyrotropin', 'th1 cell to th2 cell ratio as', 'serum glutamic-pyruvate transaminase activity', 'spinal cord anterior column', 'neuronal cytoplasm area', 'circulating protein level', 'metaphysis morphology trait', 'taste physiology', 'brain wet', 'macula sacculi morphology', 'somite', 'male reproductive system morphology', 'axon guidance trait', 'antero-septal wall', 'cardiovascular system development trait', 'hypoxia-induced blood vessel dilation expressed', 'dressed carcass size trait', 'blood globulin level', 'abomasum weight', 'gastric tumor', 'secondary neuromuscular spindle size trait', 'cd8-positive, alpha-beta intraepithelial t-cell morphology trait', 'brain spike-and-wave discharge amplitude', 'epicardium', 'urine color', 'calculated liver glutathione', 'egg shell lightness', 'complement classical pathway physiology trait', 'brain measurement', 'membrana hyaloidea morphology trait', 'immunoglobulin v-j rearrangement', 'stearic acid percentage', 'platelet', 'palmitic acid percentage', 'circulating lymphopoietin-1', 'polymodal receptor', 'tear production trait', 'c9 physiology', 'placenta morphological', 'mortality/survival measurement', 'il23 secretion', 'skin cell number', 'lumbar vertebra size', 'aortic wall collagen weight', 'breast size trait (poultry)', 'l5 sympathetic ganglion morphology', 'mitral valve closure to opening time', 'spiral ligament fibrocyte morphology', 'white blood cell basal level of radioactive nucleoside incorporation', 'blood free glycerol level', 'area of liver occupied by fibrosis as percentage of total liver', 'tail vertebra morphology trait', 'anti-chromatin antibody concentration', 'urine potassium level to urine creatinine level ratio', 'circulating beta-ifn', 'femur midshaft cross-sectional moment of inertia', 'molecule homeostasis', 'posterior stroma morphology trait', 'angiotensin ii response/sensitivity', 'percentage of study population displaying retinopathy at a point in time', 'prostate tumorous lesion measurement', 'hippocampus projection neuron morphology trait', 'occipitoparietal suture', 'tissue weight of the rumen', 'meat fatty acid c10', 'absolute change in left ventricular systolic blood pressure', 'perineum', 'organ system', 'belly meat percentage', 'neutrophil leukocyte', 'urine sodium level to body weight ratio', 'wool fiber curvature', 'blood molecular composition trait', 'coccygeal vertebra morphology', 'time to first movement outside a discrete space in an experimental apparatus', 'udder height, floor to tarsal joint', "cowper's gland dry weight", 'thymus epithelium morphology trait', 'log recovered cfu', 'ace activity', 'cranial flexure morphology trait', 'calculated liver propanedial', 'heart ventricle membranous septum morphology trait', 'tail body', 'thymic corticomedullary boundary morphology trait', 'coccyx morphology trait', 'lamina vitrea morphology', 'milk trans-9-hexadecenoic acid content', 'serum glucagon level', 'urine microalbumin', 'calculated heart left ventricle end-diastolic anterior wall', 'serum level of immunoglobulin g2c', 'blood development', 'methamphetamine trait', 'percent of time spent in freeze behavior', 'blood glomerular filtration rate, schwartz formula', 'thoracic vertebra morphology trait', 'milk fatty acid c20:5(n-3) percentage', 'plasma ggt activity', 'palatine bone morphology trait', 'hindlimb conformation trait', 'spleen follicle centre number', 'milk fatty acid trans-10-c18:1 concentration', 'hematopoiesis trait', 'liver glutathione level', 'meat cholesterol', 'l4 ganglion morphology trait', 'kidney renin', 'hair follicle root sheath', 'milk casein amount', 'onset of defensive burying response', 'number of entries into a discrete space in an experimental apparatus', 'heart left ventricle interstitial collagen amount', 'egg aftertaste trait', 'reticulorumen morphology', 'adrenal gland dry', 'plasma vldl phospholipid', 'ureter quantity', 'epaxial muscle', 'blood enzyme amount', 'bone marrow', 'mge morphology', 'tlr2', 'yoke bone', 'milk casein concentration', 'cerebellar cortex', 'circulating alanine transaminase level', 'incisive bone', 'hippocampus', 'external germinal layer thickness', 'salivary duct morphology trait', 'vermal uvula', 'wrist bone morphology trait', 'liver molecular composition', 'blood growth hormone', 'ventricle septal morphology trait', 'nail shape', 'l5 ultimate force', 't-helper 1 cell morphology trait', 'limbus spiralis morphology trait', 'cd8-positive, cd25-positive, alpha-beta regulatory t cell', 'b lymphocyte physiology', 'kidney-specific lymphocyte tracer radioactivity level', 'vitreous body', 'central nervous system regeneration', 'bilateral testis tumor prevalence', 'serum phosphate level', 'vertebral column development trait', 'calculated serum anti-porcine type 2 collagen antibody titer', 'germinal center b cell physiology trait', 'the total pancreatic islet', 'corpus luteum', 'plasma ethanol level', 'neutrophil granulocyte percentage', 'blood aldosterone amount', 'small bowel', 'lip shape', 'heart right ventricle dorsal wall', 'vertebrae morphological measurement', 'mesencephalic trigeminal nucleus size', 'soft palate morphology trait', 'outer ear morphology trait', 'circulating level of thyroxin', 'growth plate morphology', 'circulating ro-23-6019', 'lung weight, dry/body weight ratio', 'blood differential leukocyte count to lymphocyte count ratio', 'sensory dissociation area morphology', 'milk fatty acid cis-9,cis-12-c18', 'thymus size trait', 'milk vitamin', 'serum levels of lutropin', 'both suprarenal glands wet weight to body weight ratio', 'gametogenesis trait', 'dn2 cell', 'total area of head region of pancreas', 'tissue 5-hydroxyindoleacetic acid amount', 'skin fold thickness', 'stratum papillare corii morphology trait', 'seminal gland weight', 'immunoglobulin light chain v-j joining', 'single testis wet weight as percentage of body weight', 'meat fatty acid trans-12-c18', 'blood creatine kinase amount', 'cornea clarity trait', 'cd4-negative, cd8-negative, alpha-beta intraepithelial t cell', 'effector t-lymphocyte number', 'lens induction', 'urine taurine amount', 'plasma prolactin level', 'meat collagen', 'cervix epithelium', 'gamma-delta intraepithelial t-cell morphology trait', 'sebaceous gland size', 'temporalis muscle morphology trait', 'cardiac atrium', 'humerus bone mineral', 'blood regulatory t lymphocyte', 'tibia area', 'meat fatty acid c14:0 concentration', 'summary potential', 'heart muscle compact layer', 'plasma t3 level', 'tibia work to failure', 'kidney angiotensin i converting enzyme 2 activity', 'adipose fatty acid c14:0', 'calculated adipocyte free fatty acid secretion measurement', 'beta cell area as percentage of total islet of langerhans area', 'serum levels of prolactin', 'voluntary horizontal locomotion rate in an experimental apparatus', 'both ovaries wet weight', 'frontoparietal suture morphology trait', 'circulating il-3 level', 'platelet shape', 'trabecular bone', 'blood flow velocity', 'forelimb stylopod morphology trait', 'pars superior vestibularis morphology trait', 'serum oxidized glutathione level', 'rostral migratory stream morphology', 'venous blood flow rate', 'parasympathetic nervous system morphology trait', 'calculated serum anti-type 2 collagen antibody titer', 'fibula length', 'forebrain homovanillic acid', 'mesenteric artery phosphylated enos protein', 'memory b-cell morphology', 'corium morphology', 'sympathetic nerve activity', 'lymph node primary follicle morphology trait', 'caudate nucleus morphology', 'blood th2 cell count', 'macrophage migration', 'circulating interleukin-23', 'malphighian capsule morphology trait', 'meat margaric acid content', 'brain swd', 'inguinal fat pad mass', 'crista spiralis morphology trait', 'transitional stage b-cell number', 'the total pancreatic islet count', 'cd4/cd8', 'cranial ganglion x', 'benign liver tumor', 'operant conditioning behavior', 'medullary canal development', 'hair-tylotrich cell innervation pattern trait', 'ipscs', 'neutrophil leukocyte morphology', 'follicle-stimulating hormone secretion', 'b lymphocyte morphology trait', 'skeletal muscle cell size', 'anterior semicircular canal', 'post-insult time to onset of experimental autoimmune encephalomyelitis', 'renal tubule size trait', 'substantia nigra', 'muscle fatty acid c17:0', 'adipose morphology trait', 'number of b-1b cells', 'germ cell quantity', 'lymphatic system development trait', 'in vivo coagulation', 'duodenum morphology', 'score for pda', 'calculated renal vascular resistance', 'cd8-positive t cell development trait', 'adipocyte basal free fatty acid secretion', 'colostrum immunoglobulin a content', 'milk fatty acid cis-11-c20:1 concentration', 'serum vldl-c', 'circular sinus', 'feed conversion ratio', 'pancreas non-tumorous lesion measurement', 'skeletal morphological', 'milk fatty acid cis-9,trans-13-c18:2 concentration', 'serum immunoglobulin g-type rheumatoid factor level', 'oleic acid percentage', 'musculoskeletal system', 'colostrum immunoglobulin m amount', 'skin sodium level', 'calvaria morphology trait', 'ampullary crest neuroepithelium morphology trait', 'leukemia onset/diagnosis measurement', 'vitelline vascular morphology', 'hippocampus mossy fiber', 'enamel delamination', 'meat fatty acid c17:0 concentration', 'collar bone morphology', 'spleen cell', 'pancreatic beta cell physiology trait', 'blood interleukin-9 amount', 'blood sorbital dehydrogenase amount', 'primitive streak morphology', 'areola quantity', 'milk alpha-s2-casein concentration', 'blood phytosterol', 'tunica vasculosa bulbosa morphology', 'decrease in blood ethanol', 'alveolar-capillary membrane morphology', 'heart left ventricle deoxyribonucleic acid content', 'poorly differentiated colorectal adenocarcinoma incidence', 'percentage of study population displaying chronic pancreatitis at a point in time', 'salivary gland mucosal cell quantity', 'blood vessel dilation force reduction', 'anatomical relation trait', 'milk cis-vaccenic acid percentage', 'blood low density lipoprotein cholesterol', 'testis wet weight', 'nk t lymphocyte morphology trait', 'milk fatty acid trans-7,cis-9-c18:2 percentage', 'blood superoxide dismutase activity', 'milk fatty acid c7', 'central nervous system physiological', 'epidermis stratum spinosum cell size', 'time constant of left ventricular relaxation', 'drink intake', 'heat trait', 'tongue muscle morphology', 'gonadal fat depot morphology', 'fingernail', 'spleen germinal center size', 'non-tongue scchn tumor number', 'bv/tv', 'plasma anti-rat type 2 collagen antibody titer', 'maxillary sinus morphology trait', 'caudate-putamen', 'plasma orosomucoid 1 level', 'gluthathione peroxidase activity', 'nonolfactory cortex morphology', 'purkinje neuron morphology trait', 'suprarenal gland dry', 'single kidney wet weight', 'corpora lutea number', 'mucociliary clearance', 'il12 secretion', 'orbit size', 'kidney adrenomedullin level', 'neonate morphological', 'femur metaphysial mediolateral diameter', 'blood idl', 'interleukin-23a secretion trait', 'serum ace activity', 'total urine protein amount', 'choroid morphology trait', 'helper t cell type 2', 'the number of all cells in that exudate', 'number of ruptures of the internal elastic lamina of the abdominal aorta and iliac arteries', 'il-23b secretion', 'nervous system electrophysiology', 'gastric tumor diameter', 'liver tumorous lesion diameter measurement', 'milk tetracosanoic acid percentage', 'bone work', 'tympanic ring', 'serum oxidized ldl amount', 'vascular development trait', 'lymph organ development', 'organ tumorous lesion incidence/prevalence', 'egg shell stiffness', 'calculated kidney glomerulosclerosis measurement', 'artery tunica media measurement', 'stomach glandular epithelium', 'milk fatty acid c22:5(n-3) concentration', 'bsf-2 secretion', 'xenobiotic stimulus trait', 'brain spike-wave activity frequency', 'number of stretch-attend posture movements', 'horizontal semicircular canal morphology', 'tissue protein/peptide composition measurement', 'cilia retention', 'cerebral hemispheres morphology', 'tongue squamous epithelium morphology', 'accessory nerve', 'plasma t4', 'oval corpuscle morphology trait', 'l5 drg morphology', 'follicular dendritic cell physiology trait', 'visceral endoderm', 'ventral prostate tumorous lesion size', 'serum anti-collagen antibody titer', 'blood tumor necrosis factor amount', 'enamel cell development', 'epiphysial plate', 'mast cell quantity', 'milk fatty acid c10', 'stratum basale epidermis morphology', 'snout shape', 'blood gpx activity level', 'area of liver occupied by fibrotic lesions as percentage of total liver area', 'calculated suprarenal gland', 'heart enzyme activity', 'common crus', 'mean duration of a single type ii spike-and-wave discharge train', 'superior cervical ganglion size trait', 'bone work to failure', 'blood pressure time series experimental set point of the baroreceptor response', 'fructose drink intake rate', 'single suprarenal gland weight', 'calculated heart right atrium morphological', 'dressed carcass ash content', 'helper t-cell type 2 function', 'mitral valve closure', 'intervertebral cartilage', 'fontanelle morphology', 'calculated aortic smooth muscle cell', 'tibia ultimate force', 'muller duct', 'heart ace activity', 'respiratory system morphology trait', 'b-2 b cell', 'milk fatty acid trans-11,cis-13-c18', 'calculated milk whey protein content', 'serum apolipoprotein level', 'cochlear coil number', 'lumbar vertebra total cross-sectional', 'accumbens nucleus morphology trait', 'interleukin-12b secretion trait', 'plasma ionized calcium level', 'volume of liver occupied by remodeling tumorous lesions', 'fructose food energy intake rate', 'calculated kidney glomerulosclerotic lesion', 'pulmonary ventilation trait', 'calculated plasma escherichia coli specific antibody level', 'brain activity measurement', 'heart right ventricle insulin-like growth factor 1 receptor mrna', "bruch's membrane morphology trait", 'blood xenobiotic level', 'superior vagus ganglion morphology', 'frontal suture', 'blood glucocorticoid', 'duodenum glandular crypt depth', 'menarche initiation trait', 'kidney glomerulosclerotic lesion count to total glomeruli count ratio', 'urine creatinine amount', 'blood mononuclear cell', 'urinary bladder transitional epithelium thickness', 'blood anti-parasite antibody', 'blood nh2-terminal nppb level', 'tibia/fibula cortical bone total cross-sectional', 'calculated heart left atrium morphological', 'cochlear ohc morphology trait', 'absolute change in plasma adrenaline', 'artery wall thickness to artery inner diameter ratio', 'ratio of ipca to total area of duodenal region of pancreas', 'calculated mesenteric fat pad', 'number of riel in arteries', 'paw/hand/foot/hoof morphology trait', 'heart ventricle membranous septum morphology', 'circulating epidermal cell derived thymocyte-activating factor', 'diabetes mellitus type ii prevalence', 'anxiety-related behavior', 'experimental autoimmune encephalomyelitis severity', 'neuroglia morphology', 'malignant colorectal tumor incidence', 'calculated renal cortex protein composition', 'urinary system physiology', 'heart right ventricle ventral wall', 'blood vldl particle diameter', 'retinal rod bipolar cell morphology trait', 'cervix morphology', 'circulating t-cell stimulating factor', 'kidney wet weight', 'pr_interval', 'caudal vertebra quantity', 'nk t-cell physiology', 'cortical volumetric bmd', 'chronic eae incidence', 'circulating interleukine 2', 'blood transferrin', 'prevertebral ganglion', 'optic disc morphology', 'subcutis morphology', 'circulating interleukin level', 't3 b cell morphology', 'tibia morphology trait', 'mesencephalon', 'eye pigmentation trait', 'inner hair cell stereociliary bundle orientation', 'muller cell morphology trait', 'arteriole measurement', 'muscle 7-octadecenoic acid content', 'adipose fatty acid trans-11-c18:1', 'cd8-positive, gamma-delta intraepithelial t-lymphocyte morphology', 'circulating il-16 level', 'sarcomere morphology trait', 'membrana tympani', 'vena cava', 'follicular dendritic cell antigen presentation trait', 'central nervous system synapse formation', 'calculated aorta wall molecular composition measurement', 'type i muscle fiber', 'afterhyperpolarization trait', 'otolith organ', 'circulating il-21 level', 'hippocampus pyramidal neuron morphology', 'calculated serum paracetamol level', 'trichinellosis severity measurement', 'circulating ifn-gamma inducing factor', 'rhythmic behavior trait', 'ameloblast development trait', 'cochlear melanocyte morphology', 'jaw', 'response to infection', 'b-1a b lymphocyte morphology', 'prostate gland dry', 'l4 dorsal root ganglia', 'tumor necrosis factor secretion trait', 'marrow cavity', 'lymph node dry weight', 'blood campesterol amount', 'cerebral artery lumen diameter', 'adipose fatty acid cis-9-c16:1 percentage', 'mouth morphology', 'eosinophil physiology trait', "meissner's corpuscle innervation pattern trait", 'femoral fat pad morphology trait', 'pulmonary artery', 'malignant liver tumor incidence/prevalence measurement', 'heart muscle cell diameter', 'frontal suture morphology', 'paravertebral ganglion morphology trait', 'blood cd45rchigh cd8 t cell count to cd45rclow cd8 t cell count ratio', 'heart left ventricular blood pressure trait', 'vibrissa retention trait', 'coat/hair morphology', 'brain ribonucleic acid composition measurement', 'retinal bipolar cell morphology trait', 'plasma alt activity', 'renal blood vessel physiology trait', 'splenic secondary b cell follicle', 'tn3 cell', 'vestibulocochlear ganglion morphology', 'dn3 thymocyte quantity', 'erythropoiesis', 'miik fat globule size', 'femur neck morphological measurement', 'plasma low density lipoprotein phospholipid', 'pancreatic islet protein/peptide composition measurement', 'renal medulla trpv4 protein level', 'kidney platinum level', 'inferior vagus ganglion of the vagus (x) nerve morphology', 'vestibular chamber morphology trait', 'liver malondialdehyde amount', 'circulating bcgf-1', 'l5 sympathetic ganglion morphology trait', 'humerus morphological', 'strial basal cell', 'innate immunity trait', 'granulocyte number', 'ileum mucosa morphology trait', 'esophagus morphology', 'common lymphoid progenitor cell', 'plasma prolactin', 'corneal thickness', 'kidney-specific lymphocyte tracer radioactivity', "schlemm's canal morphology trait", 'trigeminal motor nucleus morphology', 'blood th2-like cell count to total lymphocyte count ratio', 'photoreceptor outer segment', 'hepatic tumorous lesion measurement', 'b-1 b-cell morphology', 'absolute change in electrocardiographic low frequency r-r spectral component to high frequency r-r spectral component ratio', 'serum igm-rf level normalized to a reference value', 'milk fatty acid cis-11-c16', 'conditioned place preference behavior trait', 'heart atrium morphology', 'clinical', 'lymph node-specific lymphocyte radioactive tracer measurement', 'body length, nose to tail', 'post-insult time to onset of leukemia', 'response to amphetamine', 'milk undecylic acid', 'memory b cell', 'adipocyte maximal nefa secretion', 'transitional two stage b-lymphocyte number', 'fluid regulation', 'vestibular labyrinth morphology trait', 'combined levator ani and bulbocavernosus muscle', 'somatosensory cortex morphology trait', 'sclerotic coat', 'colliculi size', 'milk leptin amount', 'circulating t-cell-replacing factor', 'skin sodium ion', 'blood comp level', 'parametrial fat pad', 'tear duct morphology', 'epidermal layer', 'meat arachidic acid percentage', 'forced expiratory volume', 'cornu ammonis morphology trait', 'pef', 'milk free calcium content', 'tegmentum size trait', 'osteoclast number', 'milk fatty acid c8:0 percentage', 'testis tumor prevalence', 'percentage of study population developing endometrioid carcinoma during a period of time', 'parasitic infection severity measurement', 'pancreatic lesion', 'milk fatty acid cis-11-c18:1 concentration', 'femur morphological measurement', 'somatic sensory system', 'egg yolk weight', 'hyperpolarization', 'urine specific gravity', 'colostrum prolactin concentration', 'vestibular system physiology trait', 'age at onset/diagnosis of non-insulin-dependent diabetes mellitus', 'plasma plant sterol and stanol level', 'spinal cord complement component 1, q subcomponent, b chain protein level', 'endometrial adenocarcinoma incidence/prevalence', 'tarsal gland size', 'anthropometric', 'ileum mucosa', 'life span', 'behavioral response to alcohol', 'ejaculation', 'milk fat yield', 'pancreatic islet physiological', 'heart left ventricle end-systolic posterior wall thickness', 'logarithm of the lesioned side motoneuron count', 'milk calcium concentration', 'milk pentadecanoic acid percentage', 'tibia midshaft', 'calculated body morphological measurement', 'natural killer cell morphology trait', 'chronic pancreatitis prevalence:', 'esophageal epithelium cell quantity', 'meat palmitic acid', 'eosinophil', 'plasmacytoid dendritic cell physiology trait', 'cornea/lens morphology trait', 'left hindlimb ankle joint diameter', 'number of naive b cells', 'hepatic copper amount', 'uvea integrity', 'absolute change in systolic blood pressure', 'proventriculus volume', 'spleen physiology', 'milk linolenic acid content', 'type i vestibular cell', 'length of intestine affected by intestinal aganglionosis to total length of colon ratio', 'milk fatty acid cis-9-c16:1 percentage', "e/e' wave ratio", 'mammary gland length', 'relapsing-remitting experimental autoimmune encephalomyelitis incidence', 'milk caprylic acid concentration', 'plasma estradiol', 'vestibular cochlear ganglion morphology trait', 'milk fatty acid c20:2 concentration', 'semen', 'leukocyte measurement', 'both lungs wet weight as percentage of body weight', 'dorsal horn', 'atrial appendage configuration', 'serum fructosamine', 'cd4-negative, cd8-negative, alpha-beta intraepithelial t-cell', 'conjunctival epithelium morphology trait', 'serum ctx', 'appendage morphology', 'mammary alveoli morphology trait', 'membrana vestibularis ductus cochlearis', 'stomach size trait', 'fleece', 'splenic weight', 'milk sweet flavor intensity', 'inflammatory exudate nitric oxide level', 'milk butyric acid content', 'central t-cell anergy', 'tail vertebra', 'mesenteric artery', 'total muscle', 'blood pressure time series fractal parameter', 'intestinal mucosa', 'artery intimal hyperplastic lesion area', 'seminiferous tubule diameter', 'lacrimal gland morphology', 'vertebra trabeculae cross-sectional area', 'muscle fatty acid cis-9,cis-12-c18', 'tissue homovanillic acid amount', 'both ears average of tympanic cavity epithelium width', 'locus ceruleus morphology trait', 'neopallium morphology trait', 'tail shape trait', 'prostate tumorous lesion prevalence', 'liver edema incidence', 'blood acrp30 amount', 'dressed carcass weight', 'plasma immunoglobulin a level', 'strial intermediate cell morphology trait', 'molar growth trait', 'milk fatty acid cis-9,cis-11-c18:2 percentage', 'prion infection trait', 'plasma anti-dsdna antibody', 'renal trpv4 protein level', 'cerebellum plate morphology', 'calculated blood flow measurement', 'lymphopoietic system morphology', 'blood idl-c', 'long bone shaft morphology trait', 'loin', 'non-lesioned side motoneuron count', 'circulating triiodothyronine', 'thalamus cell number', 'hormones in milk', 'connective tissue development', 'blood acidity-alkalinity balance', 'urinary bladder morphology trait', 'blastocoele formation', 'beta-casein', 'photoreceptor outer segment morphology trait', 'dn3 immature t cell', 'hepatic tumorous lesion volume to total liver volume ratio', 'parietal lobe', 'cochlear hair cell stereocilia', 'blood integrity', 'blood oxidized ldl', 'adipose margaric acid concentration', 'bmi', 'number of veterinary treatments', 'change in cell membrane potential', 'marginal zone b cell number', 'l5 sympathetic ganglia morphology', 'intestinal mucosa morphology', 'hepatocyte quantity', 'deltoid impression morphology', 'commissure morphology trait', 'serum noradrenaline level', 'natural killer t-lymphocyte number', 'urothelium morphology', 'viral disease onset/diagnosis measurement', 'blood urea nitrogen amount', 'right uterine horn weight', 'rearing measurement', 'heart insulin-like growth factor 1 receptor mrna', 'subscapular fat pad morphology', 'total wall', 'starting total body', 'compulsivity behavior', 'nail', 'belly meat', 'blood vessel dilation measurement', 'double-negative t cell', 'memory b cell morphology', 'kidney renin protein', 'calculated kidney cortex protein composition measurement', 'absolute change in thymus weight', 'cns', 'hemolymphoid system development', 'percentage of study population developing liver parenchymal degeneration during a period of time', 'feather morphology', 'cardiomyocyte morphological measurement', 'mpnst onset/diagnosis', 'secondary muscle spindle morphology trait', 'ductus thoracicus morphology trait', 'mucosa thickness of the cecum', 'basophil differentiation', 'measurement of voluntary horizontal locomotion in an experimental apparatus', 'bcgf-1 secretion', 'horn', 'squamous cell carcinoma of the oral cavity measurement', 'sublingual salivary gland cholinergic nerve fiber organization trait', 'thorax', 'eosinophilic leucocyte morphology', 'tibio-fibular complex cross-sectional area', 'lumbar dorsal root ganglion', 'urine urotensin ii level to urine creatinine level ratio', 'post insult time to regain baseline angle of tilted plane at which balance/traction is lost', 'endocochlear potential', 'serum immunoglobulin m-type rheumatoid factor level relative to an arbitrary reference serum', 'percentage of uncategorized leukocytes', 'blood vldl triglyceride', 'artery morphology trait', 'mean duration of a single spike-and-wave discharge train', 'milk somatic cell measurement', 'prostate physiology', 'serum dopamine level', 'milk lactadherin content', 'pinna', 'aorta size', 'milk trans fatty acid content', 'meat heneicosanoic acid content', 'measurement of prepulse inhibition of the acoustic startle response', 'colostrum immunoglobulin amount', 'gamma-delta intraepithelial t cell morphology', 'maximum body weight loss', 'milk fatty acid cis-11-c18:1 percentage', 'femur midshaft cortex cross-sectional area', 'adipocyte maximum glucose uptake', 'catabloin secretion', 'fat', 'ventral prostate size trait', 'cardiac valve morphology', 'gamma-delta intraepithelial t cell morphology trait', 'milk fatty acid c6:0 concentration', 'basal body', 'nasal septum morphology trait', 'final total body', 'leydig cell morphology trait', 'iga', 'plasma globulin measurement', 'calculated skin electrolyte', 'chest width', 'intramuscular adipose', 'synaptic depression', 'eosinophilic leukocyte', 'feathering', 'body morphological', 'embryo implantation', 'hepatocellular carcinoma tumor number', 'basophil granulocyte count', 'macrophage count', 'interleukin-3 secretion trait', 'heart shape trait', 'myocardial trabeculae', 'quantitative insulin sensitivity check index', 'kidney paraoxonase-1 activity to total protein level ratio', 'squamous cell carcinoma of the head and neck', 'logarithm of the lesioned side motoneuron', 'liver beta-sitosterol', 'bilateral renal agenesis incidence/prevalence measurement', 'tectorial membrane size', 'experimental autoimmune neuritis prevalence', 'interneuron morphology', 'serum progesterone', 'meat omega-6 polyunsaturated fatty acid content', 'respiratory mechanics', 'calculated pancreas total protein', 'horn number', 'malleus size trait', 'renal fat depot morphology trait', 'liver granuloma severity', 'amnion', 'clotting', 'bone morphology', 'polymorphonuclear cell percentage', 'liver gst-p mrna level', 'mature b-cell', 'bmi using nose to tail body length', 'peritoneum', 'follicular b cell physiology', 'stratum spinosum thickness', 'calculated alcohol intake', 'nmda receptor mediated synaptic activity in barrel cortex', 'lateral semicircular canal morphology', 'kidney blood vessel', 'fin morphology', 'retinal progenitor cell development trait', 'proerythroblast morphology trait', 'hypertrophic cell zone', 'plasma inorganic phosphate', 'adipose heptadecanoic acid concentration', 'serum insulin-like growth factor 2 level', 'calculated blood cd8 cell', 'fontanel', 'haemolymphoid system trait', 'yolk sac', 'conjunctiva', 'anti-ssdna antibody level', 'kidney development', 'milk polyphenol concentration', 'b cell dependent cortex morphology', 'hippocampal fimbria morphology trait', 'plasmacytoid monocytes cell number', 'blood insulin-like growth factor 2', 'blood gldh activity level', 'anti-histone antibody', 'tracheal ciliated epithelium morphology', 'plasma il6', 'blood vessel stenosis', 'leukocyte physiology trait', 'leukopoiesis trait', 'circulating il15 level', 'calculated plasma insulin level', 'blood vessel endothelial cell count', 'heart electrical conduction measurement', 'plasma carboxyhemoglobin', 'qrs amplitude', 'interleukin-17 secretion', 'hearing physiology trait', 'retinal cell number', 'thoracic aorta molecular composition', 'milk colloidal calcium concentration', 'lymph node cortex', 'mammary fat depot morphology trait', 'sublingual gland morphology', 'spongy spongiosa morphology trait', 'aorta root width', 'scrotum cell', 'osteoclast physiology trait', 'lacrimal gland physiology', 'serum igg level', 'fimbra hippocampus', 'packed cell volume', 'island of langerhans measurement', 'white fat', 'lumbar vertebral trabecular cross-sectional area', 'skeletal muscle cell morphology', 'serum potassium level', 'blood cd4 cell count', 'blood low-lca t4 t cell count', 'immune system development trait', 'neurotransmitter release trait', 'change in intracerebroventricular sodium', 'milk fatty acid c20:4(n-6) concentration', 'leg trait', 'uterine weight as percentage of body', 'alpha-beta intraepithelial t-lymphocyte morphology trait', 'humerus morphological measurement', 'hypaxial muscle cell number', 'number of periods of grooming in an experimental apparatus', 'cerebellum external granule cell layer', 'blood igd level', 'circulating il-13 level', 'kidney sclerotic glomeruli count to total glomeruli count ratio', 'percentage of study population displaying kidney tubular degeneration at a point in time', 'plasma escherichia coli specific antibody level change, post vaccination', 'r-eae incidence', 'pillar cell', 'heart valve', 'meat fatty acid c20:1 percentage', 'calculated blood vessel lesion', 'spinal cord mhc class ii protein', 'vertebra cortical bone cross-sectional', 'stratum spinosum', 'blood murinoglobulin 1 level', 'heart intraventricular wall thickness', 'vertebra biomechanical', 'calculated heart left ventricle end-diastolic posterior wall thickness', 'pericardial fat pad morphology', 'mesenteric fat pad weight as a percentage of body weight', 'milk colloidal calcium', 'blood activated t cell percentage', 'humerus curvature', 'failure', 'cd4-positive, cd25-positive, alpha-beta regulatory t-cell morphology trait', 'spiral limbus morphology', 'total islet of langerhans area', 'hypodermis morphology', 't cell receptor v-j rearrangement', 'medullary sinus morphology trait', 'chemotactic interleukin physiology trait', 'elastic laminae', 'cochlear hair cell', 'interferon', 'pancreas molecular composition trait', 'calculated middle cerebral artery inner diameter', 'lateral ganglionic eminence morphology', 'nervous system disease', 'blood alt activity', 'cerebrum morphology', 'renal agenesis incidence/prevalence measurement', 'peritoneum morphology', 'blastocoel formation', 'serum creatine phosphokinase activity level', 'area of ventral prostate occupied by tumorous lesions', 'total protein', 'liver volume', 'serum ggt activity', 'circulating interleukin-9 level', 'immunoglobulin v(d)j recombination', 'serum ldh activity', 'pulmonary interstitium', 'lung weight to body weight ratio', 'absolute change in plasma epinephrine', 'blood basophil', 'foreskin morphology', 'heart right atrium weight to body weight ratio', 'epidermis stratum spinosum morphology', 'blood amylase amount', 'cecum muscle', 'ectoplacental cone morphology', 'blood interleukin', 'calculated acoustic startle reaction', 'optic nerve fiber number', 'scapula length', 'splenic red pulp morphology', 'dn4 thymocyte quantity', 'spinal cord beta-2 microglobulin protein level', 'round window morphology trait', 'blood adrenaline amount', 'neutrocyte', 'post ivf treatment cleaved embryo', 'percentage of study population developing liver hyperemia during a period of time', 'nipple morphology trait', 'fat thickness', 'volume of liver occupied by tumorous lesions as percentage of total liver volume', 'posterior nares morphology trait', 'hippocampus fimbria', 'multipotential colony-stimulating factor secretion', 'external meatus morphology', 'vulva', 'heart dorsal wall thickness', 'hair-tylotrich cell innervation pattern', 'pelvic arch', 'white fat cell morphology', 'serum anti-rat type 2 collagen autoantibody', 'tibia volume', 'immunoglobulin v-d-j rearrangement', 'glucagon secretion trait', 'xiphoid process', 'hsv encephalitis onset/diagnosis', 'embryonic cilia morphology trait', 'medulla oblongata morphology', 'mesenteric lymph node', 'l5 dorsal root ganglion', 'osteoblast development', 'brain sterol amount', 'craniofacial morphology', 'dn1 thymic progenitor t cell', 'plasma cholesterol level', 'cytokine physiology', 'lacrimal bone morphology', 'distal back leg circumference', 'rostral vermis morphology', 'femoral cross-section', 'area of liver occupied by tumorous nodules', 'liver tumorous lesion volume fraction', 'superficial glomeruli count', 'motor nerve terminal sprouting', 'percentage of study population displaying hse at a point in time', 'blood cartilage oligomeric matrix protein level', 'milk fatty acid c18:2(n-6) percentage', 'retroperitoneal fat pad weight to tibia length ratio', 'ovulation trait', 'brain ventricle width', 'ankylosis in experimental arthritis incidence/prevalence measurement', 'diastolic blood pressure', 'dorsal root ganglion size', 'food intake volume, single feeding', 'labia minora size trait', 'red blood cell', 'meat color', 'serum triglyceride level', 'exudate', 'timed urine volume to body weight ratio', 'trigeminal nerve', 'b cell receptor editing trait', 'bronchus morphology', 'total number of bacterial colony forming units recovered', 'poorly differentiated colorectal adenocarcinoma number', 'natural killer t cell morphology trait', 'osteoblast development trait', 'serum dipeptidyl carboxypeptidase activity', 'cervical squamous epithelum morphology', 'coat/hair morphological', 'emotion/affect behavior', 'kidney fibrotic lesion area', 'fourth ventricle morphology trait', 'liver total tumorous lesion', 'plasma triacylglycerol', 'adrenal gland physiology', 'lacrimal bone morphology trait', 'intact tumor cells in nonremodelling liver neoplastic nodules', 'diencephalon', 'nerve fiber organization', 'submandibular gland morphology', 'brain type ii spike-wave activity amplitude', 'embryonic cell/tissue', 'sinusoidal space size', 'plasma triiodothyronine level', 'stillborn offspring', 'axonal morphology trait', 'olfaction', 'helper t lymphocyte type 1 cell', 'linolenic acid percentage', 'corticosterone secretion trait', 'both ears average of tympanic cavity epithelium thickness', 'labia size trait', 'oesophagus', 'basal ganglion neuron number', 'brain commissure morphology', 'respiratory function', 'anorectal malformation incidence/prevalence measurement', 'stamina trait', 'blood nk cell', 'calculated pancreatic islet weight', 'blood apolipoprotein level', 'tail regeneration', 'nervous system', 'calculated urine urea level', 'tongue scc maximum tumor diameter', 'testis morphology trait', 'depth of the glandular crypts of the duodenum', 'colorectal adenoma', 'ankle joint diameter', 'somite morphology', 'left renal fat pad', 'calculated neuron golgi apparatus area measurement', 'deltoid process morphology trait', 'enteric cholinergic nerve fiber quantity', 'helper t cell type 1 morphology trait', 'lateral ventricle size', 'aca inner diameter', 'plasma anti-toxoplasma antibody titer', 'blood carbon monoxide', 'lv weight/tibial', 'spermatozoa', 'prickle cell layer', 'blood interleukin-2 amount', 'femoral energy', 'total drink energy intake', 'mesenteric fat depot morphology', 'blood iga', 'limb/digit', 'both adrenal glands weight as percentage of body', 'intramuscular adipocyte count to skeletal muscle volume ratio', 'serum dipeptidyl carboxypeptidase activity level', 'myeloblast', 'acoustic startle reaction', 'heart left ventricle interstitial epinephrine amount', 'male meiosis', 'vitamin and cofactor metabolism trait', 'lymph node wet weight to body weight ratio', 'heart ribonucleic acid composition measurement', 'thoracic vertebra morphology', 'ultimobranchial body morphology trait', 'heart blood pressure trait', 'corneal epithelium', 'immune serum protein activity', 'kidney plasma flow trait', 'purge loss', 'b-1a b-lymphocyte morphology', 'adult parasite', 'cachectin', 'total food calorie intake', 'myocardium morphology', 'stillbirth', 'eosinophilic leukocyte morphology trait', 'ejaculation duration', 'cardiac output', 'descemet membrane morphology trait', 'meat skatole flavor intensity', 'erpf to both kidney weight ratio', 'testis ribonucleic acid composition', 'milk omega-6 fatty acid amount', 'angiotensinogenase activity', 'colostrum leptin amount', 'glomerular filtration trait', 'brain molecular composition', 'shoulder fat weight', 'serum hdl-c level', 'glial cell morphology trait', 'heart angiotensin ii converting enzyme activity', 'colostrum volume', 'organ of corti supporting cell differentiation trait', 'langerhans cell antigen presentation', 'bile color', 'circumvallate papillae morphology trait', 'abdominal adipose', 'trichinosis severity', 'bone strength trait', 'interatrial septum', 'trigeminal nerve neurilemmoma incidence/prevalence', 'lung ribonucleic acid composition measurement', 'calculated plasma low density lipoprotein cholesterol', 'alpha-beta intraepithelial t-cell morphology', 'milk structural', 'serum igf2 level', 'blood glucocorticoid amount', 'comb mass', 'lvad', 'large bowel length', 'moribundity measurement', 'corpora quadrigemina size trait', 'immune system cell quantity', 'common crus morphology trait', 'germinative layer', 'blood superoxide dismutase amount', 'mpnst measurement', 'circulating ifn-gamma level', 'hepatobiliary system development trait', 'blood beta-sitosterol', 'visceral adipose mass', 'body height at withers', 'plasma nh2-terminal pro-b-type natriuretic peptide level', 'placental vascular morphology', 'meat fatty acid cis-9-c18:1', 'preovulatory follicle', 'serum alcohol level', 'hepatic malondialdehyde level to liver weight ratio', 'adipose molecular composition trait', 'blood t lymphocyte', 'plasma anti-type 2 collagen antibody', 'bone section structure module index', 'double-negative t cell morphology trait', 'fructose food calorie intake rate', 'anti-self antibody titer', 'total food intake volume', 'cervix squamous epithelium morphology trait', 'lung weight, wet/body weight ratio', 'cd8+ t cell', 'otic capsule size trait', 'il-1 secretion', 'milk xanthine oxidoreductase content', 'esophagus weight', 'digestive secretion', 'platelet number', 'serum anti-bovine type 2 collagen antibody level', 'edl morphology trait', 'rsna measurement', 'hypodermis morphology trait', 'vestibular dark cell', 'neurological/behavioral: addiction/drug abuse', 'behavioral circadian rhythm trait', 'levator ani/bulbocavernosus muscle weight', 'blood cd45rclow cd8 t cell count to total cd8 t cell count ratio', 'hepatic reduced glutathione level', 'dorsal basal ganglia morphology trait', 'harderian gland morphology trait', 'scapular spine morphology', 'chronic experimental arthritis incidence/prevalence', 'red fiber abundance', 'outer ear size', 'gonad morphology trait', 'bone mineral morphological', 'amniotic fold', 'skull volume', 'cerebellum cell number', 'milk fatty acid trans-10,cis-12-c18', 'dressed carcass fat weight', 'parametrial fat pad morphology', 'cd4+ t cell development', 'poorly differentiated malignant colorectal tumor number', 'cecum weight', 'paleostriatum morphology', 'hepatic malondialdehyde level', 'eyelid aperture', 'meat fatty acid c20:1', 'neuron specification', 'cannon bone circumference', 'plasma orm1', 'cd8-positive, gamma-delta intraepithelial t-cell morphology trait', 'polymorphonuclear neutrophil morphology trait', 'isthmic organizer', 'alpha-1-acid glycoprotein', 'head development', 'calculated total heart ventricle', 'interparietal suture', 'end-diastolic heart left ventricle pwt', 'calculated liver gsh', 'xenobiotic metabolism trait', 't1 stage b cell morphology', 'pituitary tumor latency period', 'glutamate neuron number', 'dn3 alpha-beta immature t-cell number', 'cd4-positive, cd25-positive, alpha-beta regulatory t-cell morphology', 'milk hormone amount', 'nodose ganglion size', 'treg cell morphology trait', 'complement protein', 'circulating vldl cholesterol', 'parasite size', 'thymus dry', 'cerebellum posterior vermis morphology trait', 'helper t-cell type 1 function', 'milk fat percentage', 'serum acetaminophen auc', 'hepatic lipid measurement', 'pulmonary vein morphology trait', 'rostral-caudal axis patterning trait', 'meat conductivity', 'circulating atrial natriuretic factor', 'meat fatty acid cis-9-c18', 'b-1 b-cell', 'intercapillary cell', 'cardiovascular disease', 'periarteriolar sheath', 'blood thyroid hormone amount', 'blood neutrophil count', 'wrisberg ganglia morphology trait', 'columnar layer morphology', 'calculated plasma noradrenaline level', 'endolymphatic duct size trait', 'otic vesicle morphology trait', 'total horizontal distance covered', 'plasma vldl level', 'skin adnexa', 'hepatic remodeling tumorous lesion number to hepatic total tumorous lesion number ratio', 'response', 'biceps femoris mass', 'pigmented ventral coat/hair area to total ventral coat/hair area ratio', 'single kidney dry weight', 'brain ventricle integrity trait', "peyer's patch", 'stratum basale epidermis morphology trait', 'luteinization trait', 'tibia midshaft cortical', 'artery wall thickness as percentage of artery lumen diameter', 'lens capsule morphology trait', 'rumen morphology trait', 'tracheal ciliated epithelium', 'venous return trait', 'mouth shape', 'artery neointimal hyperplastic lesion area', 'neuronal rough endoplasmic reticulum', 'sarcomere morphology', 'rosenthal canal morphology trait', 'internal adipose amount', 'eae progression', 'bone section surface density', 'igg3 level', 'defensive burying', 'rectum', 'postimplantation loss of zygote/embryo as percentage of total litter', 'erythroid progenitor morphology trait', 'pulmonary valve configuration', 'atrial appendage configuration trait', 'plasma gpx activity', 'milk leptin', 'cochlear outer hair cell morphology', 'brown fat morphology', 'subependymal zone', 'serum levels of mammotropic factor', 'cellular extravasation', 'labyrinthus osseus morphology trait', 'vertebra trabeculae cross-sectional', 'emotion/affect behavior trait', 'lymphoid dendritic cell morphology', 'ileal smooth muscle contractility', 'aorta blood flow', 'experimental arthritis incidence/prevalence', 'morphine trait', 'pectoral girdle morphology trait', 'th2 cell differentiation', 'bone mineral density', 'transitional stage t1 b cell', 'bone physiology', 'pancreatic delta cell', 'blood phospholipid level', 'shoulder girdle morphology', 'female meiosis', 'palatine tonsil morphology', 'skull morphology', 'basophil count to total wbc count ratio', 'milk fatty acid trans-9-c16', 'milk fatty acid trans-9-c18:1', 'subcutaneous fat thickness', 'postimplantation loss of zygote/embryo', 'rostro-caudal body axis extension', 'respiratory muscle morphology', 'inferior vena cava morphology trait', 'meat tridecanoic acid', 'hypoglossal nucleus', 'laminar structure', 'blood cell development', 'meat fatty acid c18:0 percentage', 'blood gamma-glutamyl transpeptidase amount', 'sperm flagellum size trait', 'calculated ethanol drink intake volume', 'gamma-delta intraepithelial t-lymphocyte morphology trait', 'creatine kinase', 'haemolymphoid system physiology trait', 'mammary tumor incidence/prevalence measurement', 'heart right ventricle morphology trait', 'blood gamma-glutamyl transpeptidase', 'receptor-dependent blood vessel maximum contractile force exoressed', 'lumbar vertebra trabeculae cross-sectional area', 'vestibular organ', 'plasmacyte cell', 'helper t cell type 1 function', 'response to amphetamine trait', 'edl', 'right lung weight/left lung', 'pancreatic islet tissue protein/peptide composition', 'milk lactoferrin', 'blood anti-single stranded dna antibody amount', 'heart ventricle septal wall thickness', 'drumstick weight', 'embryo hatching', 'urethra morphology', 'stomach tumor histology grade', 'milk fatty acid trans-9,trans-12-c18:2 concentration', 'glutaminergic neuron', 'percentage of study population displaying liver hyperemia at a point in time', 'circulating interferon type ii', 'serum alpha-fetoprotein', 'colorectal neoplasm surface area measurement', 'urine epinephrine excretion rate', 'circulating parathyroid hormone level', 'lateral prostate size', 'pyramis of cerebellum morphology', 'blood island', 'serum t4', 'frontal lobe', 'adrenal gland molecular composition', 'spleen b-cell corona', 'tcrgd cell', 'rpf', 'femur neck width', 'stomach epithelium thickness', 'milk polyunsaturated fatty acid percentage', 'posterior limiting layer of cornea', 'adrenergic chromaffin cell', 'corpus papillary morphology', 'neutrophil recruitment trait', 'body conformation trait', 'lh secretion', 'cochlear outer hair cell efferent innervation morphology', 'il1 alpha secretion', 'lumbar vertebral cross-sectional area', 'mitogen-stimulated white blood cell proliferation', 'pallium development', 'serum rat anti-self type 2 collagen antibody level', 'milk omega-3 fatty acid percentage', 'heart wall', 'heart interventricular wall thickness', 'nucleotide metabolism', 'pulmonary alveolar duct', 'lymph circulatory physiology trait', 'retina blood vessel morphology trait', 'heart muscle physiology', 'calculated blood lipoprotein', 'spleen capsule', 'thymus corticomedullary zone', 'heart effluent enzyme', 'vein', 'trophoblast giant cell morphology trait', 'trigeminal ganglion morphology', 'mitral valve morphology', 'calculated drink intake measurement', 'basal ganglia morphology trait', 'ean incidence/prevalence', 'cerebellum anterior vermis', 'stillborn offspring number', 'inflammatory exudate icosanoid measurement', 'number of perinatal live-born offspring deaths to litter size ratio', 'cn-v', 'tarsus morphology', 'adrenal gland mass', 'wbc morphology trait', 'sperm morphology trait', 'behavioral response to addictive substance', 'otic vesicle cell quantity', 'immune system physiology trait', 'muscle fatty acid c20', 'petrosal ganglion morphology', 'cge', 'serum carboxyhemoglobin', 'phalangeal cell', 'omasum morphology trait', 'scleral venous sinus', 'total milk fat', 'calculated neuronal rough endoplasmic reticulum area', 'liver damage severity measurement', 'blood t lymphocyte count to total lymphocyte count ratio', 'otolith quantity', 'sublingual salivary gland cholinergic nerve fiber organization', 'blood vessel lumen diameter', 'memory t cell quantity', 'brain type i spike-wave activity rate', 'circulating interleukin-12 level', 'sympathetic nerve fiber', 'benign liver tumor number', 'drumstick muscle-to-bone ratio', 'serum reduced glutathione level', 'mean corpuscular haemoglobin concentration', 'striate cortex morphology trait', 'osteoclast physiology', 'malleus morphology', 'meat fatty acid trans-9-c18', 'milk adipophilin content', 'self mutilation measurement', 'central nervous system morphology trait', 'gland development trait', 'inguinal lymph node dry weight to body weight ratio', 'phenylephrine-induced vasoconstriction', 'circulating bsf-2 level', 'cervical spinal cord 5-hydroxyindoleacetic acid amount', 'total glomerular', 'e wave deceleration time', 'blood alanine aminotransferase activity', 'milk fatty acid cis-9,trans-11-c18', 'cervical spinal cord dopamine amount', 'auditory nerve fiber response', 'effector t lymphocyte number', 'meibomian gland', 'cochlear ganglion cell quantity', 'response to fungal infection', 'ileum muscle thickness', 'serum idl phospholipid', 'femur morphology trait', 'parasympathetic ganglia morphology', 'blood vessel development', 'immune serum protein activity trait', 'atrioventricular node morphology', 'kidney tumorous lesion', 'milk beta-lactoglobulin percentage', 'heart muscle trabeculae morphology', 'sympathetic cholinergic neuron morphology', 'circulating p-cell stimulating factor level', 'absolute change in adipocyte free fatty acid secretion per unit volume', 'antibody', 'initial total body weight', 'uterus size trait', 'experimental autoimmune encephalomyelitis severity measurement', 'sap measurement', 'circulating level of stanolone', 'hindbrain development trait', 'lumbar vertebra cross-sectional', 'spleen secondary follicle morphology trait', 'pigmented coat/hair area', 'cochlear inner hair cell afferent nerve fiber', 'hair guard neuron morphology trait', 'egg morphology', 'femur work', 'egg shell strength', 'organ non-tumorous lesion incidence/prevalence', 'blood enzyme protein', 'benign colorectal tumor incidence', 'cd8-positive, alpha-beta intraepithelial t cell', 'spermatogonia proliferation', 'calculated heart right ventricle dna content', 'sperm head size trait', 'plasma il6 level', 'absolute change in urine 3-methoxy-4-hydroxymandelic acid level', 'nervous system physiology trait', 'ratio of change in body weight to final total body weight', 'alcohol intake volume', 'alveolar-capillary barrier', 'naive b lymphocyte morphology trait', 'milk fatty acid cis-11-c20:1 percentage', 'sngfr', 'fourth ventricle size trait', 'neuron rough endoplasmic reticulum area', 'serum inorganic phosphorus level', 'calculated sperm count', 'blood sodium amount', 'squamous part of temporal bone', 'internal fat', 'number of stretched-attend posture movements', 'encephalitis incidence/prevalence measurement', 'trophectoderm', 'inflammatory exudate', 'meat connective tissue content', 'myotome', 'kidney cortex protein', 'serum tsh level', 'posterior column', 'heart dorsal wall', 'cd4 cell count', 'blood glucose level', 'learning/memory/conditioning', 'blood glucagon amount', 'lacrimal gland', 'plasmacyte cell number', 'circulating interleukin-23 p40', 'interscapular fat pad mass', 'neuronal lysosome', 'blood viscosity', 'small bowel length', 'milk fatty acid cis-9,trans-12-c18:2 concentration', 'hydrocephaly severity', 'cardiac morphology trait', 'pancreas total protein level', 'spinal cord protein/peptide composition', 'thurl', 'pigmented coat/hair', 'meat', 'blood carnitine', 'meat organoleptic trait', 'mitral valve configuration trait', 'adipose linoleic acid concentration', 'triglyceride level', 'intercostal muscle size trait', 'renal corpuscle morphology trait', 'heart right ventricle dna content', 'milk fatty acid trans-10,trans-12-c18:2', 'plasma thyroid stimulating hormone level', 'circulating b-cell stimulatory factor-1 level', 'colostrum somatic cell', 'metatarsus mass', 'placental secretion trait', 'baroreceptor physiology trait', 'percentage of study population developing pyometritis during a period of time', 'caudatoputamen morphology', 'epiglottis', 'incus size', 'ratio of the weight of a single adrenal gland to the weight of the body', 'lung ribonucleic acid', 'renal medullary blood flow rate', 'common lymphoid progenitor morphology', 'gamma-delta intraepithelial t lymphocyte morphology trait', 'hemoglobin measurement', 'kidney tubular degeneration incidence', 'malignant liver tumor incidence', 'ventral prostate gland', 'lymphocyte cell number', 'substantia trabecularis morphology', 'blood hba1c level', 'end-tidal partial pressure of carbon dioxide (petco2)', 'fallopian tube', 'serum levels of adrenocorticotropin', 'milk xor concentration', 'plasma cell', 'cloaca septation completeness', 'testis dry weight', 'endocardial cushion size trait', 'bs/bv', 'prolactin secretion', 'milk trans fatty acid concentration', 'gamma-delta t lymphocyte morphology', 'urine protein excretion rate', 'chondrocyte morphology', 'facial bone morphology', 'teat morphology trait', 'chest development trait', 'heart protein activity measurement', 'milk fat globule diameter', 'il-1alpha secretion', 'heart right ventricle molecular composition', 'lymphoma onset/diagnosis', 'nasal bridge', 'interleukin-12a secretion trait', 'total surface area of liver occupied by tumorous lesions', 'age at onset/diagnosis of insulin-dependent diabetes', 'meat glucose-6-phosphate', 'spinal cord anterior horn cellular composition measurement', 'igg2b concentration', 'b-cell proliferation', 'copper homeostasis', 'interleukin-6 physiology trait', 'lactation duration', 'cd8-positive, alpha-beta cytotoxic t-cell', 'tissue norepinephrine amount', 'prostate tumorous lesion size', 'plasma low density lipoprotein cholesterol', 'oviduct morphology trait', 'logarithm of the total number of s. pneumoniae cfu in effusion plus wash', 'masseter muscle size trait', 'dorsal root ganglia morphology', 'cn-iv', 'respiratory passage morphology', 'outer ear cartilage', 'cytotoxic t cell physiology trait', 'mammary gland terminal end bud count', 'anti-single stranded dna antibody concentration', 'adipocyte free fatty acid release', 'ratio of hepatic reduced glutathione level to liver weight', 'somite shape trait', 'utricle size trait', 'lymphocyte physiology trait', 'peripheral t cell anergy', 'one epididymidis wet weight', 'score of inflammatory exudate in tympanic cavity', 'experimental arthritis severity', 'lung protein activity measurement', 'hearing physiology', 'granulocyte physiology trait', 'tendon morphology trait', 'intercalated disc', 'cranial/facial bone morphology trait', 'platelet function', 'ltp: ca3 region', 'milk fatty acid content', 'ventricle of cerebral hemisphere size trait', 'liver non-tumorous lesion measurement', 'duodenum morphology trait', 'mammary gland embryonic development', 'serum angiotensin i converting enzyme 2 activity level', 'renal blood flow rate', 'milk fatty acid c8:0', 'time of axon outgrowth', 'er-tr9 positive cell morphology trait', 'milk plasmin', 'white blood cell morphology', 'elastic laminae morphology', 'tibial energy to break', 'vascular tunic of the eye morphology', 'calculated drink energy intake measurement', 'brain type ii spike-wave activity frequency', 'cartilage', 'basisphenoid bone morphology', 'vibrissa morphology', 'whole body visceral fat volume', 'tongue tumor number', 'prevertebral ganglion cell quantity', 'auditory threshold', 'alpha-beta intraepithelial t cell', 'adipocyte baseline glucose uptake', 'posterior eye segment morphology trait', 'area of ventral prostate occupied by tumorous lesions as percentage of total ventral prostate', 'urine creatinine', 'dn1 thymic pro-t lymphocyte number', 'interscapular fat pad morphology trait', 'heart lv dna', 'bone section mineralized tissue surface area to mineralized tissue volume ratio', 'neurophysis morphology', 'behavioral response to novel object trait', 'niddm incidence', 'single adrenal gland wet weight as percentage of body weight', 'cytokine cx2 secretion', 'hind paw size trait', 'terminal bronchiole tube size', 'inner hair cell stereociliary bundle', 'spleen development', 'muscle fatty acid cis-9-c16:1 concentration', 'stratum reticulare cutis morphology trait', 'oligodendrocyte progenitor', 'il1b secretion', "peyer's patch germinal center morphology trait", 'maximum inspiratory flow (pif)', 'kidney glomerulosclerotic lesion', 'serum norepinephrine', 'allantois morphology', 'abomasum size', 'harderian gland pigmentation', 'body movement/balance measurement', 'rump', 'cornea curvature', 'ultimobranchial body', 'intestinal aganglionosis severity', 'onset of osteogenesis', 'plasma anti-bovine type ii collagen antibody', 'heart ace2 activity', 'urine podocalyxin', 'hdl', 'total enos protein', 'blood vessel measurement', 'skin layer morphology trait', 'hematolymphoid system physiology', 'abdominal morphological measurement', 'geniculate ganglion size trait', 'serum insulin-like growth factor 1 level', 'forestomach mass', 'renal vasculature', 'kidney rna composition measurement', 'renal tubular degeneration prevalence', 'summary potential intensity', 'femur ip', 'blood ph', 'uterine', 'foregut morphology', 'brain electrophysiological measurement', 'frontal bone morphology trait', 'serum immunoglobulin m-type rheumatoid factor level relative', 'blood-cerebrospinal fluid barrier morphology trait', 'memory t lymphocyte morphology trait', 'milk color yellowness', 'cone electrophysiology', 'plasma cell development', 'total pancreatic tissue protein/peptide composition', 'blood th cell', 'vibrissa shape', 'blood estradiol level', 'afferent arteriolar plasma protein', 'meat arachidonic acid percentage', 'z line configuration', 'liver wet weight as percentage of body weight', 'behavioral response to thermal stimulus', 'social behavior', 't-cell receptor positive thymic lymphocyte', 'milk hormone content', 'muscle thickness of the duodenum', 't cell physiology', 'urine dopamine level', 'temporal lobe', 'clara cell quantity', 'plasma glutamate dehydrogenase activity level', 'hair shaft morphology trait', 'blood cd45rchigh cd4 t lymphocyte count as percentage of total lymphocytes', 'dorsal root ganglion morphology trait', 'ean severity score', 'haller tunica vascula morphology trait', 'transitional three stage b lymphocyte morphology', 'interferon-beta secretion', 'seminiferous tubule morphology', 'atrioventricular canal', 'zygomatic bone', 'pacemaker', 'number of b-1a cells', 'spleen follicle centre morphology trait', 'total number of ova per superovulation/artificial insemination event', 'spinal cord ventral horn t lymphocyte cell count', 'liver oxidized glutathione', 'immune system cell morphology', 'squamous cell carcinoma of the oral cavity', 'cerebellum plate morphology trait', 'meat trans-vaccenic acid content', 'number of degenerate embryos per superovulation/artificial insemination event', 'motor nerve fiber quantity', 'hindquarter morphology trait', 'tricuspid valve configuration', 'social interaction trait', 'capillary permeability', 'cd4-positive, alpha-beta intraepithelial t lymphocyte morphology', 'hypoglossal nerve morphology', 'epidermis', 'cerebrovascular non-tumorous lesion incidence/prevalence', 'shank', 'lung weight, single', 'adipocyte morphology trait', 'plasma ggtp activity level', 'dorsal striatum morphology', 'memory b cell quantity', 'tibia midshaft cortical cross-sectional area', 'pupil size', 'kidney cortex morphology', 'choroid vasculature', 'intraepithelial t-lymphocyte morphology', 'meat chewiness', 'sperm production', 'circulating p40 t-cell growth factor level', 'age at first breeding', 'sinus node', 'mast cell development', 'urethra width', 'prostate gland wet weight', 'anti-rbc antibody', 'cochlear inner hair cell efferent nerve fiber organization', 'l4 ganglion', 'zona pellucida morphology', 'swallowing reflex', 'heart infarction area', 'trabecular bone morphology trait', 'spleen trabecular vein morphology trait', 'triacylglycerol level', 'ligament', 'calculated sperm', 'nk t cell morphology', 'blood iron amount', 'aorta wall phosphylated enos protein', 'multipotent stem cell morphology trait', 'right atrial', 'plasmacytoma growth factor secretion', 'cervicothoracic ganglion', 'plasma mug1', 'rib attachment trait', 'skeletal muscle cellular composition trait', 'basilar bone morphology', 'epididymis weight', 'percent change in left ventricular developed pressure', 'milk fatty acid c11', 'serum creatinine', 'mammary alveoli epithelial cell quantity', 'retinal cone bipolar cell', 'herpes simplex encephalitis incidence', 'scleral venous sinus morphology', 'cochlear nerve fiber response', 'response to bacterial infection trait', 'malpighian corpuscle', 'blood t cell', 'circulating b-cell differentiation factor-2', 'milk technological trait', 'percentage of study population developing hematuria during a period of time', 'blood a1i3', "ruffini's corpuscle morphology trait", 'cranial ganglion xi morphology trait', 'circulating plasmacytoma growth factor', 'blood cd4th1 cell', 'food intake weight to body weight gain ratio', 'sphenoid bone', 'diaphragm', 'blood ldl cholesterol', 'total area of pancreas tail region', 'kidney 20-hete level', 'metatarsal bone morphology', 'behavioral circadian rhythm', 'meat cis-10-pentadecenoic acid', 'brown fat', 'purkinje cell layer lamination integrity', 'age at onset/diagnosis of t2dm', 'cd8-positive t cell physiology', 'humerus strength', 'cochlea morphology trait', 'tibia work', 'femur neck', 'circulating corticotropin-releasing hormone', 'body movement', 'ventral horn', 'parotid salivary gland cholinergic innervation pattern', 'equilibrioception system morphology', 'plasma t4 level', 'cataract onset/diagnosis', 'embryonic erythrocyte morphology trait', 'habenular nucleus', 'tongue morphology trait', 'sympathetic cholinergic neuron morphology trait', 'cardiocyte morphological measurement', 'kidney glomerulus morphological', 'otoconia size trait', 'basal lamina morphology', 'calculated pulmonary vascular resistance normalized', 'diaphragm size trait', '5-ht physiology trait', 'viral disease onset/diagnosis', 'femur cortex cross-sectional area', 'tibia volume measurement', 'lymphoid system development', 'baroreceptor', 'thymus subcapsular epithelium', 'blood lipid measurement', 'post-immunization time', 'external nares', 'blood cd4 lymphocyte count as percentage of total lymphocytes', 'percentage of study population displaying type 2 diabetes mellitus at a point in time', 'serum phosphorus level', 'meat fatty acid c20', 'serotonin amount', 'pancreatic islet beta-cell', 'perigonadal fat pad morphology trait', 'circulating b cell stimulatory factor-2 level', 'blood band neutrophil', 'milk fatty acid cis-9,trans-11-c18:2 concentration', 'blood vldl triglyceride amount', 'il-8 physiology trait', 'number of immature b cells', 'belly weight', 'muscle/skeletal mechanoreceptor morphology', 'renal fat pad morphological', 'inner hair cell stereocilia', 'cochlear chamber morphology', 'colostrum yield', 'lymph node', 'kidney tissue protein/peptide composition measurement', 'heart right atrium morphological measurement', 'superior glossopharyngeal ganglion morphology trait', 'blood gssg level', 'testis', 'hepatic system morphology trait', 'type 1 diabetes mellitus incidence', 'dendritic cell development', 'circulating ru-49637', 'muscle unsaturated fatty acid', 'prickle cell layer morphology', 'abdominal fat', 'experimental autoimmune uveitis severity measurement', "rathke's pouch", 'central nervous system glial cell morphology', 'vestibular window', 'sperm morphology', 'middle ear', 't lymphocyte clonal deletion', 'cerebellum vermis lobule ix morphology', 'cerebral cortex pyramidal cell morphology', 'circulating b-cell stimulatory factor-2 level', 'lens epithelium morphology', 'absolute change in kidney vascular resistance', 'heart left ventricle diastolic volume-axis intercept (v0)', 'hypopharynx', 'skeletal muscle area', 'tnf physiology', 'blood nk cell count', 'forestomach', 'pancreas', 'serum anti-dsdna antibody titer', 'blood granulocyte', 'calculated arterial intima hyperplasia area', 'interscapular fat depot morphology', 'stria vascularis ductus cochlearis', 'circulating il-1alpha', 'energy metabolism trait', 'benign colorectal tumor number', 'carbohydrate metabolism', 'vestibular canal morphology trait', 'duodenum', 'calculated renal glomerulosclerotic lesion measurement', 'total horizontal distance travelled in an experimental apparatus', 'milk cluster of differentiation concentration', 'embryonic/fetal subventricular zone morphology', 'larynx morphology', 'blood apolipoprotein ai level', 'enterocyte', 'blood sterol', 'lens orientation', 'viable sperm percent', 'telencephalon development', 'helper t-cell type 2', 'salivary gland morphology trait', 'atrioventricular node', 'inguinal lymph nodes wet', 'cervical epithelium morphology', 'colostrum amount', 'age at onset/diagnosis of t1d', 'blood glycosylated hemoglobin', 'somatic sensory system morphology', 'eicosanoid amount', 'respiratory muscle', 'eye posterior chamber', 'serum sodium', 'spleen b cell corona morphology trait', 'blood parathyroid hormone', 'ileum crypt of lieberkuhn width', 'shank length', 'colorectal cancer incidence', 'venous return amount', 'blood interleukin-12a amount', 'total spinal cord ventral horn area', 'plasma dehydroepiandrosterone', 'ratio of the count of pancreatic islets with adjacent inflammatory infiltrate to total pancreatic islet', 'blood monocyte', 'circulating gamma-interferon level', 'periarteriolar sheath morphology', 'both inguinal fat pads weight', 'kidney measurement', 'muscle tone', 'milk fatty acid trans-12,trans-14-c18:2', 'total vertebra number', 'corpus epididymis morphology', 'premaxillary bone', 'milk fatty acid c22:5 n-3', 'labyrinthus vestibularis morphology trait', 'cd8-positive, cd25-positive, alpha-beta regulatory t cell morphology trait', 'proximal convoluted tubule morphology trait', 'orosomucoid 1', 'lip vermillion border', 'blood ethanol level at loss of balance/traction', 'serum ast activity level to alt activity level ratio', 'chemoreceptor morphology trait', 'number of offspring', 'large intestine orientation trait', 'heart left ventricle weight', 'cd4-positive, alpha-beta intraepithelial t-lymphocyte morphology trait', 'meat heptadecanoic acid content', 'pressoreceptor', 'liver tumor incidence/prevalence', 'spinal cord anterior column cellular composition measurement', 'body conformation', 'involuntary movement trait', 'single lung wet', 'clean fleece', 'muscle rna composition', 'mammary duct morphology', 'loop of henle morphology', 'blood glutamic-oxaloacetic transaminase activity', 'hensen cell morphology', 'blood circulatory physiology trait', 'heart left ventricle end-systolic area', 'milk iodine', 'ureter morphological measurement', "reichert's cartilage development trait", 'endocrine gland function', 'circulating interleukin-12p35 level', 'serum igm-rheumatoid factor level normalized to a reference value', 'large intestine morphology', 'heart nucleic acid', 'blood segmented neutrophil', 'retroperitoneal fat pad weight to body weight ratio', 'barrel cortex organization', 'breathing frequency', 'pulmonary valve morphology', 't cell number', 'substantia nigra morphology', 'total area occupied by islets of langerhans', 'neuronal lysosome area measurement', 'egg shell thickness', 'skin electrolyte', 'normal saline intake volume', 'meat androstenone flavor intensity', 'blood vessel wall thickness', 'blood plant sterol and stanol amount', 'henle membrane', 'yolk sac vasculature morphology trait', 'calculated milk fat content', 'neutrophil count', 'blood gonadotropin', 'tissue peptide hormone composition measurement', 'cd8-positive, cd25-positive, alpha-beta regulatory t cell quantity', 'acute phase protein', 'spiral ganglion cell number', 'immature b lymphocyte', 'lens bow organization trait', 'stomach tumor prevalence', 'anterior segment morphology', 'geniculate ganglion size', 'absolute change in pituitary gland weight', 'tibia midshaft width', 'blood norepinephrine', 'fat pad morphology trait', 'blood t helper cell percentage', 'ana', 'milk undecanoic acid content', 'spleen b cell corona', 't-helper 1 cell differentiation trait', 'serum antibody level', 'artery total diameter', 'tissue weight of the oesophagus', 'tyrosinase activity trait', 'granule layer thickness', 'kidney physiology', 'cervix squamous epithelium morphology', 'the total volume of fluid consumed', 'total pancreatic islet area', 'egg yolk morphology trait', 'iris development', 'gall bladder morphology trait', 'palatine bone', 'mature b lymphocyte', 'striatum morphology', 'milk sulfate', 'transitional stage t3 b cell morphology trait', 'colostrum steroid amount', 'bulbourethral gland weight', 'r_flow100', 'palatine gland ductal branching', 'so/ai', 't helper factor secretion', 'kidney glomerulus morphology trait', 'ifn-beta secretion', 'blood ammonia', 'cardiac ventricle', 'neurotransmitter amount', 'bone ip', 'serum insulin level to serum glucose level ratio', 'keratinocyte morphology trait', 'pituitary tumor incidence', 'calculated cardiac output measurement', 'cochlear ganglion size trait', 'vibrissae morphology', 'hdl level', 't-helper 1 cell differentiation', 'calculated adipocyte glucose uptake measurement', 'pdc cell number', 'myocardial flow rate', 'kidney fibrotic lesion', 'lymph organ physiology', 'macrophage cell', 'cd8-positive, alpha-beta treg morphology', 'oocyte morphology', 'righting response', 'absolute change in serum insulin level', 'milk trans-10-octadecenoic acid', 'midbrain/pons dopamine', 'kidney development initiation trait', 'malignant colorectal tumor surface area', 'ligament morphology', 'avoidance learning behavior trait', 'nasal cavity', 'lateral prostate mass', 'spongy spongiosa morphology', 'membrana tympani morphology', 'subependymal plate', 'right lung weight/left lung weight ratio', 'milk flow trait', 'blood cytokine', 'aortic smooth muscle cell', 'operant conditioning behavior trait', 'udder height, floor', 'right ventricular', 'percent change in body', 'pp interval', 'serum ggt activity level', 'esophagus development', 'leukocyte transmigration', 'inferior vagus ganglion of the vagus (x) nerve', 'serum cystatin c level', 'blood glutamic-pyruvate transaminase activity level', 'seminal gland mass', 'brain swd measurement', 'blood vessel wall', 'back fat thickness, last lumbar vertebra', 'total pancreatic islet count', 'blood agp level', 'colostrum hormone concentration', 'agd', 'testis morphology', 'cardiac muscle cell', 'island of langerhans', 'percentage of entries into a discrete space in an experimental apparatus', 'marginal zone b cell physiology trait', 'tail body length', 'peptidergic neuron morphology', 'leydig cell morphology', 'change in transmembrane potential', 'neuroglia', 'serum alanine aminotransferase activity level', 'hypertrophic chondrocyte zone morphology', 'milk fatty acid c22:0 concentration', 'nose', 'plasma anti-rat type 2 collagen antibody', 'juxtaglomerular complex morphology trait', 'cn-x morphology', 'kidney normal glomeruli', 'splenic ifn gamma-secreting mononuclear cell', 'cranial nerve', 'il-1b secretion', 'mesencephalic vesicle morphology', 'intestinal aganglionosis severity measurement', 'glomerulus', 'aqueduct of sylvius', 'basal rsna', 'mammary gland integrity trait', 'circulating il10', 'milk fatty acid cis-11-c20', 'calculated liver remodeling tumorous lesion', 'inferior vagus ganglion morphology trait', 'cervical lymph node', "peyer's patch follicle morphology", 'circulating interferon', 'basophil count', 'mammary ductal tree branching', 'heart left ventricle capacity', 'platelet intracellular calcium level', 'number of apoptotic cells', 'lymph organ size trait', 'prostate epithelium morphology trait', 'colostrum leptin concentration', 'squamous cell carcinoma of the tongue number of tumors with diameter greater than 3 mm', 'extraembryonic tissue physiology trait', 'circulating interleukin-23p19 level', 'trigeminal ganglion', 'vibrissae pattern', 'serum angiotensin i level', 'cd8-positive, alpha-beta intraepithelial t lymphocyte', 'absolute change in ekg lf/hf ratio', 'brain type ii spike-wave activity severity grade', 'blood chylomicron', 'transitional stage b-cell', 'pancreas molecular composition', 'post insult time', 'thymus morphology', 'callosal gyrus', 'splenic red pulp', 'vagus ganglion', 'serum levels of thyropic hormone', 'milk lauroleic acid content', 'circulating ldl cholesterol amount', 'c6 physiology', 'cd8+ t cell development trait', 'fetal body', 'carcass temperature', 'urinary system development', 'blood osteocalcin', 'mature ovarian follicle number', 'bronchial epithelial cell', 'aqueous vein', 'kidney medulla development trait', 'sebaceous lipid secretion trait', 'brain homovanillic acid', 'metformin drink intake rate', 'chronic experimental arthritis incidence/prevalence measurement', 'induced arthritis severity measurement', 'blood sulfate level', 'thymus capsule morphology trait', 'ureter luminal epithelial cell quantity', 'loin fat thickness', 'blood ig amount', 'hypophysis morphology trait', 'seminal vesicles morphology', 'meat color redness', 'percentage of study population developing leukemia during a period of time', 'cerebellar anterior vermis', 'thigh muscle-to-bone', 'humerus bone mineral content', 'factor d physiology', 'milk trans-9,trans-12-octadecadienoic acid', 'blood xenobiotic amount', 'urine 3-hydroxybutyrate level', 'posterior horn morphology', 'endolymphatic duct size', 'stroke', 'plasma cartilage oligomeric matrix protein level', 'macrophage differentiation', 'blood interleukin-1 alpha amount', 'right ovary wet', 'rt6.2 t lymphocyte count', 'infection severity', 'liver cell', 'blood luteinizing hormone amount', 'hassal body morphology', 'addictive substance', 'total heart left ventricle', 'percent change in hematocrit', 'intestinal epithelium', 'hindlimb mass', 'calculated blood ethanol level', 'calculated ts/c cell', 'plasma bicarbonate', 'cardiac muscle', 'intermaxillary bone', 'hematogenesis', 'heart anterior wall', 'surface structure development', 'common myeloid progenitor cell', 'spleen follicle centre size', 'ethanol drink intake rate', 'stratum reticulare corii', 'adipose fatty acid trans-11-c18:1 percentage', 'mullerian duct', 'front feet phalanges', 'b-cell stimulatory factor 1 secretion', "cowper's gland ductal cell", 'nk cell development', 'macrophage cell factor secretion', 'circulating testosterone level', 'whole body morphological measurement', 'metallophilic macrophage morphology', 't cell receptor alpha/beta positive cell', 'artery lumen', 'behavior', 'circulating myeloid differentiation-inducing protein level', 'urinary system integrity trait', 'corneal stroma development trait', 'spleen gc size trait', 'enterocolitis severity composite score', 'caudate-putamen morphology', 'hair follicle morphology', 'percentage of study population displaying colonic aganglionosis at a point in time', 'tooth hard tissue', 'muscle nerve fiber organization trait', 'cochlea size', 'age at time of death', 'meat protein content', 'heart contractility', 'infection onset/diagnosis measurement', 'cerebrum cell number', 'thyroxine', 'blood estradiol amount', 'cd4-positive, alpha-beta intraepithelial t-lymphocyte', 'spleen marginal zone morphology trait', 'mammary alveoli morphology', 'primary somatosensory cortex morphology', 'circulating hematopoietin-2', 'kidney sclerotic glomeruli count', 'plasma urea nitrogen level', 'kidney superoxide dismutase to paraoxonase-1 activity ratio', 'muscle thickness of the gizzard', 'fenestra vestibuli', 'placenta physiology', 'white lipocyte size trait', 'circulating cytokine cx2', 'spiral crest morphology trait', 'calculated left ventricular end-diastolic blood pressure', 'cardiac molecular composition measurement', 'circulating interleukin-12 beta chain', 'meat water', 'tunica vitrea', 'waist/hip ratio', 'skeletal muscle length', 'sphenoparietal suture morphology trait', 'serum levels of somatropin', 'absolute change in ecg lf/hf ratio', 'serum androstenedione', 'gonad rudiment morphology trait', 'transitional stage t3 b cell morphology', 'serum got activity', 'b cell dependent cortex', 'blood interferon amount', 'aorta wall phosphylated enos level', 'pyramid of vermis', 'number of podocytes per kidney glomerulus', 'scrotum size', 'hippocampus projection neuron morphology', 'milk secretion trait', 'muscle fatty acid c18:3 n-3', 'membrana basilaris', 'progenitor b cell', 'blood cell number', 'pituitary gland hyperplastic lesion incidence', 'hippocampus layer morphology', 'deep cortex morphology', 'plasma estradiol level', 'plasma ethanol', 'antigen presentation', 'fenestra rotunda morphology trait', 'natural killer cell cytolysis trait', 'vestibular hair bundle shaft connector morphology trait', 'percentage of study population displaying trigeminal nerve mpnst at a point in time', 'number of visits', 'tongue squamous epithelium', 'cerebrovascular system', 'respiration trait', 'forebrain', 'blood pressure time series first order moving average coefficient', 'b1 cell number', 'thymus ribonucleic acid', 'plasma immunoglobulin m', 'mean arterial blood pressure', 'serum interleukin-6 level', 'serum very low density lipoprotein phospholipid level', 'colon muscle thickness', 'tibial curved length', 'pancreatic beta cell physiology', 'heart left ventricle end-diastolic posterior wall index', 'membrana statoconiorum morphology', 'medullary pyramid size trait', 'milk capric acid content', 'malignant colorectal neoplasm surface area', 'periodontal ligament morphology trait', 'anus morphology trait', 'b-1b b cell quantity', 'serum alkaline phosphatase activity level', 'gaba neuron quantity', 'scapula size', 'logarithm of the lesioned side motoneuron count to non-lesioned side motoneuron count ratio', 'average daily food intake weight', 'withdrawal response to addictive substance', 'midbrain cell', 'urinary bladder transitional epithelium morphology trait', 'kidney tubule quantity', 'maxillary palatial process', 'transitional three stage b-cell', 'aorta weight to aorta length to body weight ratio', 'receptor-independent contractility', 'spleen cell morphology trait', 'endolymphatic sac size trait', 'atrioventricular canal partitioning trait', 'total body fat', 'cd8-positive, gamma-delta intraepithelial t cell', 'milk fat globule-egf factor 8 protein content', 'meat c18:3 n-6 content', 'splenic cell count', 'scala media', 'percentage of study population displaying hepatocellular carcinoma at a point in time', 'alanine aminotransferase level', 'plasmacytoid monocyte morphology trait', 'milk trans fatty acid measurement', 'substantia trabecularis morphology trait', 'visual axis alignment trait', 'corpus luysi morphology trait', 'mammary gland secreted fluid morphology trait', 'osteoblast cell count', 'heart nefa level', 'osteoplast physiology', 'heart triglyceride level', 'blood alpha-1-acid glycoprotein', 'fourth ventricle', 'serum albumin', 'blood interferon-gamma level', 'tissue dihydroxyphenylacetic acid (dopac)', 'thymus cell', 'respiration', 'blood insulin level area under curve (auc)', 'kidney glomerulus integrity', 'mammary gland embryonic development trait', 'cranial ganglion', 'muscle fatty acid cis-9,cis-12-c18:2', 'purkinje cell layer lamination integrity trait', 'cerebral cortex thickness', 'allogrooming behavior', 'kidney non-tumorous lesion incidence/prevalence measurement', 't cell differentiation', 'cardiac atrium morphology trait', 'egg white weight, fowl', 'exocrine pancreas morphology trait', 'tibia cortical bone midshaft cross-sectional', 'immune system trait', 'mammary gland tumorous lesion measurement', 'heart septal morphology trait', 'plasma e. coli specific antibody level, post challenge', 'thymic corpuscle morphology', 'inferior vena cava morphology', 'tunica vasculosa oculi morphology trait', 'cornea morphology', 'neurological/behavioral: parental behavior anomalies', 'milk linoleic acid content', 'niddm prevalence', 'normal spermatozoa percent', 'coat/hair pigmentation', 'sodium nitroprusside-induced blood vessel dilation expressed', 'renal medulla cell number', 'spleen ribonucleic acid amount', 'kidney papilla', 'malignant colorectal tumor', 'meat linolenic acid content', 'blood lipoprotein particle diameter', 'lifetime offspring', 'tongue scc number of tumors with diameter greater than 5 mm', 'forelimb long bone morphology trait', 'cataract prevalence', 'spleen b cell follicle morphology', 'adipose fatty acid c17:0 content', 'menarche initiation', 'posterior cornu morphology', 'meat fatty acid cis-9,cis-12-c18:2', 'semimembranosus size', 'palatine palatal process morphology trait', 'abdominal fat pad mass', 'heart ventricle relative wall', 'serum free fatty acids', 'aorta wall total intracellular protein', 'palatine gland', 'heart left ventricle morphological', 'embryo size trait', 'cervix morphology trait', 'conjunctival vascular morphology trait', 'circulating t-cell replacing factor level', 'milk eicosanoic acid', 'hypertrophic cell zone morphology', 'plasma agp level', 'vibrissae', 'palisade layer morphology trait', 'intestinal adipose weight', 'milk cd36 molecule content', 'single cell response', 'b-cell', 'mammary alveoli diameter', 'blood insulin-like growth factor 1', 'renal corpuscle morphology', 'cd4-positive, cd25-positive, alpha-beta regulatory t-lymphocyte', 'percent change in heart rate', 'trigeminal nerve neurilemmoma prevalence', 'circulating interleukin-12a', 'testis development', 'mcgf-2 secretion', 'helper t-lymphocyte type 2 function', 'islet of langerhans non-tumorous lesion', 'statoconial membrane', 'spleen cell count', 'calculated spleen', 'latency of experimental diabetes mellitus', 'celiac lymph node morphology trait', 'milk alpha-s2-casein', 'circulating hdl cholesterol amount', 'latency to locate a hidden target platform in an experimental apparatus', 'igl morphology trait', 'leydig cell quantity', 'blood th2-like cell count', 'head trait', 'meat texture', 'malar process', 'interventricular septum configuration trait', 'aspartate aminotransferase level', 'transitional three stage b-cell morphology', 'kidney adrenomedullin', 'milk iodine amount', 'inguinal lymph gland wet weight to body weight ratio', 'ventricular trabeculae', 'circulating tnfa', 'hypothalamus epinephrine', 'indirect plasma bilirubin level', 'suppressor t cell number', 'craniofacial morphology trait', 'aganglionosis extent', 'zygomatic arch', 'heart septum morphology trait', 'hair retention', 'social behavior trait', 'liver sitosterol level', 'mammary tumor latent period', 'tibia width', 'vasodilation', 'scrotum size trait', 'reproduction', 'b-2 b lymphocyte morphology trait', 'milk phosphorus', 'thyroid gland morphology', 'absolute change in pituitary gland', 'lymphoid stem cell morphology', 'tumor necrosis factor alpha level', 'cervix squamous epithelium', 'distal hind limb circumference', 'milk palmitoleic', 'prostate tumorous lesion frequency', 'total pancreatic area', 'pulmonary ventilation', 'circulating il', 'glial cell physiology', 'glandula pinealis', 'white lipocyte morphology', 'urine vanillylmandelic acid', 'artery wall thickness as percentage of artery total diameter', 'b-2 cell', 'milk fat globule surface area', 'spinal cord ventral horn cd3(+) cell', 'urinary bladder epithelium morphology', 'acoustic startle response measurement', 'calculated blood lipoprotein level', 'tail tip bmi', 'dn4 alpha-beta immature t lymphocyte', 'fungal infection trait', 'serum antibody', 'serum paracetamol level area under curve (auc)', 'splenic central arteriole morphology trait', 'methylenedioxymethamphetamine', 'tissue ribonucleic acid composition measurement', 'plasma cell quantity', 'touch perception trait', 'serum anti-collagen antibody', 'plasma anti-e. coli antibody', 'ductus endolymphaticus morphology', 'interleukin-1 beta secretion', 'cochlear canal size trait', 'muscle myristic acid', 'cardiomyocyte', 'medulla oblongata hva amount', 'zygomatic process of maxilla morphology', 'medulla oblongata serotonin', 'percentage of study population displaying mammary tumors at a point in time', 'hensen cell morphology trait', 'skin tensile strength', 'brain phytosterol level', 'wbc morphology', 'single cell response intensity', 'inferior olivary complex morphology', 'locomotor activity trait', 'esophagus morphology trait', 'calculated liver tumorous lesion number', 'liver odc activity', 'cd4+cd8+ t cell morphology trait', 'prolactin-positive cell', 'medullary sinus morphology', 'kidney protein carbonyl level', 'calculated saccharin drink intake volume', 'milk protein percentage', 'base of stapes', 'experimental allergic neuritis prevalence', 'circulating interleukin-6', 'calculated alcohol intake volume', 'single suprarenal gland', 'blood antidiuretic hormone', 'heart left ventricle infarction weight as percentage of total heart left ventricle', 'percentage of study population developing pituitary gland hyperplastic lesions during a period of time', 'herpes simplex viral encephalitis incidence/prevalence measurement', 'plasma cpk activity level', 'yolk sac vascular plexus morphology', 'lymphocyte tracer radioactivity', 'right atrial volume', 'adipose unsaturated fatty acid amount', 'longissimus dorsi morphology trait', 'regulatory t cell physiology', 'langerhans cell function', 'plasma anti-ssdna antibody level', 'circulating interferon-alpha', 'blood r73 cell', 'forelimb morphological measurement', 'joint capsule morphology trait', 'musculus papillaris morphology', 'auditory ganglion morphology', "bowman's capsule size", 'uterine horn morphological measurement', 'atrial septal', 'prostate tumorous lesion', 'hsv encephalitis onset/diagnosis measurement', 't cell apoptosis trait', 'serum urea nitrogen level', 'monocyte development trait', 'inferior caval vein morphology trait', 'pubis', 'gastric mucosa morphology trait', 'concentration of potassium chloride at which the force of blood vessel contraction is half the maximum value (ec50)', 'calculated inflammatory exudate icosanoid measurement', 'egg albumen morphology', 'number of total glomeruli', 'spleen germinal center quantity', 'circulating il-7 level', 'neutrophil leukocyte physiology trait', 'ham percentage', 'common lymphoid progenitor', 'blood interleukin-15 amount', 'plasma cystatin c level', 'superior glossopharyngeal ganglion size', 'internal granule layer morphology trait', 'laryngeal mucosa goblet cell', 'spinal cord anterior horn cd3-positive cell', 'ethanol intake volume to total fluid intake volume ratio', 'cancellous bone morphology', 'integumentary system trait', 'food energy intake level to body weight ratio', 'ventral prostate tumorous lesion area measurement', 'skeletal muscle fiber size', 'milk palmitoleic acid concentration', 'central b cell anergy', 'adrenal gland renin level', 'aorta mass to aorta length to body mass ratio', 'trophoblast layer morphology trait', 'collar bone', 'immunoglobulin v-d-j joining', 'palatal shelf morphology', 'plasma calcium level', 'neuronal rer', 'cerebellar cortex morphology', 'lumbar vertebral cortical cross-sectional', 'poorly differentiated malignant colorectal neoplasm surface area', 'serum thyroxine level', 'monocyte count as percentage of total white blood cells', 'integumentary system development trait', 'alcohol intake', 'growth plate morphology trait', 'inguinal fat depot morphology', 'mineral absorption', 'pituicyte count', 't cell receptor delta chain v(d)j joining', 'calorie intake rate from food', 'glutamate neuron', 'platelet activation trait', 'blood glutathione peroxidase activity level', 'mammary blood flow', 'hepatocyte apoptosis trait', 'calculated blood vessel contractile force measurement', 'transitional three stage b-lymphocyte morphology trait', 'blood acetaminophen', 'colorectal tumor prevalence', 'meat drip loss trait', 'cd8-positive t cell morphology', 'semimembranosus width', 'muscle fatty acid c18:0 concentration', 'eau severity measurement', 'circulating ifn-beta 2', 'right major bronchus morphology trait', 'urine vma excretion rate', 'epiphysis morphology trait', 'blood immunoglobulin d level', 'inflammatory exudate leukotriene b4 level to lipoxin a4 level ratio', 'cochlear hair cell morphology', 'hair cortex morphology trait', 'ratio of apoptotic bodies to intact tumor cells in nonremodelling liver neoplastic nodules', 'submandibular ganglion size', 'arm incidence measurement', 'adipose fatty acid c16', 'lean tissue morphological', 'plasma agp', 'artery morphology', 'plasma carboxyhaemoglobin level', 'interparietal suture morphology', 'duodenum muscle thickness', 'adrenergic nerve fiber organization trait', 'l4 sympathetic ganglia morphology trait', 'mesenteric fat pad weight as a percentage of body', 'digit length', 'milk fatty acid c12:0 percentage', 'milk fat globule-egf factor 8 protein concentration', 'large bowel', 'milk retinol amount', 'tibiofibular fusion cortical bone total cross-sectional area', 'dorsal root ganglion size trait', 'metencephalon morphology trait', 'peak -lvdp/dt', 'circulating thyroid-stimulating hormone', 'hindlimb integrity', 'b cell positive selection', 'an arbitrary reference', 'spleen red pulp morphology trait', 'hematolymphoid system development', 'scchn', 'miik fat globule size trait', 'liver physiology', 'milk fatty acid c22:5(n-3) percentage', 'serum oxidized ldl', 'quadriceps', 'whole body visceral fat weight to body length (nose to rump) ratio', 'milk alpha-lactalbumin content', 'plasma sterol', 'toxoplasmosis incidence/prevalence', 'hypoglossal nucleus morphology trait', 'well differentiated malignant colorectal tumor number', 'superior caval vein morphology trait', 'natural killer t cell physiology trait', 'meat capric acid content', 'stratum spinosum cell', 'left ventricular isovolumetric relaxation time', 'loop of henle', 'vestibular hair cell morphology trait', "merkel's receptor number", 'leg composition trait', 'spleen b lymphocyte follicle morphology', 'venous sinus of sclera morphology', 'serum cartilage oligomeric matrix protein level', 'mineral homeostasis trait', 'superior vagus ganglion of the vagus (x) nerve', 'milk fatty acid trans-9,cis-11-c18', 'malignant peripheral nerve sheath tumor incidence/prevalence', 'milk fatty acid cis-9-c14:1 percentage', 'intramuscular fat morphological measurement', 'egg albumen measurement, fowl', 'milk magnesium content', 'longissimus thoracis mass', 'percentage of study population developing experimental arthritis during a period of time', 'blood vldl', 'gastric mucosa', 'milk fatty acid trans-9-c18', 'lamina elastica posterior morphology trait', 'egg yolk diameter', 'squamous cell carcinoma of the oral cavity tumor', 'fat physiology trait', 'blood differential leukocyte count to total wbc count ratio', 'calculated neuronal golgi apparatus area measurement', 'hearing physiology measurement', 'vasoconstrictor-induced blood vessel contractile force expressed', 'polymorphonuclear neutrophil', 'occipitoparietal suture morphology trait', 'extraocular muscle', 'milk fatty acid c20:4 n-6 concentration', 'milk nitrogen content', 'lymphocyte proliferation trait', 'brown adipose morphology', 'front foot morphological measurement', 'iel morphology', 'circulating lymphocyte chemoattractant factor', 'uterine weight, wet', 'plasma phytosterol level', 'helper t lymphocyte type 2 cell differentiation', 'enamel rod organization trait', 'breeding', 'posterior horn morphology trait', 'foot pad morphology', 'axial skeleton', 'interferon type ii secretion', 'radius curvature', 'total area of spinal cord ventral horn', 'salivary gland epithelial cell', 'ventricular trabeculae morphology trait', 'cranial ganglia morphology trait', 'femur total energy absorbed before break', 'anti-ssdna antibody', 'immune system morphology trait', 'uterus weight, wet', 'pancreas measurement', 'blood t(s/c) cell count to total lymphocyte count ratio', 'thymus rna composition measurement', 'milk cla content', 'helper t-lymphocyte type 2', 'lymphoid stem cell morphology trait', 'calculated rsna', 'circulating il-12p40 level', 'opercular flap morphology', 'liver tumor count', 'milk colloidal calcium content', 'spiral ligament of cochlear duct morphology trait', 'myeloid cell differentiation', 'inflammatory exudate lymphocyte', 't3 stage b cell morphology', 'immune serum protein secretion trait', 'conductive hearing function', 'lauth canal', 'blood thyroid hormone level', 'spleen fibrosis incidence/prevalence', 'cochlear hair cell development trait', 'reissner membrane', 'tibia straight segment', 'bundle of his morphology', 'eae incidence', 'liver size trait', 'cytotoxic t-lymphocyte', 'right atrium', 'heart morphology', 'double-positive t cell count', 'masseter muscle', 'uterus wet weight as percentage of body', 'blood glycated albumin', 'liver ribonucleic acid', 'abnormal spermatozoa percent', 'atrium septum morphology', 'percentage of study population developing renal tubular degeneration during a period of time', 'onset of leukemia', 'milk nitrogen', 'serum total cholesterol', 'wrist bone', 'blood carboxyhemoglobin level', 'adipose fatty acid trans-11-c18', 'neural crest cell migration', 'calculated artery lesion', 'calculated urine vma level', 'spinal cord rat mhc class ii rt1-b protein level', 'womb measurement', 'brain ventricle integrity', 'mammary fat depot', 'urine 3-methoxy-4-hydroxymandelic acid amount', 'hepatic tumorous lesion area', 'ureter width', 'milk fatty acid trans-12,trans-14-c18:2 concentration', 'efferent arteriolar plasma protein concentration', 'percentage of study population developing well differentiated malignant colorectal tumors during a period of time', 'secondary somatosensory cortex morphology', 'iddm prevalence', 'blood uric acid amount', 'external nares morphology trait', 'salivary gland physiology', 'canalis spiralis cochleae size', 'superior cervical ganglion morphology', 'ultimobranchial body morphology', 'milk composition trait', 'cochlear hair cell inter-stereocilial links trait', 'pterygoid process', 'force at maximum constriction', 'scrotum', 'vertebral area', 'calculated urine 3-methoxy-4-hydroxymandelic acid', 'calculated inguinal fat pad', 'milk fatty acid cis-9-c14:1 concentration', 'disease incidence/prevalence measurement', 'testis tumor incidence/prevalence measurement', 'urine molecular composition', 'squamous part of temporal bone morphology trait', 'tongue scc tumor number', 'mammary gland cistern volume', 'milk polyunsaturated fatty acid amount', 'calculated renal protein composition', 'plasma ldl phospholipid level', 'il2 secretion', 'total abdominal fat', 'spleen b cell follicle cell quantity', 'thoracic aorta intracellular protein amount', 'nucleus niger', 'plasma antibody', 'respiratory alveolar duct', 'serum level of corticotropin-releasing hormone', 'cochlea sensory epithelium', 'crypt of lieberkuhn', 'urine creatine', 'vestibular window morphology', 'stomach tumor measurement', 'carcass circumference, butt', 'lung cell number', 't cell receptor beta chain v(d)j joining', 'milk fatty acid cis-10-c17', 'eggshell color, fowl', 'memory t-cell', 'dorsal striatum', 'brain wet weight to body weight ratio', 'inferior colliculus size', 'plasma alanine aminotransferase activity', 'blood homeostasis', 'skin barrier function', 'lymphocyte migration/homing', 'liver gamma-glutamyltranspeptidase mrna', 'adipose fatty acid cis-9-c18', 'serum aspartate transaminase activity level to alanine transaminase activity level ratio', 'uterine tube morphology trait', 'blood vldl cholesterol amount', 'pons morphology trait', 'rate of maximum negative change in left ventricular blood pressure', 'spleen cell apoptosis', 'myristic acid', 'circulating interleukin-12a level', 'interleukin-18 secretion trait', 'lymphoid system', 'blood pyruvate amount', 'styloid process of temporal bone', 'gestation', "henle's loop morphology trait", 'follicle mantle morphology', 'inferior olivary nucleus morphology', 'blood low density lipoprotein phospholipid', 'calvaria', 'kidney pyramid', 'membrana vitrea morphology trait', 'reproductive system physiology', 'smooth muscle contractility', 'common myeloid precursor cell quantity', 'cardiac muscle fiber diameter', 'pillar cell number', 'skeletal muscle fiber density', 'cochlear hair cell stereociliary bundle', 'neuronal rough endoplasmic reticulum area measurement', 'horizontal distance covered resulting from voluntary locomotion in proximity', 'horn circumference', 'blood cd45rclow cd4 t lymphocyte count as percentage of total lymphocytes', 'nervous system morphology', 'forebrain 5-hydroxyindoleacetic acid', 'membrana vitrea', 'lipocyte morphology trait', 'primitive streak', 'hematolymphoid system development trait', 'plasma growth hormone', 'subarcuate fossa morphology trait', 'circulating leptin', 'complement protein physiology trait', 'gonadal fat pad morphology trait', 't cell receptor delta chain v(d)j recombination trait', 'blood alkaline phosphatase activity', 'heart left ventricle interstitial norepinephrine amount', 'pulmonary arterial blood pressure', 'adipose eicosadienoic acid concentration', 'cardiac non-esterified fatty acid level', 'blood vessel physiology trait', 'limb regeneration', 'bone trabecular cross-sectional area', 'blood interleukin-3 amount', 'circulating ctla-8', 'milk free calcium concentration', 'skeletal muscle cell', 'brain sitosterol level', 'tibia strength trait', 'testis weight as percentage of body weight', 'complement protein physiology', 'milk fatty acid c22:6(n-3)', 'indirect plasma bilirubin', 'calculated arterial intima hyperplasia', 'suppressor t lymphocyte', 'intraocular muscle', 'nephron physiology trait', 'scchn measurement', 'bronchial epithelial cell count', 'kidney glutathione', 'spermatogenesis', 't-cell development', 'lung', 'adipose fatty acid cis-9-c18:1 content', 'heat intensity', 'brown fat cell', 'brain spike-wave discharge measurement', 'kneecap', 'internal granule layer morphology', 'bilateral renal agenesis prevalence', 'colostrum steroid', 'th2 cell number', 'kidney protein/peptide composition measurement', 'circulating interleukin-21 level', 'serum anti-type ii collagen antibody', 'telencephalic vesicle size', 'milk fatty acid trans-7,trans-9-c18:2', 'pancreas protein/peptide composition measurement', 'front foot morphological', 'paramesonephric duct morphology trait', 'urine component excretion rate', 'serum alanine transaminase activity', 'urine urea excretion rate', 'vestibular hair cell stereociliary bundle morphology', 'placental secretion', 'myotome morphology trait', 'tegmentum size', 'cervical spinal cord hva', 'plasma triiodothyronine', 'liver ribonucleic acid composition', 'vascular smooth muscle size', 'basioccipital bone morphology trait', 'cervical spinal cord serotonin', 'gland physiology', 'atrioventricular valve morphology trait', 'cochlear outer hair cell electromotility trait', 'lateral septum', 'fibula morphological', 'milk fatty acid cis-12,trans-14-c18:2 concentration', 'leukocyte common antigen (lca) positive thymocyte', 'percentage of study population developing experimental allergic neuritis during a period of time', 'hind paw size', 'cd4-negative, cd8-negative, alpha-beta intraepithelial t lymphocyte morphology trait', 'number of late pro-b cells', 'the count of pancreatic islets with peripheral duct and vessel inflammatory infiltrate only', 'middle ear morphological measurement', 'serum insulin level', 'total heart ventricle weight', 'white fat weight', 'cardiac muscle physiology trait', 'inferior vena cava', 'myeloid cell development', 'malignant liver tumor incidence/prevalence', 'macula sacculi', 'cell', "meissner's corpuscle innervation pattern", 'basal lamina', 'channel response threshold', 'vertebra compact bone cross-sectional', 'ige concentration', 'inner cell mass morphology trait', 'vestibular ganglion of the vestibulocochlear (viii) nerve', 'nervous system cell measurement', 'the count of inflammatory cell-infiltrated pancreatic islets with b cell pathology', 't-cell lymphoma onset/diagnosis measurement', 'pancreas morphological', 'testis volume', 'blood hdl cholesterol amount', 'plasma leptin', 'humerus morphology trait', 'heart left ventricle dna content', 'pro-b cell quantity', 'brain physiology trait', 'midbrain/pons epinephrine amount', 'motor neuron quantity', 'rhombomere', 'optic nerve size trait', 'epiphyseal plate proliferative zone morphology trait', 'optic cup morphology', 'lauth canal morphology trait', 'blood non-hdl cholesterol amount', 'mammary gland growth trait', 'moma-1 positive cell morphology trait', 'cardiac muscle trabeculae', 'liver propanedial level to liver weight ratio', 'hair follicle quantity', 'blood epinephrine amount', 'cerebrospinal fluid chemistry', '3-methyl indole concentration', 'percentage of study population displaying renal tubular degeneration at a point in time', 'heart left ventricle wet', 'ethmoid bone', 'loin muscle area', 'central nervous system regeneration trait', 'igg2b', 'relative change in antibody titer', 'cementum', 'plasma anti-rat type 2 collagen autoantibody level', 'enteric cholinergic innervation pattern trait', 'erythrocytopoiesis', 'ap level', 'nasal mucosa', 'aortic root diameter', 'longissimus thoracis length', 'spinal cord mrna composition measurement', 'thoracic girdle', 'spinal cord morphological', 'eosinophil development trait', 'ratio of proliferating cell nuclear antigen-positive nuclei to total liver tumorous lesion nuclei', 'trigeminal ganglion morphology trait', 'q wave depth', 'methacholine response/sensitivity', 'experimental autoimmune encephalomyelitis duration', 'palmitoleic acid', 'touch corpuscle morphology trait', 'vulva size trait', 'calculated heart left ventricle morphological', 'myocardium compact layer morphology', 'serum glucagon', 'benign colorectal tumor prevalence', 'middle ear ossible', 'alanine aminotransferase', 'bronchus morphology trait', 'cd8-positive t cell quantity', 'plasma inorganic phosphorus level', 'blood molecular composition', 'lymph gland morphology', 'cued fear conditioning behavior', 'meat androstenone content', 'peripheral nervous system glia', 'epidermis development', 'tibiofibular fusion cross-sectional', 'lingual bone morphology trait', 'milk butyrophilin content', 'stria vascularis morphology trait', 'heart left ventricle infarction weight', 'percentage', 'humerus strength trait', 'adipose myristic acid', 'blood vessel endothelial cell morphology', 'inguinal canal morphology trait', 'naive b cell quantity', 'milk fatty acid c18:0', 'hindlimb zeugopod morphology', 'calculated plasma norepinephrine level', 'meat connective tissue', 'satellite cell', 'blood cd4 cell count to cd8 cell count ratio', 'brain type i swd amplitude', 'milk fatty acid c20:0 concentration', 'brain interneuron', 'cortical marginal zone morphology trait', 'adipose vaccenic acid', 'calculated plasma norepinephrine', 'plasma anti-type ii collagen antibody titer', 'pallium', 'rt6.1 t lymphocyte count', 'plasma adiponectin level', 'serum estradiol level', 'total islet of langerhans', 'plasma haemoglobin', 'type ii vestibular cell', 'blood chemistry', 't-cell domain morphology trait', 'egg shell redness', 'helper t lymphocyte type 1 function', 'outer hair cell stereocilia number', 'calculated food energy intake', 'percentage of study population displaying kidney edema at a point in time', 'percentage of study population displaying liver parenchymal degeneration at a point in time', 'pterygoid muscle size', 'epicardium morphology trait', 'breast percentage', 'cochlear hair bundle', 'white fat weight to body weight ratio', 'ifn secretion', 'medullary pyramid morphology', 'plasma glutamic-oxaloacetic transaminase activity level', 'heart muscle contractile force', 'pituitary diverticulum morphology trait', 'otic capsule morphology', 'nonfunctional teat', 'lxa4', 'reticulo-rumen morphology trait', 'gasserian ganglion morphology trait', 'placental development', 'wildness behavior trait', 'nerve fiber morphology trait', 'auditory outer hair cell', 'cerebellar molecular layer thickness', 'mature b cell morphology', 'vestibular ganglion of the vestibulocochlear (viii) nerve morphology trait', 'blood angii level', 'alcohol', 'spleen periarteriolar lymphoid sheath cell quantity', 'leukocyte number', 'meat palmitoleic acid content', 'urine urotensin ii', 'blood follicle stimulating hormone amount', 'pedicle morphology', 'kidney ace2 activity', 'brown adipocyte morphology', 'thyroid gland', 'lamina basalis choroidae', 'chest circumference', 'mammary tumor number', 'neurite', 'respiratory system function', 'serum high density lipoprotein phospholipid', 'total weight of live neonates per litter', 'anogenital distance to cube root of body weight ratio', 'band neutrophil count to total wbc count ratio', 'plasma anti-rat type ii collagen autoantibody titer', 'time interval between offspring', 'temporalis morphology', 'vascular layer of the eyeball morphology trait', 'back leg', 'ihc synaptic ribbon morphology', 'inner ear neuroepithelium', 'il-5 secretion', 'splenic marginal zone macrophage morphology trait', 'tissue weight of the colon', 'adenohypophysis morphology trait', 'body weight of fetus', 'brain weight', 'red blood cell quantity', 'er-tr9 positive cell morphology', 'spiral organ', 'pp_interval', 'platelet morphology', 'abducens nerve morphology trait', 'basophil granulocyte percentage', 'sternum shape trait', 'sinus venosus morphology', 'nervous system disease onset/diagnosis', 'polymorphonuclear leucocyte differentiation', 'brain type ii spike-and-wave discharge frequency', 'blood globulin measurement', 'midbrain/pons homovanillic acid', 'balance trait', 'heart left ventricle end-systolic posterior wall index', 'optic disc size', 'single cell response trait', 't-cell domain', 'muscle fatty acid trans-11-c18:1 percentage', 'otolith morphology trait', 'intramuscular fat area as percentage of skeletal muscle', 'tympanic cavity epithelium depth', 'blood regulatory t lymphocyte count', 'metacarpus length', 'uterine weight as percentage of body weight', 'blood cd45rc(+) cd4(+) t cell', 'liver glutathione disulfide level', 'interleukin-8 physiology', 'percentage of study population developing malignant colorectal tumors during a period of time', 'rt6.2+ t cell', 'hair follicle number', 'neuron size', 'serum inorganic phosphorus', 'pituitary gland cell', 'self harm severity measurement', 'liver mineral', 'pupil morphology trait', 'udder morphology trait', 'adrenergic chromaffin cell morphology', 'granulocyte morphology trait', 'stomach muscle thickness', 'milk palmitic acid content', 'adipose fatty acid c17:0', 'vestibular chamber morphology', 'calculated white blood cell measurement', 'canal of schlemm', 'experimental arthritis incidence', 'prostate duct quantity', 'liver lipid amount', 'splenic germinal center morphology', 'olfactory system trait', 'il-7 secretion', 'heart septal morphology', 'adipocyte absolute fatty acid secretion', 'serum anti-deoxyribonucleic acid antibody level', 'glutaminergic neuron morphology trait', 'meat dodecanoic acid content', 'lens size', 'il-23 p19 secretion', 't cell activation trait', 'proventriculus', 'splenic capsule morphology', 'thymus cortico-medullary boundary', 'm cells', 'drink calorie intake rate', 'pancreatic islet lesion', 'stellate ganglion', 'experimental autoimmune encephalomyelitis incidence/prevalence', 'dn4 immature t cell number', 'meat glucose-6-phosphate content', 'medullary cavity', 'femur neck moment of inertia', 'ltd', 'sperm motility trait', 'vagina morphology', 'both adrenal glands wet weight as percentage of body weight', 'serum immunoglobulin g-type rheumatoid factor titer', 'effector t cell quantity', 'germinal center b cell number', 'mandible morphology trait', 'splenic region pancreatic beta cell weight calculated as the product of pancreas splenic region weight and corresponding beta cell fractional area', 'thigh percentage', 'blood sulfate amount', 'olfactory mucosa morphology trait', 'spleen morphological', 'dn2 alpha-beta immature t lymphocyte number', 'labc weight', 'laryngeal cartilage', 'milk fatty acid c18:3 n-3 percentage', 'ventral body wall morphology trait', 'food energy intake rate', 'nodose ganglion size trait', 'type iia muscle fiber', 'sinus circularis morphology', 'locomotor behavior', 'muscle thickness of the ileum', 'descemet membrane', 'bone section specific bone surface', 'meat fatty acid c16:0', 'serum cortisol', 'meat heptadecanoic acid', 'plasma nh2-terminal nppb level', 'single nephron glomerular filtration rate', 'epididymidis wet', 'muscle cell', 'cd8-positive, alpha-beta intraepithelial t-lymphocyte morphology trait', 'drumstick size', 'blood naga activity level', 'milk vitamin b12 content', 'olfactory receptor protein morphology', 'schwann cell precursor number', 'ear crystal size', 'alpha-beta intraepithelial t-lymphocyte', 'cd4-positive, alpha-beta intraepithelial t lymphocyte', 'morphometry', 'plasma anti-single-stranded deoxyribonucleic acid antibody level', 'vasodilation measurement', 'dorsal-ventral axis patterning trait', 'gestation period', 'oculomotor nucleus', 'placenta morphology trait', 'blood vldl phospholipid', 'adipocyte measurement', 'poorly differentiated colorectal adenocarcinoma', 'vertebral column orientation', 'blood gsh', 'duodenum villi height', 'factor i', 'plasma glucose level', "ruffini's corpuscle", 'exocoelomic cavity', 'meat ph', 'blood angiotensin i converting enzyme activity level', 'serum agp', 'serum levels of follicle stimulating hormone', 'blood anti-histone antibody', 'pulp cavity morphology trait', 'absolute diurnal change in systolic blood pressure', 'organ effluent measurement', 'blood igf2 level', 'meat fatty acid c20:5 n-3', 'plasma gpt activity', 'atrioventricular node morphology trait', 'milk fatty acid trans-7,cis-9-c18:2', 'well differentiated malignant colorectal tumor prevalence', 'blood haemoglobin', 'nerve conduction trait', 'skeletal muscle fiber quantity', 'eye size trait', 'spleen weight', 'plasma immunoglobulin m level', 'cd8-positive, gamma-delta intraepithelial t lymphocyte', 'mesencephalic trigeminal nucleus morphology', 'skeletal muscle myosin heavy chain type iia amount', 'tibia toughness', 'liver phytosterol', 'caval vein morphology', 'velum', 'filtration angle', 'hair-down neuron', 'innervation trait', 'trimmed wholesale product', 'memory b lymphocyte morphology', 'equilibrioception system trait', 'sperm quantity', 'inferior vagus ganglion morphology', 'muscle unsaturated fatty acid amount', 'palatine gland ductal branching morphology', 'stratum basale epidermis', 'membrana tympani morphology trait', 'muscle triglyceride', 'ratio of change in body weight to starting total body', 'neuron mitochondrion', 'trigeminal malignant peripheral nerve sheath tumor incidence/prevalence measurement', 't-associated plasma cell morphology trait', 'bile duct morphology', 'supraoccipital bone morphology', 'trophectoderm morphology trait', 'hepatic copper level', 'ipca', 'circulating plasmacytoma growth factor level', 'heart left ventricle end-diastolic anterior wall index', 'spleen non-tumorous lesion incidence/prevalence', 'vertebra height', 'renal fat pad weight', 't2d incidence', 'inferior glossopharyngeal ganglion of the glossopharyngeal (ix) nerve', 'inguinal fat depot', 'conjunctiva morphology trait', 'lens induction trait', 'lamellar bone morphology trait', 'medulla oblongata 5-hydroxyindoleacetic acid', 'malar arch', 'adipose beta-carotene amount', 'mesenteric artery wall phosphylated enos level', 'primary somatosensory cortex morphology trait', 'tarsus', 'hair cycle trait', 'cerebrospinal fluid sodium', 'time of sexual maturation', 'heart muscle morphology', 'lens fiber morphology trait', 'total body', 'larynx morphology trait', 'semen ph', 'liver tumorous lesion diameter', 'poorly differentiated malignant colorectal neoplasm', 'chronic experimental arthritis prevalence', 'blood hemoglobin level', 'kidney glomerulosclerosis measurement', 'adipocyte maximum free fatty acid secretion', 'ulna curvature trait', 'endometrial adenocarcinoma incidence measurement', 'bilateral renal agenesis incidence', 'muscle ph', 'bacterial', 'blood gpt activity', 'enteric ganglia', 'percentage of study population developing relapsing-remitting experimental autoimmune encephalomyelitis during a period of time', 'urine sodium level to urine creatinine level ratio', 'mesenteric fat pad', 'individual right kidney wet weight to body weight ratio', 'spleen periarteriolar lymphoid sheath morphology trait', 'serum idl phospholipid level', 'sinus node morphology trait', 'plasma chylomicron level', 'ang2 log half maximal effective concentration', 'cerebellar foliation', 'z band', 'circulating interleukin-1 beta level', 'milk whey acidic protein', 'the volume of saccharin consumed', 'symphysis menti morphology', 'common lymphocyte progenitor', "cowper's gland morphology", 'moma-1 positive cell morphology', 'serum igm-rheumatoid factor level', 'cajal-retzius cell', 'vestibulocochlear ganglion size', 'calculated body weight measurement', 'area of ventral prostate occupied by tumorous lesions to total ventral prostate area ratio', 'muscle length', 'renal artery integrity', 'ear rotation trait', "merkel's receptor nerve fiber quantity", 'carpal bone', 'thoracic aorta intracellular protein', 'pelvic arch morphology trait', 'somite size', 'serum cpk activity level', 'liver protein/peptide molecular composition', 'vestibular organ morphology trait', 'circulating b-cell stimulatory factor 1 level', 'ratio of change in renal blood flow rate to kidney', 'b-cell morphology', 'egg organoleptic', 'blood cd4 cell to r73 cell ratio', 'milk saturated fatty acid', 'heart wet', 'wool fleece', 'calculated bone cross-sectional area', 'hippocampal fimbria', 'kidney collecting duct morphology trait', 'cloaca', 'spleen size trait', 'blood very low density lipoprotein particle diameter', 'concentration', 'blood co2 amount', 'serum vldl', 'il-23 secretion', 'vestibular hair bundle inter-stereocilial link morphology', 'neuron rough endoplasmic reticulum', 'lymphocyte count', 'calculated blood differential leukocyte count', 'lens morphology', 'midbrain cell quantity', 'mammary gland', 'arm prevalence measurement', 'circulating b-cell stimulating factor-1 level', 'white adipocyte lipid droplet size', 'parental behavior trait', 'white lipocyte lipid droplet size trait', 'milk caproic acid percentage', 'toxoplasma gondii brain cyst incidence', 'aorta wall', 'brainstem evoked responses', 'ileum villi length', 'calculated serum acetaminophen level', 'orbit', 'neuroendocrine gland morphology', 'muscle linolenic acid', 'otolith organ morphology', 'ovary dry', 'hassal body', 'calcium amount', 't lymphocyte count as percentage of total white blood cells', 'conditioned place preference behavior', 'tibial volume', 'benign colorectal neoplasm incidence', 'thymocyte activation trait', 'gastric tumor incidence/prevalence measurement', 'serum leptin level', 'left uterine horn', 'metaphysis morphology', 'epididymal fat pad morphological measurement', 'kf', 'aortic wall morphological measurement', 'brain tissue protein/peptide composition', 'pterygoid muscle morphology', 'brain infarction size', 'helper t cell', 'ovary development trait', 'cranial base morphology', 'calculated neuronal rough endoplasmic reticulum area measurement', 'branchial pouch morphology', 'blood troponin t level', 'calculated plasma lipoprotein', 'secretion by placenta', 'neuron golgi apparatus measurement', 'percentage of study population displaying benign hepatic tumors at a point in time', 'bmi using body length, nose to tail', 'circulating hydrocortisone', 'milk muc1 concentration', 'hair texture', 'calculated heart left ventricle end-systolic internal diameter', 'cd8-positive, alpha-beta regulatory t-lymphocyte morphology', 'blood cell morphology', 'left perirenal fat pad weight', 'dc2 cell number', 'loin length', 'subthalamic nucleus morphology trait', 'dermomyotome development trait', 'iliac artery integrity trait', 'visual acuity trait', 'potassium chloride-induced blood vessel contractile force expressed', 'optic disc morphology trait', 'meiosis trait', 'skin potassium', 'cerebellum vermis lobule', 'presacral vertebra quantity', 'calculated mesenteric artery molecular composition', 'stratum papillare morphology', 'brain sterol level', 'reissner membrane size trait', 'corneal clarity', 'medullary cavity morphology', 'tactile corpuscle', 'meat lactate', 'blood oxidized ldl amount', 'myeloid progenitor', 'prickle cell layer morphology trait', 'lv-ivrt', 'floor plate size', 'blood high density lipoprotein triglyceride', 'milk fatty acid trans-9,trans-14-c18:2 percentage', 'blood anti-dna antibody', 'lymph gland wet', 'cochlear hair cell stereocilia size', 'femur energy absorption capacity', 'loin composition trait', 'serum glutathione', 'gastric', 'pancreatic islet non-tumorous lesion', 'b-2 b-cell', 'heart muscle', 'b cell clonal deletion trait', 'proventriculus morphology', 'blood dehydroepiandrosterone', 'cerebellum vermis lobule ix', 'spleen wet weight', 'gnrh secretion', 'mucous neck cell morphology', 'oral mucosa morphology', 'brain non-tumorous lesion', 'cholinergic neuron morphology', 'neutrophil chemotaxis', 'total lymphocyte', 'intestinal cell morphology trait', 'cardiac ventricular', 'cranial ganglia morphology', 'wellness/fitness', 'spinal cord b2m mrna level', 'stratum germinativum morphology trait', 'volume of liver occupied by tumorous lesions', 'calculated neuron vacuole area', 'hair cuticle morphology', 'milk vitamin b-12', 'cd4-positive t cell differentiation', 'total food calorie intake rate', 'exocrine gland fluid/secretion', 'tarsal bone', 'circulating interleukin-7 level', 'prothrombin time', 'rostral migratory stream morphology trait', 'ameloblast development', 'testes integrity trait', 'thrombin time', 'craniofacial', 'tibial curved', 'oliva morphology', 'forebrain serotonin', 'blood interleukin-18', 'joint capsule morphology', 'symphysis menti morphology trait', 'urine creatinine measurement', 'combined levator ani and bulbospongiosus muscle weight', 'thymus integrity', 'blood triglyceride amount', 'glossopharyngeal ganglion', 'follicular b cell quantity', 'epithelium thickness of the rumen', "waldeyer's ring", 'calculated artery lesion measurement', 'interleukin-18 secretion', 'eau severity', 'posterior uvea', 'acute experimental allergic encephalomyelitis incidence', 'gubernaculum morphology trait', 'taste', 'plasma cpk activity', 'urine taurine', 'calculated heart left ventricle infarction size', 'trigeminal nerve morphology trait', 'food intake frequency', 'kph fat weight', 'benign liver tumor incidence', 'cochlear window', 'adrenal protein/peptide composition measurement', 'number of neonatal deaths', 'serum igg-rf level normalized to an arbitrary reference', 'neuronal vacuole area measurement', 'vitamin absorption trait', 'neurogenesis', 'circulating protein', 'urine protein measurement', 'serum anti-rat type ii collagen autoantibody titer', 'blood lymphocyte', 'left ventricular cell size', 'cochlear hair cell physiology', 'oesophagus morphology', 'intestinal peristalsis', 'skin morphology trait', 'water drink intake rate', 'aorta morphological measurement', 'ratio of the wet weight of both adrenal glands to the weight of the body', 'placental development trait', 'uterine fat pad mass', 'udder width', 'total pancreatic', 'trachea morphology', 'cognitive behavior', 'renal sympathetic nerve activity measurement', 'serum reactive oxygen metabolite', 'serum agp level', 'inguinal lymph gland weight to body weight ratio', 'blood immunoglobulin g2b', 'blood ctx', 'hepatic glutathione', 'extracraniale ganglion morphology trait', 'squamosal suture', 'relative change in food intake volume', 'thymic capsule', 'il-15 secretion', 'pituitary gland size', 'tissue norepinephrine', 'urine podocalyxin amount', 'neutrophil percentage', 'visceral endoderm morphology trait', 'serotonin activity', 'middle ear morphology', 'hepatobiliary system', 'papillary layer', 'gastric tumor depth of invasion', 'blood serum homocysteine level', 'sperm flagellum size', 'volumetric bmd', 'hepatocyte number', 'cochlear melanocyte', 'blood idl-c amount', 'hypodermis integrity trait', 'milk fatty acid c11:0 percentage', 'stapes morphology', 'spleen b lymphocyte follicle morphology trait', 'milk diacylglycerol concentration', 'heart septum morphology', 'spinal cord cd74 mrna', 'serum glutamic-oxaloacetic transaminase activity level', 'spleen germinal center', 'forebrain norepinephrine amount', 'morphology trait of the basal layer of the choroid', 'aorta wall morphological', 'maximal oxygen uptake', 'eosinophil development', 'neuroglia mrophology', 'endocardial cushion', 'colorectal neoplasm', 'plasma creatine kinase activity level', 'artery internal elastic lamina non-tumorous lesion count', 'platelet quantity', 'meat myristic acid content', 'bacterial infection severity score based on the percentage of leukocyte infiltration', 'forebrain serotonin amount', 'pancreas gland morphology', 'superior cervical ganglion morphology trait', 'blood insulin amount', 'rib morphology', 'milk fatty acid c20:4 n-6 content', 'thymus cell count', 'serum glucose level', 'neutrophilic leukocyte morphology', 'adipocyte morphological measurement', 'post insult time to achieve baseline angle of tilted plane at time of balance/traction loss', 'lean tissue volume', 'total energy intake', 't2 b cell morphology trait', 'udder measurement', 'inner ear morphology', 'ca', 'serum carboxyhaemoglobin', 'plasma inorganic phosphorus', 'popliteal lymph node size trait', 'plasma pyruvate', 'pituitary gland development trait', 'bulbourethral gland physiology', 'circulating b-cell differentiation factor-2 level', 'retinal rod cell morphology', 'femoral stiffness', 'muscle weight', 'ventricular septal', 'blood interleukin-12b amount', 'c4 physiology trait', 'epididymal fat pad', 'eyelid morphology', 'gamma-delta t-cell differentiation', 'optic tract', 'lymph organ morphology trait', 'gamma-delta t-lymphocyte number', 'lymphocyte physiology', 'otoacoustic emissions', 'meat fatty acid cis-9,cis-12-c18:2 concentration', 'the area occupied by pancreatic islets', 'ethanol preference', 'systolic blood pressure', 'leukocyte quantity', 't cell receptor alpha chain v-j rearrangement', 'cone electrophysiology trait', 'in vivo coagulation measurement', 't1 stage b cell morphology trait', 'circulating ifn', 'kidney medulla development', 'ca morphology trait', 'milk mineral content', 'stria vascularis blood vessel morphology trait', 'serum anti-deoxyribonucleic acid antibody titer', 'amplitude of the acoustic startle response', 'atrioventricular bundle morphology trait', 'number of white blood cells of unspecified type', 'branchial pouch', 'fear-related behavior', 'blood plant sterol and stanol', 'liver fibrosis size measurement', 'eyeball orientation', 'induced arthritis onset/diagnosis measurement', 'insulin-stimulated adipocyte maximal glucose uptake to basal glucose uptake ratio', 'auditory nerve compound action potential', 'outer hair cell stereocilia quantity', 'atrioventricular bundle morphology', 'intraepithelial t cell morphology', 'milk phosphorus amount', 'meiosis', 'total food-derived calorie intake level', 'splenocyte proliferation trait', 'spleen marginal zone morphology', 'loin percentage', 'cytotoxic t-lymphocyte morphology', 'subscapular fat pad morphology trait', 'circulating bcgf-ii', 'encephalitis onset/diagnosis', 'polymorphonuclear leucocyte physiology', 'transitional one stage b lymphocyte morphology', 'milk fatty acid c20:5 n-3 content', 'baseline', 'cranial suture morphology trait', 'red blood cell number', 'livestock product', 'cardiovascular system physiology', 'cerebellum physiology trait', 'blood steroid', 'double-positive t-cell numbers', 'single inguinal fat pad', 'basal layer morphology', 'thymus wet weight', 'hepatocellular carcinoma incidence/prevalence', 'femur elongation', 'lung blood vessel morphology', 'uterus', 'rate of maximum positive change in left ventricular blood pressure', 'nerve fiber response threshold', 'blood adrenocorticotropin', 'shoulder', 'plasma insulin level', 'sinus venosus sclerae', 'adrenal gland function', 'heart left ventricle nppa amount', 'absolute change in plasma norepinephrine level', 'liver oxidized glutathione level', 'individual right kidney wet weight', 'glutaminergic neuron quantity', 'oculomotor nerve size', 'inflammatory exudate leukotriene b4', 'serum thyrotropin level', 'milk growth factor', 'spiral ligament of cochlear duct', 'muscle linoleic acid', 'eye moisture amount', 'adipocyte maximal non-esterified fatty acid secretion', 'anti-chromatin antibody', 'outer hair cell stereocilia size trait', 'blood vessel morphology', 'posterior cornu', 'in vitro coagulation', 'lumbar vertebra', 'pr interval', 'novelty trait', 'convoluted tubule morphology trait', 'eosinocyte morphology trait', 'intervertebral disk development', 'bacterial infection severity score based on inflammatory foci in exudate', 'tongue tumor measurement', 'individual left kidney wet weight', 'milk calcium content', 'food conversion trait', 'calculated lymph gland weight', 'transitional stage b cell morphology trait', 'mhc class ii rt1a-positive spinal cord ventral horn area', 'b lymphocyte receptor editing', 'femoral neck morphological measurement', 'ureter development trait', 'facial bone morphology trait', 'urine 3-methoxy-4-hydroxymandelic acid excretion rate', 'nephron loop morphology', 'lymph node size trait', 'pituitary gland size trait', 'tissue enzyme amount', 'fat free mass index (ffmi)', 'internal auditory meatus', 'conjunctival epithelium', 'inferior caval vein morphology', 'cd4+cd8+ t cell morphology', 'oxygen uptake', 'vascular endothelium morphology trait', 'placenta wet weight', 'calculated femur cross-sectional', 't cell apoptosis', 'experimental allergic neuritis incidence/prevalence', 'macrophage physiology', 'neutrophil migration trait', 'angiotensin 2 half maximal effective concentration', 'primary neuromuscular spindle size trait', 'carpus', 'heart orientation', 'milk beta-lactoglobulin concentration', 'cerebellum vermis morphology trait', 'age at onset/diagnosis of type 2 diabetes mellitus', 'primary neuromuscular spindle', 'meat fatty cid cis-9-c18:1 concentration', 'choanae', 'uterine lumen morphology trait', 'cd4+ cell', 'eggshell weight, fowl', 'number of b-2 cells', 'tibia energy absorption capacity', 'conductive hearing physiology', 'peripheral b-cell anergy', 'plasma ldl-c level', 'choroid pigmentation', 'transitional one stage b lymphocyte morphology trait', 'pallium development trait', 'plasma phosphorous', 'cerebellum vermis cell', 'saccharin preference score', 'coagulating gland ductal branching trait', 'heart left ventricle infarction area', 'milk myristoleic acid', 'intramuscular adipose area to body weight ratio', 's wave duration', 'measurement of freezing behavior', 'retinopathy incidence', 'gastric parietal cell', 'skeletal muscle morphology', 'milk beta-casein content', 'egg white height, fowl', 'calculated blood globulin level', 'ectoderm development', 'circulating il1 alpha level', 'cochlear coil quantity', 'blood vessel wall thickness as percentage of blood vessel inner diameter', 'colonic aganglionosis severity measurement', 'interatrial septum morphology', 'drumstick size trait', 'urine amino acid', 'liver tumorous lesion area', 'meat juiciness', 'serum uric acid level', 'kidney shape trait', 'endometrial adenocarcinoma measurement', 'nasal epithelium morphology trait', 'milk monoacylglycerol', 'circulating il-1 beta', 'neuromuscular junction morphology trait', 'milk fatty acid trans-13/14-c18:1 concentration', 'intestinal cell morphology', 'adipose fatty acid cis-9,cis-12-c18:2 content', 'sucrose preference score', 'forebrain cell quantity', 'club cell quantity', 'macrophage morphology trait', 'neutrophil leucocyte physiology', 'cardiac myocyte morphological', 'skin potassium level plus skin sodium', 'muscle saturated fatty acid', 'paired testes volume', 'urine density', 'nk cell number', 'blood homocysteine', 'caudal vertebra number', 'the number of neutrophils in an inflammatory exudate', 'l5 dorsal root ganglion morphology trait', 'respiratory transport', 'rosenthal canal', 'aortic smooth muscle cell count per unit vessel length', 'blood angiotensin i converting enzyme 2 activity level', 'isotonic saline intake rate', 'humeral axillary lymph node', 'blood bicarbonate amount', 'type iib myofiber abundance', 'blood il6', 'in vitro vessel shear stress', 'sensory ganglia', 'tail bud morphology trait', 'muscle fatty acid amount', 'gamma-delta t cell morphology trait', 'linolenic acid', 'osteoclast cell count', 'postnatal subventricular zone morphology', 'kidney trpv4 protein level', 'cardiac development', 'blood thyroxine amount', 'basophil physiology', 'milk potassium amount', 'coat/hair morphology trait', 'thymocyte count', 'diabetes mellitus onset/diagnosis measurement', 'duodenum mucosa morphology', 'inferior vagus ganglion', 'heart ventral wall thickness', 'carcass width', 'blood interleukin-4 amount', 'plasma anti-double-stranded deoxyribonucleic acid antibody titer', 'spinal cord ventral horn cellular composition measurement', 'area postrema morphology trait', 'gubernaculae morphology trait', 'segmented neutrophil count', 'skin sodium', 'blood hdl-c', 'milk adph content', 'nodose ganglion', 'milk fatty acid trans-11,cis-15-c18:2 concentration', 'serum igd', 'ureter size trait', 'time of onset/diagnosis of experimental autoimmune neuritis after insult', 'helper t-cell type 2 cell', 'terminal bronchiole morphology', 'milk saturated fatty acid measurement', 'tunel-positive cell', 'celiac lymph node size', 'blood natural killer t cell count', 'time to first movement outside a discrete space in a an experimental apparatus following a stimulus', 'heart left ventricle weight to heart left ventricle end-diastolic area ratio', 'vitreous body morphology', 'adipocyte morphology', 'calculated heart left ventricle weight', 'milk fatty acid cis-9,cis-12-c18:2 concentration', 'fatback', 'secretion by hypothalamus', 'arthritis severity', 'tympanic membrane', 'forebrain 5-hydroxyindoleacetic acid amount', 'longissimus thoracis', 'intestinal smooth muscle contractility', 'mean brain spike-and-wave discharge duration', 'dn3 thymocyte', 'mouth morphology trait', 'plasma anti-rat type ii collagen antibody titer', 'both epididymides wet', 'lymph flow trait', 'superovulation/artificial insemination', 'sternebra morphology trait', 'blood a1i3 amount', 'milk alpha-s2-casein content', 'adipocyte maximal nefa release', 'blood t3 level', 'autonomic nervous system', 'blood haptoglobin', 'hemopoiesis', 'meat gadoleic acid', 'cranial ganglion x morphology', 'meat hematin', 'tunica vasculosa bulbosa', 'spinal column development trait', 'udder size', 'percentage of study population developing malignant hepatic tumors during a period of time', 'blood hdl triglyceride amount', 'il-12b secretion', 'purkinje cell morphology', 'placental vascular', 'behavioral response to novel food', 'hemolymphoid system trait', 'calculated quinine drink intake volume', 'brain serotonin', 'blood adipoq', 'long-term synaptic depression', 'auditory ossicle size', 'blood gldh activity', 'ham bone-to-muscle ratio', 'blood serum homocysteine', 'femur head', 'lgn morphology', 'jugular ganglion morphology', 'stria vascularis size', 'splenic iron level', 'heart right ventricle dorsal wall thickness', 'pre-b cell morphology', 'non-specified leukocyte', 'cholinergic system morphology', 'yolk sac vascular plexus morphology trait', 'relapsing-remitting eae prevalence', 'blood ggtp amount', 'lauth canal morphology', 'mitral e/a wave', 'colorectal cancer incidence/prevalence', 'kidney medulla cell number', 'seminal vesicle wet', 'mechanoreceptor morphology trait', 'vibrissa quantity', 'number of rearing movements in a discrete space in an experimental apparatus', 'ventriculus lateralis size trait', 'cortical marginal zone', 'femur area moment of inertia', 'skeletal muscle mechanoreceptor morphology trait', 'mucosa-associated lymphoid tissue', 'pericardial morphology', 'meat arachidonic acid', 'defensive burying duration', 'duodenum mucosa morphology trait', 'serum blood glycerol level', 'tricuspid valve morphology trait', 'blood vessel proliferation trait', 'excitatory postsynaptic potential', 'eye anterior chamber morphology', 'transitional stage b cell quantity', 'milk polyunsaturated fatty acid measurement', 'symphysis menti', 'scrotum morphology trait', 'meat trans-16-octadecenoic acid content', 'thyroid gland weight', 'cancellous bone', 'neutrophil development', 'ratio of change in renal blood flow rate to kidney weight', 'cloaca septation', 'mammary alveoli', 'serum immunoglobulin e level', 'subcutaneous adipose mass', 'meat moisture', 'pancreatic islet non-tumorous lesion measurement', 'plasma alkaline phosphatase activity level', 'juvenile diabetes prevalence', 'initial total body', 'plasma angiotensin i converting enzyme activity level', 'calculated renal medulla protein composition measurement', 'thymic morphology trait', 'platelet size', 'heart ventricle trabeculae morphology', 'malignant liver tumor number', 'retinal layer organization', 'stomach squamous epithelium morphology trait', 'brain plant sterol and stanol level', 'circulating gonadotropin', 'masticatory muscle', 'food energy intake', 'calculated body fat morphological measurement', 'telencephalon morphology trait', 'nonfunctional nipple quantity', 'femoral neck cortex cross-sectional area', 'cranial suture morphology', 'serum anti-porcine type 2 collagen antibody', 'alveoli morphology trait', 'facial', 'tarsal gland', 'b lymphocyte maturation', 'b-1a b-cell morphology trait', 'corium', 'cd8-positive t cell development', 'circulating noradreniline concentration', 'milk pentadecylic acid', 'plasma inorganic phosphate level', 'pancreatic beta cell count', 'milk fatty acid trans-12,cis-14-c18:2 percentage', 'thoracic duct morphology trait', 'lymphocyte firm adhesion', 'chordamesoderm development trait', 'hemodynamics', 'pancreatic tissue molecular composition', 'cd4-positive, gamma-delta intraepithelial t-cell', 'calculated plasma acetaminophen', 'coloenteritis severity', 'subthalamus morphology trait', 'meat homolonolenic acid content', 'absolute change in adipocyte free fatty acid release per cell', 'dense bone morphology', 'gastric tumor prevalence', 'meat fatty acid cis-10-c17', 'circulating il-13', 'temporalis morphology trait', 'intervertebral cartilage morphology trait', 'blood vessel constriction measurement', 'milk cd36 molecule concentration', 'sex gland secretion trait', 'biliary tract', 'milk margaric acid', 'posterior nares', 'liver malondialdehyde level to liver weight ratio', 'eosinophil granulocyte percentage', 'milk palmitic acid', 'enamel morphology', 'blood cd45rchigh cd8 t cell count to total cd8 t cell count ratio', 'femur biomechanical measurement', 'adipocyte free fatty acid secretion measurement', 'disease onset/diagnosis', 'enteric nervous system morphology trait', 'gestational', 'intestine development', 'germinal center b cell physiology', 'alveolar process', 'circulating il-15', 'uterus wet', 'viable sperm count', 'tibial midshaft cortical cross-sectional area', 'thermoregulation', 'cd25+ cell to cd4+ cell ratio as', 'whole body lean tissue volume', 'ankle bone morphology trait', 'arthritis incidence/prevalence', 'myeloid leukemia prevalence', 'milk fatty acid cis-9,trans-13-c18:2 percentage', 'midbrain morphology', 'gastrointestinal system development', 'femur midshaft ip', 'urine calcium excretion rate', 'circulating b-cell growth factor-i', 'pineal body morphology', 'single-positive t cell', 'brain tissue protein/peptide composition measurement', 'calculated trichinellosis severity measurement', 'blood alanine transaminase activity', 'sphenoid sinus morphology', 'mandibular nerve branching morphology', 'superior semicircular canal size trait', 'blood cd25 cell count to cd4 cell count ratio', 'blood acetaminofen auc', 'calculated food calorie intake', 'femur stiffness', 'touch corpuscle', 'spinal cord anterior column cd3-positive cell', 'heart posterior wall', 'neurocranium morphology trait', 'exocoelomic cavity morphology', 'neutrophil granulocyte count', 'duodenum mucosa thickness', 'tracheal cartilage morphology trait', 'thalamus morphology', 'nociceptor morphology trait', 'sa node', 'milk magnesium amount', 'macula utriculi morphology', 'spinal cord rat mhc class ii rt1-b protein', 'calculated heart left ventricle', 'blood oxygen amount', 'gamma-delta t cell development trait', 'thymic capsule morphology', 'renal corpuscle', 'polynuclear neutrophilic leucocyte physiology trait', 'hair follicle size trait', 'retina blood vessel', 'lens polarity', 'left-right axis symmetry of the somites', 'post-insult time to onset of moribundity', 'intraepithelial t-lymphocyte number', 'otoconia morphology trait', 'total skeletal', 'plasma angiotensin ii level to plasma angiotensin i level ratio', 'left rear ankle joint diameter', 'memory b-cell', 'calculated plasma albumin', 'organ of corti patterning', 'milk adph concentration', 'corpora quadrigemina morphology trait', 'tissue weight of the cecum', 'trigeminal v mesencephalic nucleus', 'infectious disease incidence/prevalence measurement', 'humerus width', 'longissimus dorsi size', 'pupil clarity', 'enamel rod organization', 'heart left ventricle infarction size as percentage of total heart left ventricle size', 'intramuscular adipose area to skeletal muscle area ratio', 'retinal attachment trait', 'suprarenal gland wet', 'heart wet weight to body weight ratio', 'elbow breadth', 'hypothalamus physiology trait', 'basophil development', 'cervical opening size trait', 'cornu ammonis', 'meat fatty acid cis-9-c16:1 concentration', 'basal glucose uptake', 'glia physiology', 'lung dry', 'serum igg subclass level', 'number of male offspring', 'cardiac myocyte', 'plasma lipid level', 'spleen periarteriolar lymphoid sheath morphology', 'femur mineral mass', 'skeleton extremities', 'milk fatty acid cis-9,trans-11-c18:2', 'tear duct', 'cerebrum physiology', 'calculated pvr', 'r wave duration', 'liver fibrosis measurement', 'hippocampus fornix morphology trait', 'secondary lens fiber', 'ham fat', 'artery tunica media width', 'jejunum glandular crypt depth', 'serum high density lipoprotein cholesterol to low density lipoprotein cholesterol ratio', 'milk btn content', 'lymphatic vessel', 'calculated mesenteric artery wall molecular composition', 'muscle zinc amount', 'ventral striatum morphology trait', 'neuron lysosome area to neuron cytoplasm area ratio', 'interleukin-1 alpha secretion', 'germ layer development', 'muscle palmitoleic acid', 'lumbar vertebra trabecular cross-sectional', 'vibrissae shape', 'adipose palmitoleic acid concentration', 'kidney medulla morphology trait', 'st amplitude', 'stria vascularis ductus cochlearis morphology', 'cholesterol absorption trait', 'heart right atrium capacity', 'milk whey acidic protein content', 'mesencephalon morphology', 'respiration rate', 'trigeminal nerve neurilemmoma formation', 'kidney collecting duct morphology', 'milk astringent flavor intensity', 'milk xanthine oxidoreductase', 'pacinian corpuscle morphology', 'liver tumor incidence', 'endometrial tumor measurement', 'bite alignment', 'alimentary/gastrointestinal disease incidence/prevalence', 'oogenesis trait', 'splenic size trait', 'splenic interferon gamma-secreting mononuclear cell', 'food calorie intake level to change in body weight ratio', 'dressed carcass fat', 'primary muscle spindle', 'blood cystatin level', 'epaxial muscle morphology trait', 'individual kidney wet', 't helper 2 function', 'milk fatty acid cis-11-c16:1 percentage', 'diaphragm mass', 'plasma acetaminophen', 'serum creatine kinase activity level', 'placental transport', 'vision', 'residual feed intake', 'il-6 secretion', 'liver fat morphological measurement', 'tibial cortical bone volume', 'bone cross-sectional area', 'respiratory alveolus morphology', 'exudate measurement', 'experimental autoimmune encephalomyelitis onset/diagnosis', 'milk arachidic acid content', 'paired-pulse facilitation', 'limb conformation', 'calculated brain ventricle morphological measurement', 'percentage of study population displaying poorly differentiated malignant colorectal tumors at a point in time', 'tumor incidence/prevalence', 't cell anergy trait', 'adipose fatty acid c14', 'adipose hexadecanoic acid', 'pancreas insulin', 'brain non-tumorous lesion measurement', 'joint morphology', 'white corpuscle', 'heart atrium morphology trait', 'saccule morphology', 'thymocyte quantity', 'red blood cell sodium-potassium adenosine triphosphatase activity', 'chronic eae incidence/prevalence measurement', 'serum anti-bovine type ii collagen antibody level', 'heart contraction', 'follicular b cell physiology trait', 'milk fatty acid trans-11-c18:1', 'styloid process of temporal bone morphology trait', 'forebrain dopamine amount', 'malignant colorectal tumor surface area measurement', 'lymphatic vessel morphology', 'tumor incidence/prevalence measurement', 'feather tract width', 'porphyrin', 'uterus molecular composition', 'heart shape', 'spleen non-tumorous lesion incidence/prevalence measurement', 'myelopoiesis', 'rectum weight', 'cd8-positive, alpha-beta cytotoxic t cell morphology', 'urine aldosterone', 'breast composition trait (poultry)', 'liver cholesterol amount', 'epididymis mass', 'secretion by pancreas trait', 'placenta development trait', 'ratio of the area occupied by pancreatic islets to total pancreatic area', 'supine abdominal height', 'basophil cell', 'dressed carcass water content', 'shoulder external fat', 'serum anti-self antibody level', 'heart interventricular wall', 'percentage of study population developing unilateral renal agenesis during a period of time', 'cerebellar pyramid', 'igl morphology', 'bulbourethral gland morphology', 'ap', 'hepatic system', 'tunel-positive cell number to total cell number ratio', 'semilunar valve', 'whole body visceral fat', 'blood phospholipid', 'serum aspartate transaminase activity level', 'oliva morphology trait', 'neurocranium size', 'circulating tcgf level', 'heart left ventricle ventral wall', 'cornea/lens morphology', 'urinary bladder transitional epithelium morphology', 'skin fold thickness, suprailiac', 'virus infection incidence/prevalence measurement', 'sublingual salivary gland cholinergic innervation pattern trait', 'vertebra compact bone cross-sectional area', 'calculated horizontal distance resulting from voluntary locomotion in an experimental apparatus', 'oliva', 'posterior semicircular canal morphology', 'serum gamma-glutamyltransferase activity level', 'endolymphatic sac size', 'thigh bone', 'vestibular window morphology trait', 'histocompatibility type', 'eosinophil morphology', 'maternal age at birth of last offspring', 'malleus morphology trait', 'myringa', 'neuron cytoplasm area', 'postnatal growth trait', 'circulating t helper factor', 'facial nerve morphology trait', 'vaginal epithelium thickness', 'drink energy intake level to body weight ratio', 'longissimus thoracis muscle thickness', 'type iv spiral ligament fibrocyte morphology trait', 'blood peptidyl-dipeptidase a activity level', 'calculated serum lipoprotein', 'alcohol clearance rate', 'mcv', 'respiratory alveolar epithelial cell morphology', 'cd8+ t cell morphology', 'cd8-positive, alpha-beta intraepithelial t cell morphology', 'blood follicle stimulating hormone', 'milk fatty acid c22:6(n-3) percentage', 'kidney edema incidence/prevalence measurement', 'middle cerebral artery lumen diameter', 'brain total spike-and-wave discharge duration', 'nk t lymphocyte morphology', 'wing trait', 'calculated heart left ventricle dna', 'blood co2', 'medial ganglionic eminence', 'spongy bone morphology trait', 'blood cpk activity level', 'white adipose amount', 'tissue hva amount', 'milk fatty acid trans-7,cis-9-c18:2 concentration', 'hepatic tumorous lesion volume measurement', 't1 b cell morphology', 'coronary artery', 'fractional change in vessel distensibility contributing to the pressure-flow relationship', 'lipid homeostasis trait', 'skeleton extremities morphology', 'limb', 'telencephalon cell quantity', 'cd4-positive, alpha-beta intraepithelial t-cell morphology', 'salty taste sensitivity trait', 'induced arthritis onset/diagnosis', 'calculated aortic wall molecular composition measurement', 'milk yield trait', 'egl morphology', 'prickle cell size', 'dermatome', 'disease demographics measurement', 'heart ventricle septum morphology', 'tb.th', 'zygoma morphology', 'cerebrospinal fluid chloride level', 'factor d physiology trait', 'colon morphology', 'parietomastoid suture morphology', 'skin sodium ion level', 'iel number', 'blood chylomicron triglyceride level', 'oesophagus length', 'monocyte cell', 'plasma non-hdl, non-ldl cholesterol', 'in vivo vessel shear stress measurement', 'respiratory system development', 'hydrogen ion homeostasis', 'ejaculation measurement', 'basement membrane morphology', 'glomerular epithelial cell morphology', 'calculated liver malondialdehyde', 'ulna', 'pulmonary artery pressure', 'epididymal fat pad morphology trait', 'sschn tumor number', 'phalanx quantity', 'epiphysial plate proliferative zone', 'gastric gland morphology trait', 'decrease in blood ethanol level', 'neurotransmission', 'liver function', 'skin layer morphology', 'spleen primary b follicle', 'circulating t-cell-replacing factor level', 'hip width', 'heart infarction size', 'self tolerance trait', 'spinal cord cd74 protein', 'minute ventilation (ve)', 'neural plate', 'cns glia morphology', 'organ lesion measurement', 'muscle conductivity trait', 'kidney lipid composition measurement', 'milk fatty acid c22:6(n-3) concentration', 'meat c18:3 n-6', 'serum ige', 'calculated urine albumin level', 'plasma magnesium level', 'individual left kidney wet', 'blood immunoglobulin g level', 'cerebellar vermis', 'cardiac excitatory physiology trait', 'abdominal fat morphological', 'serum immunoglobulin g subclass level', 'neuronal rough endoplasmic reticulum area', 'spatial reference memory trait', 'reticulorumen weight', 'dentin', 'interdigital webbing', 'skeleton measurement', 'nk t lymphocyte number', 'plasma gamma-glutamyl transpeptidase activity', 'ldl cholesterol', 'adipose linolenic acid concentration', 'blood flavanone', 'femur energy to break', 'gustatory papillae morphology', 'sheltering behavior', 'atrial appendage morphology', 'hippocampus neuron morphology', 'leg fat', 'splenic interferon gamma-secreting mononuclear cell count', 'thymic corticomedullary boundary', 'milk fatty acid c24', 'circulating il16 level', 'peak oxygen uptake', 'blood mineralcorticoid', 'calculated neuron mitochondrion area measurement', 'gastric surface mucous cell morphology', 'ctl morphology trait', "hensen's node morphology", 'nipple morphology', 'left-right axis patterning', 'ear crystal size trait', 'blood t helper 1-like cell', 'circulating b-cell stimulatory factor-1', 'cochlear hair cell inter-stereocilial links', 'femur midshaft morphological measurement', 'plasma magnesium', 'brain morphological', 'serum acetaminophen', 'testicular cell', 'wound healing trait', 'gamma-delta intraepithelial t-lymphocyte number', 'hindlimb muscle morphology', 'palatal process morphology trait', 'neutrophilic leucocyte morphology', "schlemm's canal", 'malignant hepatic tumor prevalence', 'cachectin secretion', 'proximal convoluted tubule', 'b-cell differentiation factor secretion', 'labia minora', 'splenic development', 'pelvic girdle morphology trait', 'tibia-fibula cross-sectional', 'left major bronchus morphology trait', 'interleukin-15 secretion trait', 'frontal lobe morphology', 'ventral horn morphology', 'circulating hdl cholesterol', 'heart ventricle end-diastolic septal wall index', 'germinal center b cell morphology trait', 'circulating il6', 'plasma adrenaline', 'transitional stage b-cell morphology', 'adipose fatty acid content', 'liver edema incidence/prevalence', 'maternal nurturing', 'placenta vascular', 'embryonic epiblast morphology', 'palate width', 'colorectal neoplasm prevalence', 'meat aldehyde content', 'plasma hemoglobin level', 'parasympathetic preganglionic fiber morphology trait', 'circulating adrenocorticotropic hormone', 'intestine weight', 'cn-iii', 'tibial straight length', 'total volumetric bone mineral density', 'total water only intake', 'single positive t cell physiology trait', 'radius', 'blood immunoglobulin d amount', 'lumbar vertebral trabecular cross-sectional', 'cajal-retzius cell morphology', 'fenestra ovalis morphology', 'lymph physiology trait', 'ear unfolding initiation trait', 'granule layer lamination integrity', 'coat/hair physiology trait', 'ileum glandular crypt', 'platelet measurement', 'serum low density lipoprotein phospholipid', 'autoantibody concentration', 'brain 5-hydroxyindoleacetic acid', 'caudal ganglionic eminence morphology trait', 'spinal cord c1qb protein', 'plasma insulin-like growth factor 2 level', 'serum igg-rheumatoid factor', 'cerebral cortex pyramidal cell morphology trait', 'mid-humerus width', 'blood-cerebrospinal fluid barrier morphology', 'circulating il4', 'fecal parasite egg count', 'hyaloid membrane', 'testis physiology', 'vulva size', 'heart left ventricle end-systolic elastance', 'blood cd45rclow cd8 t cell count', 'post-immunization time to onset of ean', 'plasma immunoglobulin measurement', 'circulating triiodothyronine level', 'pulmonary interstitium morphology trait', 'pulp cavity morphology', 'heart left atrium morphological', 'lumbar vertebral cross-sectional', 'brain dihydroxyphenylacetic acid (dopac)', 'il15 secretion', 'calculated aortic smooth muscle cell count', 'b-2 b cell morphology', 'b-1 b cell quantity', 'heart rna composition measurement', 'artery outer diameter', 'placental labyrinth morphology trait', 'adipose fatty acid amount', 'parasympathetic ganglion morphology trait', 'nasal septum', 'chief cell', 'plasma campesterol level', 'interleukin-12 secretion trait', 'ratio of pcna-positive cells to total liver tumorous lesion cells', 'meat fatty acid c22', 'ratio of hepatic oxidized glutathione level to liver', 'pterygoid muscle size trait', 'ear morphology trait', 'hair cell physiology', 'muscular system trait', 'change in rsna to change in intracerebroventricular sodium concentration ratio', 'vena cava morphology', 'jejunal smooth muscle contractility', 'orbitosphenoid morphology', 'renal medulla cell', 'left ventricular cell size trait', 'immune cell development trait', 'thymus corticomedullary boundary morphology', 'cd4-positive, cd25-positive, alpha-beta regulatory t lymphocyte morphology', 'blood cd4 lymphocyte count to total lymphocyte count ratio', 'hook width', 'calculated kidney weight', 'calculated ankle joint diameter', 'hypaxial muscle morphology', 'utricle morphology', 'p-cell stimulating factor secretion', 'vertebral body development', 'kidney cortex trpv4 protein level to beta-actin protein level ratio', 'epididymal fat pad weight to body weight ratio', 'brain dopamine amount', 'serum acetaminophen level', 'kidney cortical adrenomedullin', 'circulatory system trait', 'cloaca morphology trait', 'percentage of study population developing t-cell lymphomas during a period of time', 'gonad rudiment morphology', 'muscle area', 'serum hdl-c', 'posture trait', 'iris morphology trait', 'long-term synaptic depression trait', 'blood amino acid level', 'skin h2o level to skin dry weight ratio', 'ethanol intake volume', 'inflammatory exudate ltb4 level', 'eosinophilic leucocyte physiology trait', 'urinary bladder measurement', 'caval vein', 'body weight gain', 'calculated brain ventricle morphological', 'external lymph node morphology trait', 'milk potassium content', 'van horne canal', 'drink calorie intake level to body weight ratio', 'ventral spinal root', 'cd4-negative, cd8-negative, alpha-beta intraepithelial t-lymphocyte morphology trait', 'plasma paracetamol', 'upper jaw morphology', 'plasma anti-single-stranded dna antibody level', 'adipose octadecanoic acid', 'heart tube looping morphogenesis', 'tarsometatarsus morphology', 'blood cortisol', 'adipose androstenone content', 'urine albumin amount', 'heart left ventricle end-systolic', 'parametrial fat depot', 'copper', 'vitreous lamella morphology trait', 'mid-tibia cortical thickness', 'absolute change in adipocyte glucose uptake', 'egg shell reflectivity', 'blood sorbital dehydrogenase', 't-cell physiology', 'nacc morphology trait', 'liver tumor number', 'tibialis anterior muscle weight to body weight ratio', 'urine aldosterone amount', 'lens bow organization', 'circulating cholesterol level', 'tumor necrosis factor', 'ratio of splenic ipca', 'serum levels of acth', 'meat stiffening trait', 'wing percentage', 'basis cranii', 'blood rt6.1 positive cell count as percentage of total lymphocytes', 'urine urea', 'aorta cellular protein level', 'nk cell cytolysis', 'hippocampus mossy fiber morphology', 'blood creatine phosphokinase activity', 'tendon physiology trait', 'cd4-, cd8-, alpha-beta intraepithelial t cell', 'thymus subcapsular epithelium morphology trait', 'eosinophil cell number', 'alveolar body', 'vitamin and cofactor metabolism', 'abdominal wall mass', 'milk fatty acid c17:0', 'central b cell anergy trait', 'greasy fleece weight', 'femur midshaft polar moment of inertia', 'bone trabecular cross-sectional', 'liver tumorous lesion volume measurement', 'lvet', 'milk protein content', 'brain type ii spike-wave discharge amplitude', 'connective tissue physiology', 'hepatocellular carcinoma incidence', 'renal medulla morphology trait', 'brain protein/peptide composition', 'spatial reference memory', 'tongue non-tumorous lesion', 'calvaria morphology', 'muscle cell morphology', 'incisor growth trait', 'intraepithelial t cell morphology trait', 'maxillary shelf', 'colostrum trait', 'milk retinol', 'heart wall thickness', 'hcc tumor number', 'spleen rna composition', 'cranial flexure', 'femur toughness', 'salivary duct morphology', 'club cell', 'polynuclear neutrophilic leucocyte morphology trait', 'artery internal elastic lamina defect', 'serum oxidized glutathione', 'relapsing/remitting experimental autoimmune encephalomyelitis incidence/prevalence measurement', 'cd8+ t cell number', 'egg production', 'embryonic subventricular zone morphology', 'gamma-delta t lymphocyte', 'gubernaculum', 'diaphragm muscle thickness', 'serum igm level', 'limbic lobe', 'cerebellum vermis', 'milk trans-11,cis-15-octadecadienoic acid content', 'left ventricular ejection time', 'leg length', 'vertebral body morphology trait', 'splenic marginal zone morphology trait', 'meat fatty acid trans-16-c18', 'tibia mass', 'circulating cachectin', 'iron', 'subependymal plate morphology', 'lateral ventricle', 'number of ribs', 'cardiac muscle cell morphological measurement', 'blood vessel distensibility measurement', 'adipose beta-carotene', 'heart ventricular morphology', 'interleukin-6 secretion', 'blood vessel wall thickness as percentage of blood vessel lumen diameter', 'heart angiotensin i converting enzyme 2 activity', 'ileum weight', 'olfactory receptor', 'exploratory behavior', 'kidney collecting tubule', 'waist girth', 'blood anti-insulin autoantibody amount', 'spiral ligament', 'memory b cell number', 'femur midshaft cross-sectional', 'milk malt flavor intensity', 'proximal convoluted tubule morphology', 'blood interferon-alpha', 'teat angle', 'blood interleukin-23', 'blood albumin', 'prepuce morphology', 'blood ldl-c level', 'olfactory receptor neuron', 'proprioceptive neuron morphology trait', 'auditory perception', 'cd8-positive, alpha-beta cytotoxic t cell', 'transitional one stage b-lymphocyte', 'percent change in food intake', 'urinary bladder', 'embryonic cilia morphology', 'lipid absorption', 'milk fatty acid trans-8,cis-10-c18:2', 'suppressor t cell morphology', 'heart ventricle trabeculae', 'mineral homeostasis', 'liver nucleic acid', 'circulating level of adh', 'stellate ganglion morphology trait', 'pancreas lesion measurement', 'heart muscle compact layer morphology trait', 'commissure morphology', 'lipid homeostasis', 'hair follicle development', 'iris size', 'paraoxonase-1 activity', 'pupil size trait', 'serum il6', 'circulating cytokine synthesis inhibitory factor', 'tunica vasculosa oculi', 'cardiac muscle cell morphological', 'bcgf-ii secretion', 'blood vessel smooth muscle measurement', 'integumentary system morphology trait', 'radius morphology', 'renal tubular apoptosis', 'vascular elastic tissue morphology', 'milk fatty acid trans-6-8-c18', 'milk prolactin', 'cerebellum plate', 't cell', 'muscle linolenic acid content', 'unk cell morphology trait', 'neck', 'slope of contraction-induced renal vascular resistance curve', 'secondary muscle spindle', 'percent post-birth perinatal deaths', 'milk vaccenic acid concentration', 'initial amount of time spent in a discrete space in an experimental apparatus before moving to a different space', 'milk fatty acid c15', 'rt6.2 positive t cell count', 'female fertility trait', 'total lung capacity', 'circulatory system development trait', 'mantle zone', 'glomerular transcapillary hydraulic pressure gradient', 'sciatic nerve', 'sperm count', 'primary muscle spindle morphology trait', 'plasma angii/angi', 'viral infection onset/diagnosis measurement', 'complete blood cell count', 'patella', 'calculated food intake weight', 'basophil count as percentage of total white blood cells', 'metatarsal bone morphology trait', 'retinal inner plexiform layer morphology', 'natural killer t-cell physiology trait', 'single positive t cell morphology trait', 'plasma dipeptidyl carboxypeptidase activity level', 'calculated inflammatory exudate eicosanoid measurement', 'kidney sclerotic glomerular volume to total kidney glomerular volume ratio', 'hepatic total tumorous lesion', 'leukocyte proliferation', 'hippocampal development', 'blood renin', 'tail size', 'urine electrolyte excretion rate', 'daily sperm count', 'sympathetic nervous system morphology', 'lumbar vertebra cross-sectional area', 'turbinate morphology trait', 'blood ace2 activity', 'circulating follicle stimulating hormone level', 'milk fatty acid c6:0 percentage', 'scapular spine morphology trait', 'total hepatic copper', 'transitional two stage b lymphocyte number', 'viable sperm count to total sperm count ratio', 'pancreas weight as a percentage of body', 'follitropin secretion', 'hippocampus proper', 'heart physiology', 'logarithm of the total number of nontypeable haemophilus influenzae bacterial colony forming units recovered', 'strial marginal cell number', 'monocyte cell number', 'blood glutathione amount', 'great vessel orientation trait', 'basal layer', 'circulating ldl cholesterol', 'hippocampus neuron morphology trait', 'circulating total protein level', 'malignant hepatocellular carcinoma prevalence', 'blood protein amount', 'cerebral cortex pyramidal neuron morphology', 'juiciness score', 'artery wall measurement', 'lamina visceralis pericardii morphology trait', 'saccular macula morphology trait', 'thymus cortico-medullary junction', 'calculated islet beta cell mass of duodenal region of pancreas', 'gland physiology trait', 'rump body length', 'pons', 'femur metaphysis morphological measurement', 'malpighian pyramid size trait', 'femoral metaphysis morphological measurement', 'labyrinthus osseus morphology', 'subcutaneous tissue', 'peripheral t-lymphocyte anergy', 'muscle cholesterol amount', 'muscle cholesterol', 'z line morphology trait', 'udder cleft morphology', 'long bone diaphysis morphology trait', 'mammary areola quantity', 'whisker length', 'sa node morphology trait', 'vaginal opening size', 'calculated neuron lysosome area measurement', 'circulating interleukin-23b', 'measurement', 'fsh secretion', 'spleen molecular composition', 'labia majora morphology trait', 'b lymphocyte count as percentage of total white blood cells', 'middle ear bone morphology', 'uterine horn', 'milk manganese amount', 'muscle lipid amount', 'blood insulin-like growth factor 1 level', 'renal venous blood flow rate', 'blood basophil count', 'calculated heart right ventricle', 'percentage of study population developing unilateral left-sided renal agenesis during a period of time', 'urine potassium', 'calculated pancreatic islet area', 'rib muscle weight', 'platelet aggregation measurement', 'nk t-cell number', 'basicranium morphology', 'blood antibody level', 'ear morphology', 'tissue protein amount', 'cholesterol level', 'vallate papillae morphology trait', 'trichinella infection severity', "peyer's patch epithelium morphology", 'compact bone morphology', 'milk cis-9-heptadecenoic acid content', 'plasma uric acid level', 'serum anti-self antibody titer', 'calculated kidney protein composition measurement', 'salivary gland mucosal cell', 'blood glutathione peroxidase', 'nostril morphology', 'nasoanal length', 'short lived plasma cell morphology', 'creatinine clearance', 'superior olivary complex morphology', 'longissimus dorsi length', 'gastric non-tumorous lesion', 'experimental arthritis onset/diagnosis measurement', 'calculated blood paracetamol', 't helper 2 cell', 'prostate gland dry weight', 'epicanthal fold morphology', 'meat nitrogen', 'perivascular macrophage', 'temperament', 'incisive bone morphology trait', 'seminal vesicles', 'absolute change in adipocyte nefa release per cell', 'hippocampal neuron', 'percentage of study population developing kidney tubular degeneration during a period of time', 'granulated metrial gland cell', 'serum insulin level times blood glucose', 'abdominal adipose amount', 'pancreatic isletitis measurement', 'wing weight', 'cochlear ganglion size', 'calculated trichinella infection severity', 'talus', 'vermis', 'circulating hematopoietin-1', 'kidney tubular degeneration prevalence', 'nodose ganglion neuron quantity', 'urine acetoacetone level', 'bone', 'habenular nucleus morphology trait', 'pituitary gland physiology trait', 'active avoidance behavior', 'lung morphology', 'submandibular lymph node morphology trait', 'gill arch development', 'secretion by ovary trait', 'islet of langerhans beta cell', 'benign hepatic tumor', 'area of individual prostate tumorous lesion', 'skin morphological', 'total drink calorie intake', 'biliary tract morphology trait', 'heart pumping trait', 'milk steroid content', 'spiral ligament of cochlea morphology', 'vocalization', 'impulse conducting system', 'eye muscle morphology', 'mononuclear cell count', 'serum ldl phospholipid', 'developmental patterning', 'eosinocyte differentiation', 'post-insult time to trigeminal nerve malignant peripheral nerve sheath tumor formation', 'parasite count', 'kidney paraoxonase-1 activity', 'serum triacylglycerol level', 'maxillary shelf morphology trait', 'retinol metabolism', 'white adipose tissue morphology trait', 'total energy intake level', 'toxoplasma gondii brain cyst prevalence', 'hematopoietic system physiology trait', 'milk dusty flavor intensity', 'cerebellum external granule cell layer thickness', 'epiphysis cerebri morphology', 'summary potential threshold', 'pulmonary vein morphology', 'ham external fat', 'sgot activity', 'bacterial infection severity score', 'pulmonary arterial diastolic blood pressure', 'calculated blood vessel wall thickness', 'blood estrogen level', 'blood amino acid amount', 'meat lauric acid', 'production', 'nociception system morphology', 't cell receptor alpha chain v-j recombination', 'mammary gland fetal development', 'meibomian gland morphology', 'il-8 physiology', 'inner medullary pyramid size', 'percent change in body weight', 'gamma-delta intraepithelial t-cell number', 'skin mineral amount', 'kidney medulla morphology', 'organ of corti morphology', 'ratio of change in body weight to initial total body', 'calculated single kidney weight', 'stomach glandular epithelium morphology trait', 'calculated heart infarction weight', 'stratum corneum morphology', 'light reflection', 'red blood cell morphology', 'spleen ribonucleic acid', 'mortality rate', 'milk fatty acid cis-5,8,11,14-c20', 'blood aldosterone', 'serum total igg level', 'long bone epiphysis', 'anterior eye segment morphology', 'calculated blood vessel smooth muscle cell count', 'spine', 'kidney vascular morphology', 'muscle morphological', 'aorta elastic tissue molecular composition', 'prostate morphology', 'blood tnfa', 'blood anti-self antibody titer', 'eyelash retention', 'skeletal muscle myosin heavy chain type iia', 'lymph node t cell domain', 'inflammatory exudate measurement', 'mitogen-stimulated white blood cell proliferation measurement', 'il-13 secretion', 'bulbourethral gland dry weight', 'xenobiotic pharmacokinetics', 'heart infarction measurement', 'blood anti-deoxyribonucleic acid antibody', 'blood alanine transaminase amount', 'sebaceous gland physiology trait', 'basal white blood cell proliferation measurement', "meissner's corpuscle size trait", 'circulatory system', 'cd8-positive, alpha-beta cytotoxic t-lymphocyte morphology', 'appendicular skeleton morphology trait', 'embryonic-extraembryonic boundary', 'cerebrum morphology trait', 'heart left ventricle', 'milk beta-casein amount', 'type iia myofiber abundance', 'blood vessel smooth muscle physiology', 'cn-xi', 'albumin level', 'blood adrenocorticotropin amount', 'left perirenal fat pad', 'left ventricular end-diastolic dimension', 'relapsing-remitting eae incidence/prevalence measurement', 'xiphoid process morphology', 'ovarian follicle size', 'liver triglyceride level', 'femur midshaft biomechanical', 'heart left ventricle natriuretic peptide a amount', 'st wave displacement', 'hippocampus development', 'blood intermediate density lipoprotein phospholipid', "merkel's receptor nerve fiber organization", 'absolute change in ekg lf/hf', 'calculated kidney medulla protein composition measurement', 'intraepithelial lymphocyte number', 'saccharin index', 'bill', 'serum anti-bovine type 2 collagen antibody', 'oculomotor nerve morphology', 'osteophage physiology', 'latency to locate a target platform in an experimental apparatus', 'cricoid cartilage morphology trait', 'heart left atrium morphology', 'number of glomeruli with microaneurysms', 'milk fatty acid cis-9-c18:1 concentration', 'sinus circularis', 'viral disease incidence/prevalence measurement', 'primitive streak morphology trait', 'stomach tumor count', 'haemoglobin measurement', 'interferon-alpha secretion trait', 'milk retinol content', 'colostrum immunoglobulin g', 'thymocyte apoptosis trait', 'kidney tubule apoptosis', 'malignant colorectal tumor prevalence', '3-methyl indole', 'olfactory cortex', 'granulocyte development trait', 'number of adipocytes per cubic centimeter of muscle', 'serum intermediate density lipoprotein phospholipid level', 'esophagus size', 'nervous system electrophysiology trait', 'heart development', 'blood t helper 1-like cell count', 'turbinate morphology', 'embryonic erythropoiesis trait', 'back fat thickness', 'circulating testosterone', 'bronchial-associated lymphoid tissue morphology trait', 'milk soluble calcium content', 'calculated intramuscular fat morphological measurement', 'germinative layer morphology', 'ovarian folliculogenesis', 'd-hair receptor morphology trait', 'endometrium', 're', 'cerebrovascular system integrity', 'iris pigmentation', 'dorsal horn morphology', 'milk trans fatty acid amount', 'vestibular cochlear ganglion morphology', 'male reproductive organ morphological', 'hair medulla morphology trait', 'nociception system physiology', 'snout morphology trait', 'plasma gd activity level', 'jejunum mucosa thickness', 'liver disease severity', 'salivary gland physiology trait', 'heart right ventricle size trait', 'heart left atrium end-diastolic diameter', 'potassium chloride half maximal effective concentration (ec50)', 'igg2b level', 'phalangeal cell morphology trait', 'b-1b b-lymphocyte morphology', 'renal filtration fraction', 'blood cd4 cell', 'il7 secretion', 'circulating adrenocorticotropin', 'heart left ventricle weight as a percentage of body', 'lymph node cortex morphology', 'oropharyngeal lymphoid tissue morphology', 'back fat', 'adipocyte maximal non-esterified fatty acid secretion to basal non-esterified fatty acid secretion ratio', 'immune system cell physiology trait', 'meat mineral content', 'calculated heart infarction', 'plasma peptidyl-dipeptidase a activity', 'lymphocyte tracer radioactivity measurement', 'stomach lesion', 'percentage of study population developing retinopathy during a period of time', 'serum noradrenaline', 'perilymphatic space morphology', 'secretion by pancreas', 'milk vaccenic acid', 'kidney tumorous lesion measurement', 'liver mgmt mrna level', 'sensorineural hearing physiology', 'cge morphology trait', 'edr', 'plasma igd level', 'gamma-delta t-cell morphology', 'dn2 alpha-beta immature t-cell number', 'dermis mast cell morphology trait', 'meat dihomo-gamma-linolenic acid content', 'combined levator ani and bulbocavernosus muscle weight', 'uterine length', 'kidney glomerulosclerotic lesion measurement', 'blood differential white blood cell', 'kidney ace activity', 'liver tumorous lesion measurement', 'tibia energy to break', 'amacrine cell morphology trait', 'alpha-beta intraepithelial t-cell', 'marrow cavity morphology trait', 'brachial lymph node morphology trait', 'intermaxillary bone morphology', 'rumen volume', 'cns synapse formation', "peyer's patch germinal center", 'th2 cell count', 'blood very low density lipoprotein phospholipid level', 'number of offspring born alive', 'femur length', 'blood th2 cell percentage', 'olfactory epithelium', 'enteric nervous system morphology', 'adipose fatty acid c18:3 n-3', 'ratio of beta cell area to total islet of langerhans', 'optic nerve', 'prostate tumorous lesion area measurement', 'ossification', 'circular sinus morphology trait', 'calculated urine catecholamine excretion rate', 'vestibule', 'heart morphology trait', 'prostate epithelium', 'embryogenesis trait', 'spinal accessory nerve morphology', 'testis non-tumorous lesion measurement', 'bone section connectivity density', 'bulbourethral gland ductal cell', 'pancreas gland physiology trait', 'slope measurement of drug-induced contraction', 'ventricular septum morphology', 'arterial tunica media measurement', 'ventral prostate tumorous lesion', 'monocyte quantity', 'tissue serotonin', 'classical complement pathway', 'meat fatty acid c21', 'percentage of study population displaying toxoplasma gondii brain cysts at a point in time', 'il18 secretion', 'colorectal tumor count', 'receptor-dependent blood vessel maximum contractile force', 'cd45r-positive thymocyte', 'l4 dorsal root ganglion morphology', 'milk bitter flavor intensity', 'serum anti-rat type 2 collagen autoantibody titer normalized for absorbance', 'thoracic cavity morphology', 'loin eye', 'muscle thickness of the jejunum', 'retinal attachment', 'circulating il-2 level', 'pupil clarity trait', 'adipocyte incremental nefa secretion per unit volume', 'femur midshaft morphological', 'prevertebral ganglion morphology trait', 'marginal zone b cell quantity', 'serum gpt activity level', 'ear lobe morphology trait', 'oocyte number', 'hind limb morphological measurement', 'muller duct morphology trait', 'offspring number', 'areola morphology', 'serum prl', 'calculated hepatic tumorous lesion volume', 'optic nerve morphology trait', 'superoxide dismutase activity', 'stomach epithelial cell number', 'kidney catalase activity to total protein level ratio', 'heart left ventricle infarction measurement', 'milk light-oxidized flavor intensity', 'change in intracerebroventricular sodium concentration', 'stimulated rsna to basal rsna ratio', 'deltoid process', 'enteric cholinergic neuron', 'regional blood pressure trait', 'lv mass/bw', 'response to viral infection trait', 'plasma rat anti-self type 2 collagen antibody', "merkel's receptor nerve fiber organization trait", 'skin thickness', 'spongy substance morphology trait', 'stratum cylindricum', 'front feet phalanges count', 'osseous labyrinth', 'orbitosphenoid bone morphology trait', 'left ventricular end-diastolic volume', 'stomach tumor depth of invasion', 'testis non-tumorous lesion', 'serum anti-dsdna antibody level', 'inflammatory exudate cell', 'cochlear ihc', 'calculated heart right ventricle morphological measurement', 'circulating interleukin i', 'humerus size', 'cranial ganglion vii morphology', 'interleukin-13 secretion trait', 'spermiation trait', 'cochlea sensory epithelium morphology trait', 'esophagus size trait', 'renal blood flow change', '5-ht physiology', 'egg shell morphology trait', 'placenta labyrinth morphology', 'forelimb zeugopod morphology', 'calculated ventricle contraction measurement', 'percentage of study population developing endometrial adenocarcinomas during a period of time', 'cataract incidence', 'tenderness score', 'alisphenoid', 'milk adipophilin amount', 'roof plate morphology', 'keratinocyte development', 'myocardial performance index', 'forced vital capacity (fvc)', 'b cell quantity', 'bile duct development trait', 'hair follicle root sheath morphology trait', 'tissue cellular composition measurement', 'forebrain hva amount', 'percentage of study population developing testis tumors during a period of time', 'circulating antidiuretic hormone level', 'vertebral column morphology trait', 'blood physiology', 'cerebellum vermis cell number', 'circulating cytotoxic t lymphocyte-associated antigen 8 level', 'thymus development trait', 'interleukin-16 secretion', 'intervertebral disk morphology trait', 'spleen fdc network morphology', 'pituitary gland physiology', 'blood carbon dioxide amount', 'ratio of the number of zygotes/embryos lost postimplantation to the total number of offspring', 'hymen development', 'eye anterior chamber morphology trait', 'vision system trait', 'milk mineral yield', 'auditory vesicle cell number', 'serum anti-rat type 2 collagen antibody titer', 'caudal vertebra morphology trait', 'arterial tunica media', 'cochlear ihc physiology', 'kidney-specific lymphocyte tracer radioactivity measurement', 'calculated blood cd8 cell count', 'thermal receptor morphology', 'spinal column development', 'pectoralis major weight', 'tooth anlage development', 'skin sodium level to skin dry weight ratio', 'pancreas function', 'egg albumen height, fowl', 'cardiac septum morphology', 'quadrigeminal body morphology', 'dressed carcass muscle', 'serum low density lipoprotein cholesterol', 'blood ldl particle size', 'abnormal sperm count to total sperm count ratio', 'hair amount', 'change in map to change in [vasoactive chemical] ratio', 'forelimb muscle', 'epiphysial plate morphology trait', 'plasma mug1 level', 'urine cortisol level', 'thrombocyte morphology trait', 'renal cortex trpv4 protein level to beta-actin protein level ratio', 'circulating thyroxine', 'heart pumping', 'complement protein amount', 'plasma phosphorous level', 'bone section mineralized tissue surface-area-to-volume ratio', 'kidney malondialdehyde amount', 'marginal zone b cell morphology trait', 'blood leptin amount', 'disease process', 'calculated water drink intake rate', 'turbinate', 'circulating interleukine 2 level', 'plasma anti-laminin antibody titer', 'b-2 b cell number', 'kidney corpuscle morphology', 'pancreatic insulitis measurement', 'rate-pressure product', 'right hindlimb ankle joint diameter', 'biceps brachii mass', 'action potential trait', 'dressed carcass length', 'crista ampullaris', 'semilunar ganglion morphology trait', 'serum ace activity level', 'kidney adrenomedullin amount', 'eae post-insult time', 'brain ribonucleic acid composition', 'adrenal gland molecular composition measurement', 'lymphoid dendritic cell', 'serum alpha-1-acid glycoprotein', 'acromial process', 'plasma anti-collagen antibody', 'pectoralis muscle morphology', 'urine protein/creatinine', 'cochlear inner hair cell afferent nerve fiber quantity', 'cd8-positive, alpha-beta regulatory t lymphocyte morphology trait', 'serum afp', 'bone toughness', 'serum anti-collagen antibody level', 'the wet weight of both adrenal glands', 'spiral organ morphology trait', 'trigeminal nerve integrity', 'cornea thickness', 'urination behavior', 'meat fatty acid c17:0 percentage', 'neuronal mitochondrion area to neuronal cytoplasm area ratio', 'hind foot morphological measurement', 'neuronal migration trait', 'mucosa thickness of the jejunum', 'spongy bone', 'apical ectodermal ridge development trait', 'blood glutathione peroxidase amount', 'serum gldh activity level', 'renal trpv4 protein', 'liver mgmt mrna', 'blood cd45rclow cd4(+) t cell count', 'choroid vascular morphology', 'splenic capsule morphology trait', 'myocardium morphology trait', 'milk fatty acid trans-9,cis-11-c18:2 percentage', "cowper's gland", 'muscle morphological measurement', 'leg muscle', 'white blood cell measurement', 'hippocampus pyramidal cell morphology', 'pyramidal tract', 'iris stroma cell', 'ammon horn', 'inguinal lymph node morphology trait', 'polymorphonuclear neutrophil physiology', 'serum orm1', 'heart right ventricle morphological', 'serum anti-toxoplasma antibody', 'vertebral arch development', 'small intestine weight', 'globus pallidus morphology', 'tcr v(d)j recombination', 'left adrenal gland wet', 'food calorie intake level to gain in body weight ratio', 'right suprarenal gland wet', 'experimental allergic neuritis onset/diagnosis', 'malar bone', 'liver physiology trait', 'cerebellar hemispheres', 'thoracic vertebra quantity', 'onset of t-cell lymphoma', 'xenobiotic pharmacokinetics trait', 'thymus trabeculae morphology trait', 'adipose fatty acid c14:0 content', 'plasmacytoid dendritic cell quantity', 'percentage of study population displaying leukemia at a point in time', 'retinal cone cell', 'oropharyngeal lymphoid tissue', 'somatic nervous system morphology trait', 'age at onset/diagnosis of diabetes mellitus type i', 'heptadecanoic acid percentage', 'spinal cord ventral horn t lymphocyte cell', 'calculated liver gsh level', 'strial vascular morphology trait', 'sarcolemma morphology', 'phrenic nerve morphology trait', 'plasma chylomicron', 'blood tnfa amount', 'palate', 'testis integrity', 'rump body mass index', 'milk fatty acid trans-11,trans-13-c18:2 concentration', 'intestinal aganglionosis incidence', 'percentage of study population developing benign colorectal tumors during a period of time', 'cingulate gyrus morphology trait', 'blood pressure time series baroreceptor response calculation parameter', 'tectorial membrane morphology trait', 'cochlear outer hair cell stereociliary bundle morphology', 'neopallium morphology', 'egg shell weight', 'organ tumorous lesion', 'interleukin-1 physiology', 'endometrium thickness', 'inguinal lymph gland dry', 'artery lumen diameter', 'bacterial infection', 'high frequency r-r spectral component', 'brain size trait', 'body length, nose to rump', 'cn-viii', 'femoral toughness measurement', 'ham meat weight', 'saccular spot morphology trait', 'swt', "rathke's pouch morphology", 'milk lauric acid content', 'colliculus morphology', 'venous return', 'circulating interferon level', 'blood interleukin-18 amount', 'percentage of study population displaying liver tumors at a point in time', 'pedicle morphology trait', 'percentage of study population displaying herpes simplex encephalitis at a point in time', 'iris cell quantity', 'hepatic tumor incidence', 'testis ribonucleic acid composition measurement', 'calculated cytotoxic t cell count', 'serum reduced glutathione', 'helper t-lymphocyte type 2 cell number', 'purkinje cell nerve fiber', 'digestive organ orientation', 'internal acoustic meatus morphology trait', 'heart left ventricle interstitial angiotensin ii amount', 'uterus weight as percentage of body weight', 'spleen formation', 'ammon gyrus morphology trait', 'renal plasma flow to body weight ratio', 'aorta wall extracellular elastin dry weight', 'floccular fossa morphology', 'spinal cord rt1-b protein', 'brain electrical activity', 'induced arthritis incidence/prevalence', 'respiratory alveolar epithelial cell', 'milk fatty acid c18:2(n-6) content', 'length of intestine affected by colonic aganglionosis', 'serum anti-bovine type ii collagen antibody titer', 'plasma acetaminophen auc', 'calculated artery inner diameter', 'aorta morphology', 'milk fatty acid cis-12-c18:1 concentration', 'blood gas level', 'utricular macula morphology trait', 'aqueduct of sylvius morphology trait', 'biceps femoris muscle weight', 'blood cd45rchigh cd8 t cell', 'peripheral b lymphocyte anergy', 'excretion behavior', 'tibia cortical bone midshaft periosteal cross-sectional', 'blood got activity', 'volume of individual hepatic tumorous lesion', 'calculated plasma e. coli specific antibody', 'ethmoid sinus morphology', 'calculated blood acetaminophen level', 'lymphocyte anergy', 'percent tumorous foci area in liver', 'kidney cell quantity', 'pancreatic beta cell morphology', 'heart elastic fiber morphology trait', 'renal medulla protein', 'interferon amount', 'sensorimotor gating', 'glomerular capillary hydraulic pressure', 'calculated serum acetaminophen', 'hind leg', 'egg shell yellowness', 'chemokine level', 'follicular b cell morphology', 'il-23p40 secretion', 'sarcoplasmic reticulum morphology', 'both lungs dry', 'calculated blood insulin level', 'circulating il5', 'hsv encephalitis latency', 'lip', 'alpha-linolenic acid', 'glycogenolysis', 'lung vascular morphology trait', 'limb development trait', 'dermis thickness', 'milk fatty acid trans-13/14-c18:1 content', 'tlr2 amount', 'pancreas/salivary gland morphology', 'platelet adhesion', 'serum ethanol level', 'equilibrioception system', 'milk omega-6', 'cardiac muscle relaxation', 'tendon', 'palate depth', 'comb morphology trait', 'milk fatty acid cis-9-c16', 'milk fatty acid cis-12,trans-14-c18:2 percentage', 'shoulder mass trait', 'tnfa level', 'experimental autoimmune neuritis incidence/prevalence measurement', 'femoral neck cortical cross-sectional', 'galt', 'renal tubule morphology', 'cardiomyocyte number', 'circulating interleukin-18 concentration', 'granulocyte count to total wbc count ratio', 'both seminal vesicles wet', 'calculated uterus', 'proventriculus morphology trait', 'gonadotropin-releasing hormone secretion', 'both ears average of tympanic cavity epithelium depth', 'omasum volume', 'conjunctival blood vessel morphology', 'of the lesioned side motor neuron', 'frequency of pancreatic islet insulin release oscillations', 'calculated food energy intake measurement', 'milk fatty acid c7:0 concentration', 'wool trait', 'vestibular hair cell stereocilia size trait', 'efferent arteriolar resistance', 'mature b cell morphology trait', 'maximum rate of positive change in left ventricular blood pressure to left ventricular end-diastolic volume ratio', 'uterus development trait', 'vascular morphology', 'serum dehydroepiandrosterone', 'femur midshaft cross-sectional area', 'neuronal golgi apparatus area to neuronal cytoplasm area ratio', 'tactition trait', 'vasoconstrictor-induced blood vessel contractile force expressed as percent of force at baseline', 'primary muscle spindle size trait', 'brachial lymph node size', 'blood triiodothyronine', 'vas deferens', 'inguinal lymph node wet', 'immunoglobulin measurement', 'thorax development', 'cardiac myocyte diameter', 'gpt activity', 'complement alternative pathway function', 'cerebellum posterior vermis', 'gamma-delta t cell development', 'number of nucleated cells per kidney glomerulus', 'blood cd4(+) lymphocyte count', 'percentage of study population developing stomach tumors during a period of time', 'meat arachidic acid content', 'single feeding food intake', 'blood superoxide dismutase', 'helper t lymphocyte type 1 cell number', 'white blood cell proliferation measurement', 'liver/biliary morphological measurement', 'benign colorectal neoplasm', 'calculated femoral neck cross-sectional area', 'balance measurement', 'milk arachidic acid percentage', 'ventral thalamus', 'rt6.1+ t cell', 'neutrophil physiology', 'percent change in mean arterial blood pressure', 'orbitosphenoid bone morphology', 'pns synaptic transmission trait', 'total number of offspring', 'hematuria incidence/prevalence measurement', 'eosinophil chemotaxis', 'hippocampal neuron morphology trait', 'mesangial cell morphology trait', 'diabetes mellitus prevalence', 'long bone metaphysis', 'trabecular volumetric bone mineral density', 'blood troponin t', 'cd8+ t cell development', 'inner ear canal morphology trait', 'slow-slope measurement of drug-induced contraction', 'barrel cortex morphology', 'neurocranium size trait', 'cochlear inner hair cell afferent innervation pattern trait', 'vestibular hair cell stereocilia', 'nitric oxide', 'nmda-mediated synaptic current', 'blood cst3 level', 'blood glycosylated hemoglobin level', 'facial motor nucleus size', 'tibia cortical bone volume to tibia total bone volume ratio', 'serum igg subclass', 'fornicate gyrus morphology trait', 'gamma-delta t lymphocyte number', 'heart enzyme activity level', 'defensive burying measurement', 'foot diagonal', 'lamellar bone', 'duration of grooming in an experimental apparatus', 'milk zinc', 'spiral limbus', 'thymus subcapsular epithelium morphology', 'common lymphocyte progenitor cell', 't cell morphology trait', 'calculated blood albumin level', 'endolymphatic potential', 'auditory vesicle morphology', 'nerve fiber response intensity', 'strength', 'fibula morphology', 'adipose oleic acid', 'right ventricular cell size trait', 'rib eye', 'lean tissue morphological measurement', 'meat fatty acid c18:0 concentration', 'urine enzyme level', 'scapula bone cell', 'calculated artery neointimal hyperplastic lesion area', 'alt activity level', 'cd4-negative, cd8-negative, alpha-beta intraepithelial t cell morphology', 'meat myoglobin concentration', 'axon morphology', 'total kidney area', 'serum gpx activity level', 'endometrial adenocarcinoma incidence', 'neuron rough endoplasmic reticulum', 'immature b-cell morphology trait', "cowper's gland wet", 'supplementary motor/speech area morphology', 'placenta morphology', 'ratio of insulin-positive cell area to total area of splenic region of pancreas', 'testis integrity trait', 'epidermis thickness', 'ohc electromotility', 'uterine horn mass', 'metencephalon', 'channel response trait', 'comb shape trait', 'blood glycohemoglobin', 'blood vessel smooth muscle contractility', 'anterior prostate', 'kidney-specific lymphocyte radioactive tracer measurement', 'hepatic mineral', 'colonic aganglionosis prevalence', 'renal tubule number', 'serum afp level', 'abdominal fat pad morphology trait', 'long bone', 'hypertrophic chondrocyte zone thickness', 'immune system morphology', 'blood vessel stenosis measurement', 'plasma dehydroepiandrosterone level', 'retinal cone cell morphology', 'brain type i spike-wave activity frequency', 'trigeminal v mesencephalic nucleus size', 'calculated kidney vascular resistance', 'kidney crescentic glomeruli', 'length', 'greasy fleece', 'both lungs wet weight as percentage of body', 'thymocyte morphology', 'femur midshaft area', 'bronchoconstriction', 'renal', 'pulmonary arterial systolic blood pressure', 'langerhans cell physiology trait', 'self harm severity', 'internal acoustic meatus morphology', 'tibia/fibula cross-sectional', 'hassal body morphology trait', 'external lymph node', 'blood interleukin-5', 'calculated brain weight', 'hair follicle orientation trait', 'type ii vestibular cell morphology trait', 'milk kappa-casein content', 'brainstem morphology', 'bone area moment of inertia', 'calculated lymph gland', 'integumentary system development', 'facial motor nucleus morphology', 'cerebellar granule neuron', 'fetal growth trait', 'heart left ventricle atrial natriuretic factor level', 'blood cd25(+) lymphocyte count', 'malignant hepatocellular carcinoma incidence/prevalence measurement', 'efferent colloid osmotic pressure', 'serum paracetamol', 'left renal fat pad weight', 'metacarpal bone number', 'heart left ventricle insulin-like growth factor 1 mrna level', 'superior semicircular canal', 'tongue lesion measurement', 'corpora lutea morphology', 'cochlear ihc afferent innervation', 'common lymphoid progenitor morphology trait', 'hippocampus pyramidal neuron morphology trait', 'glomerular capillaries morphology trait', 'retinol metabolism trait', 'urinary system', 'brown adipose tissue amount', 'trochlear nerve', 'milk fatty acid trans-8,trans-10-c18:2', 'cecum mass', 'nipple diameter', 'uterine horn length', 'intestine', 'thymus cortex area', 'skeletal muscle mechanoreceptor morphology', 'glutathione reductase activity', 'non-specified leukocyte count to total leukocyte count ratio', 'pharyngotympanic tube morphology trait', 'intestinal adult trichinella spiralis', 'igg1 level', 'blood insulin', 'experimental allergic encephalomyelitis incidence', 'interleukin-4 secretion', 'plasma growth hormone level', 'femur biomechanical', 'intramuscular adipocyte count', 'heart ventricle papillary muscle morphology', 'lung ace2 activity level', 'ana level', 'hair follicle organization', 'neurocranium mass', 'artery integrity trait', 'urinary system development trait', 'pancreatic alpha cell', 'periocular mesenchyme morphology trait', 'meat myoglobin', 'oestrous cycle', 'tympanic cavity epithelium', 'tissue peptide hormone composition', 'meat fatty acid cis-11-c18', 'left ventricular', 'number of periods of voluntary immobility', 'l5 drg morphology trait', 'vomeronasal organ morphology', 'serum androstenedione level', 'lymph vessel physiology trait', 'dressed carcass', 'uterus ribonucleic acid composition measurement', 'cerebellar purkinje cell layer morphology', 'egg shell', 'enamel thickness', 'red blood cell size', 'head size', "e wave velocity to e' wave velocity ratio", 'interscapular fat depot morphology trait', 'liver morphological measurement', 'blood vessel diameter', 'beak', 'self mutilation', 'heart left ventricle molecular composition trait', 'retinal vascular', 'blood band neutrophil count', 'blood ethanol clearance rate', 'anterior horn morphology', 'retinal cone bipolar cell morphology trait', 't-cell lymphoma prevalence', 'cd4+cd8+ t cell count', 'thoracic cavity', 'serum anti-porcine type 2 collagen antibody titer', 'spleen b-cell corona morphology', 'calculated drink calorie intake measurement', 'milk brown flavor intensity', 'alveolar process morphology trait', 't cell morphology', 'molar morphology', 'whole pancreas protein/peptide composition measurement', 'olfactory lobe morphology trait', 'oropharynx morphology trait', 'spleen gc', 'dermatome morphology trait', 'ifn-alpha secretion', 'seminal vesicle wet weight', 'total plasma bilirubin level', 'adipose fatty acid', 'gamma-delta t cell differentiation', 'colostrum somatic cell quantity', 'p40 t-cell growth factor secretion', 'milk fatty acid cis-9,trans-12-c18:2', 'milk fatty acid trans-6-8-c18:1 content', 'age of puberty', 'hemostasis trait', 'hair-down neuron morphology', 'brown adipose tissue morphology', 'dn3 alpha-beta immature t lymphocyte number', 'heart ventral wall', 'neonatal death of offspring shortly after birth', 'cochlear hair cell morphology trait', 'cardiomyocyte width', 'organ of corti supporting cell', 'post-insult time to onset of ean', 'milk stearic acid concentration', 'th1 cell number', 'platelet morphology trait', 'muller duct morphology', 'brain spike-wave activity amplitude', 'adipose protein amount', 'incisor bone morphology trait', 'primitive node', 'mammary gland morphological', 'unilateral renal agenesis incidence', 'becrr', 'pituitary gland hyperplasia measurement', 'uterus measurement', 'vertebrae morphological', 'nk t lymphocyte', 'plasma nh2-terminal pro-b-type natriuretic peptide', 'percentage of study population developing hepatic tumors during a period of time', 'effective renal plasma flow', 'liver parenchymal degeneration prevalence', 'polymorphonuclear leukocyte', 'b-1a b cell quantity', 'self mutilation severity score', 't-cell growth factor secretion', 'the area occupied by cysts', 't-associated plasma cells cell number', 'palpebral glands size', 'femur width', 'calculated hirschsprung disease severity measurement', 'plasma anti-toxoplasma antibody level', 'plasma noradrenaline level', 'omasum morphology', 'relapsing-remitting eae incidence', 'fat physiology', 'milk fatty acid', 'stratum papillare corii', 'myocardium physiology trait', 'calculated testis', 'helper t cell type 1 cell number', 'white fat morphology trait', 'blood mineral amount', 'intestinal trypsin', 'fdc network morphology', 'transitional stage t1 b cell quantity', 'total femoral neck cross-sectional area', 'body weight of newly born offspring', 'mammary gland cistern morphology trait', 'pulmonary endothelial cell surface area', 'serum anti-single-stranded dna antibody titer', 'cerebrovascular lesions incidence', 'lymph gland wet weight to body weight ratio', 'auditory hair cell morphology', 'paries vestibularis ductus cochlearis morphology trait', 'limb development', 'blood prolactin level', 'spiral organ morphology', 'abdominal fat depot', 'ratio of subjects with ankylosis to total subjects with arthritis', 'splenic mononuclear cell count', 'blood-brain barrier', 'scotopic response', 'hypothalamus norepinephrine', 'femoral cross-section area', 'muscle nerve fiber quantity', 'tail', 'conspecific interaction trait', 'circulating mgi-2 level', 'experimental autoimmune uveitis severity', 'plasma alpha-1-acid glycoprotein level', 'respiratory mechanics trait', 'milk cis-8,11,14-eicosatrienoic acid content', 'cerebrospinal fluid chloride', 'autopod', 'single kidney wet weight as percentage of body weight', 'offspring measurement', 'gmg cell morphology trait', 'neurohypophysis morphology trait', 'plasma alpha-fetoprotein amount', 'cerebellum vermis morphology', 'lateral ganglionic eminence', 'colostrum igg', 'spontaneous abortion trait', 'sphenofrontal suture', 'subpallium development trait', 'aortic arch morphology trait', 'kidney gsh', 'kcl half maximal effective concentration (ec50)', 'fimbra hippocampus morphology', 'sympathetic nerve fiber organization trait', 'laryngeal mucosa goblet cell morphology', 'single kidney wet', 'percentage of study population displaying cerebrovascular lesions at a point in time', 'plasma ck activity', 'milk ammonia content', 'circulating alpha-interferon level', 'scala tympani', 'milk margaric acid content', 'low density lipoprotein cholesterol', 'single positive t cell morphology', 'adipocyte quantity', 'areola morphology trait', 'serum tc', 'rump)', 'interneuron', 'liver fibrotic lesion size', 'iliac artery morphology', 'calculated lv-ivrt', 'blood alcohol level at loss of balance/traction', 'stroke index', 'wing', 'carbohydrate absorption trait', 'spleen primary b follicle morphology trait', 'neutrophil leucocyte', 'ham bone-to-muscle', 'posterior column morphology', 'uveitis severity measurement', 'wrist bone morphology', 'frontal sinus morphology trait', 'liver fibrosis area measurement', 'lacrimal gland cholinergic nerve fiber organization trait', 'calculated both kidneys', 'spiral limbus morphology trait', 'blood interleukin-13', 'total area of pancreas head region', 'cancellous bone cross-sectional', 'hippocampal fimbria morphology', 'diabetes mellitus type i prevalence', 'feed conversion', 'suprarenal gland morphological measurement', 'sex gland physiology trait', 'lymph node medulla morphology', 'leg percentage', 'tender', 'the pressure-flow relationship', 'intervertebral cartilage morphology', 'pancreatic islet insulin release measurement', 'vibrissae morphology trait', 'tibial total bone volume', 'number of prompted entries into a discrete space in an experimental apparatus', 'mullerian duct morphology trait', 'circulating eosinophil-mast cell growth-factor', 'plasma immunoglobulin g level', 'respiratory passage morphology trait', 'schwann cell morphology', 'milk fatty acid cis-13-c18:1 percentage', 'pubic bone', 'beta-actin protein', 'absolute change in serum insulin', 'blood glutathione level', 'milk fatty acid c4:0', 'back-front patterning', 'dendritic cell development trait', 'vertebral body/neural arch fusion', 'pituitary gland dry', 'mammary fat depot morphology', 'ratio of the count of inflammatory cell-infiltrated pancreatic islets with b cell pathology to the total pancreatic islet', 'cardiac non-esterified fatty acid', 'vallate papillae morphology', 'atrioventricular cushion size', 'hypophysis measurement', 'calculated daily spermatozoa', 'milk thrombospondin receptor content', 'pedicle', 'spleen b cell follicle', 'proprioception system trait', 'kidney malondialdehyde', 'milk rumenic acid percentage', 'aorta wall thickness', 'logarithm of the intestinal adult trichinella spiralis', 'myeloid dendritic cell morphology trait', 'spinal cord rat mhc class ii rt1-b mrna', 'corpus callosum size', 'single ovary wet', 'sphenoid bone morphology', 'nose to rump bmi', 'oxygen saturation', 'viscerocranium morphology', 'waist/hip', 'dense bone', 'ean onset/diagnosis', 'epicardium morphology', 'deltoid eminence', 'skeletal muscle', 'central nervous system integrity', 'intestine trypsin', 'tracheal smooth muscle morphology', 'cd4+ t-cell morphology trait', 'plasma anti-porcine type ii collagen antibody', 'liver plant sterol and stanol level', 'muscle androstenone', 'plasmacytoid t cell morphology', 'uterus dry', 'transitional two stage b lymphocyte morphology trait', 'milk cholesterol ester content', 'bone marrow cavity morphology', 'kidney medulla', 'pancreatic islet insulin', 'milk trans-6/8=octadecenoic acid', 'hind leg weight', 'myeloblast morphology', 'blood peptidyl-dipeptidase a activity', 'epididymides weight', 'penis morphology trait', 'meat fatty acid c14:0', 'limbus laminae spiralis osseae morphology trait', 'cochlear hair bundle horizontal top connectors', 'intestine development trait', 'neuron rough endoplasmic reticulum area to neuron cytoplasm area ratio', 'cytotoxic t cell', 'cerebellum physiology', 'dorsal root ganglion organization', 'heart left ventricle dry weight', 'blood vessel elastic tissue morphology trait', 'non-specified leukocyte percentage', 'olfactory discrimination memory', 'intercapillary cell morphology', 'tibia-fibula cortical bone periosteal cross-sectional', 'serum anti-rat type ii collagen autoantibody', 'phalanx morphology trait', 'polynuclear neutrophilic leucocyte physiology', 'lymph node-specific lymphocyte radioactive tracer', 'milk lactoferrin content', 'macrophage cell number', 'calculated pituitary gland morphological measurement', 'b cell proliferation trait', 'calculated artery diameter', 'plasma cell number', 'respiratory system measurement', 'organ measurement', 'adrenergic system morphology trait', 'complement classical pathway physiology', 'pro-b cell development', 'right lung weight/left lung weight', 'serum glutamate dehydrogenase activity level', 'absolute change in right rear ankle joint diameter', 'maximal volume ventilation (mvv)', 'area of prostate occupied by tumorous lesions as percentage of total prostate area', 'ischial bone morphology trait', 'milk fatty acid trans-4-c18:1 concentration', 'mononuclear cell', 'nest-building behavior', 'purkinje cell innervation pattern', 'nkt cell count', 'fiber type 1', 'cochlear tuning', 'humerus curvature trait', 'milk fatty acid c20:4 n-6 percentage', 'plasma total protein', 'lung size', 'daily sperm', 'curd firming rate', 'percentage of study population displaying endometrioid carcinoma at a point in time', 'single islet of langerhans', "e' wave velocity", 'natural killer cell stimulatory factor secretion', 'hippocampus neuron', 'blood b lymphocyte', 'binetrakin secretion', 'milk lactoferrin concentration', 'intramuscular adipose weight as percent of body', 'number of fat cells per cubic cm of muscle', 'number of live embryos per gestation', "hirschsprung's disease severity measurement", 'adipocyte incremental nefa secretion', 'right ventricular morphology trait', 'blood ldl triglyceride amount', 'granule cell morphology trait', 'relative change in food intake', 'pituitary tumor measurement', 'heart morphological', 'receptor-independent blood vessel maximum contractile force', 'lateral ventricle morphology', 'liver damage severity', 'heart infarction', 'milk saturated fatty acid percentage', 'heart left ventricle ribonucleic acid', 'milk beta-carotene amount', 'blood chloride', 'bone marrow cavity morphology trait', 'heart left ventricle natriuretic peptide a level', 'naive b cell morphology', 'wound healing', 'arterial wall measurement', 'hemolymphatic system morphology trait', 'onset of ear elevation', 'blood high density lipoprotein cholesterol', 'chemokine secretion trait', 'aspartate transaminase', 'kidney cortical adrenomedullin level', 'retinal cone bipolar cell morphology', 'calculated heart end-systolic intraventricular wall', 't cell receptor delta chain v(d)j rearrangement', 'blood interferon level', 'eye moisture', 'milk beta carotene content', 'bony labyrinth morphology trait', 'splenic primary b cell', 'calculated blood cd4 cell', 'blood phospholipid amount', 'b cell activation', 'right ventricular isovolumetric relaxation time', 'number of otoliths', 'eae severity measurement', 'plasma e. coli specific antibody level', 'pectoralis minor weight', 'secondary neuromuscular spindle morphology trait', 'muscular system development', 'live spermatozoa percent', 'lcf factor secretion', 'aortic wall elastin dry weight to aortic wall collagen weight ratio', 'adipose fatty acid c16:0 content', 'the area occupied by protein casts', 'individual right kidney wet', 'plasma chylomicron cholesterol level', 'stomach capacity', 'blood cd25 lymphocyte count', 'plasma total immunoglobulin e level', 'interventricular sulcus morphology', 'tympanic membrane morphology', "cowper's gland ductal cell number", 'duddell membrane morphology trait', 'osseous labyrinth morphology trait', 'vascular endothelium', 'proximal-distal axis patterning trait', 'residual lung volume', 'jowl weight', 'single testis volume', 'otolithic membrane morphology', 'trophoblast giant cell', 'total pancreatic islet', 'udder depth', 'blood epinephrine level', 'amina limitans posterior corneae morphology trait', 'ratio of the count of inflammatory cell-infiltrated pancreatic islets without b cell pathology to the total pancreatic islet', 'femoral fat depot morphology trait', 'st slope', 'liver pigmentation trait', 'sodium nitroprusside half maximal effective concentration (ec50)', 'blood gd activity', 'calculated intramuscular fat weight', 'cervical spinal cord dihyroxyphenylacetic acid (dopac) amount', 'circulating il-10 level', 'blood ace activity level', 'vomer bone morphology', 'heart left ventricle end-systolic internal diameter index', 'comb size', 'heart right ventricle weight to body weight ratio', 'hyoid bone morphology', 'nervous system tumor', 'bone polar moment of inertia to body weight ratio', 'fat cell morphological', 'sensory neuron morphology trait', 'blood hdl particle size', 'urine sorbital dehydrogenase amount', 'heart ribonucleic acid amount', 'gizzard', 'paraoxonase1 activity', 'fin regeneration', 'spleen white pulp morphology trait', 'thrombocyte morphology', 'mammary gland morphology', 'urine hemoglobin level', 'calculated tibial bone volume', 'lung angiotensin i converting enzyme activity level', 'skin adnexa development', 'blood cd4(+) lymphocyte count to total lymphocyte count ratio', 'spinal cord mhc class ii protein measurement', 'epidermis stratum corneum morphology', 'heart ventricle septum thickness', 'circulating natural killer cell stimulatory factor', 'milk cis-9-eicosenoic acid', 'calculated vocalization measurement', 'plasmacytoid dendritic cell morphology trait', 'spleen weight as percentage of body', 'drink intake weight', 'absolute circadian change in systolic blood pressure', 'milk fatty acid cis-12-c18:1 percentage', 'naive b cell number', 'circulating il-23p19 level', 'glucose absorption trait', 'testes cell quantity', 'sodium nitroprusside response/sensitivity', 'pituitary gland tumorous lesion', 'ppf', 'neural crest cell development', 'perinatal loss of fetus as percentage of total litter', 'hepatic tumorous lesion size', 'myocardial physiology', 'schwann cell quantity', 'secondary somatosensory cortex', 'single ovary wet weight', 'one seminal vesicle wet weight', 'distance run on treadmill', 'immune serum protein level', 'liver weight to tibia length ratio', 'both testes dry', 'calculated neuronal lysosome area', 'plasma hdl-c', 'cerebellum morphology', 'plasma orm1 level', 'lumbar vertebra length', 'renal fat pad volume', 'vertebra length', 'total horizontal distance covered resulting from voluntary locomotion in proximity to the target in an experimental apparatus', 'milk cardboard flavor intensity', 'brain integrity trait', 'milk fatty acid cis-9-c20', 'external germinal layer', 'circulating il-1alpha level', 'amnion morphology', 'splenic marginal sinus morphology', 'hepatocyte organization trait', 'intake volume of ethanol', 'meat docosapentaenoic acid', 'methylenedioxymethamphetamine trait', 'comb length', 'benign liver tumor count', 'efferent lymphatic vessel', 'mesenteric artery phosphylated enos protein level to total enos protein level ratio', 'pressoreceptor morphology trait', 'milk alpha-s1-casein amount', 'red blood cell physiology trait', 'mv co', 'forebrain epinephrine', 'serum carboxyhaemoglobin level', 'connective tissue physiology trait', 'milk polyphenol content', 'ear physiology', 'gustatory papillae morphology trait', 'serum anti-rat type 2 collagen autoantibody level', 'palmitic acid', 'kidney glomerulosclerotic lesion count', 'embryonic cell/tissue morphology trait', 'cd4-, cd8-, alpha-beta intraepithelial t cell morphology trait', 'end-diastolic heart left ventricle posterior wall thickness', 'splenic periarteriolar lymphoid sheath morphology trait', 'plasma parathyroid hormone', 'femur size', 'umami taste sensitivity', 'opening time', 'brain sterol', 'blood cd45rc cd4 t cell count', 'blood o2 amount', 'percentage of study population developing anorectal malformation during a period of time', 'axial skeleton cell', 'total wbc', 'kidney enzyme activity measurement', 'calculated weight of islet beta cells in the head region of pancreas', 'cd8-positive t cell differentiation', 'cochlear outer hair cell morphology trait', 'longissimus thoracis area', 'hirschsprung disease incidence/prevalence measurement', 'cd45r+ thymocyte count', 'basal ganglion', 'trophectoderm morphology', 'smooth muscle physiology', 'functional teat', 'circulating p40 t-cell growth factor', 'skin potassium amount', 'cn-xi morphology', 'helper t-cell type 1 cell differentiation', 'auditory hair cell morphology trait', 'frontal bone', 'serum vasopressin', 'milk triacylglycerol content', 'pituitary gland tumorous lesion incidence/prevalence measurement', 'so/ai measurement', 't1d prevalence', 'immune response', 'red blood cell size trait', 'tibio-fibular complex cortical bone total cross-sectional', 'saccular spot morphology', 'absolute change in adipocyte free fatty acid release', 'superovulation/artificial insemination measurement', 'forebrain hva', 'lambdoid suture morphology', 'dermal layer morphology trait', 'heart molecular composition measurement', 'kidney protein carbonyl', 'milk mucin 1 concentration', 'brain commissure', 'urine sodium level to urine potassium level ratio', 'lge morphology trait', 'both adrenal glands wet weight', 'area of liver occupied by tumorous lesions as percentage of total liver', 'sarcoplasmic reticulum morphology trait', 't-lymphocyte apoptosis', 'single adrenal gland weight to body weight ratio', 'vestibular hair cell', 'corpus epididymis', 'limb number', 'intestine mass', 'meat 7-octadecenoic acid', 'fat cell circumference', 'artery measurement', 'vertebra total cross-sectional area', 'cranial ganglion morphology', 't lymphocyte morphology', 'onset of heart contraction', 'ca5(oh)(po4)3 content', 'prostate gland integrity', 'supplementary motor/speech area morphology trait', 'r-eae incidence/prevalence measurement', 'milk mucin 1 amount', 'transitional stage b cell', 'liver hyperemia incidence/prevalence measurement', 'skeletal muscle morphological measurement', 'hair retention trait', 'logarithm of the', 'skin k+ level', 'trochlear nerve morphology trait', 'circulating t-cell stimulating factor level', 'serum alcohol', 'labyrinthus cochlearis morphology', 'liver gsh level', 'muscle fatty acid trans-11-c18:1', 'testes morphology trait', 'cardiac septum', 'lingual tonsillar tissue morphology trait', 'body fat percentage, siri equation', 'blood retinol', 'lung dry weight', 'protein', 'interleukin physiology trait', 'tubal tonsil', 'arthritis onset/diagnosis measurement', 'ctl physiology trait', 'crypt of lieberkuhn morphology', 'homotypical cortex morphology trait', 'blood circulation', 'blood aldosterone level', 'calculated spermatozoa count', 'defecation measurement', 'afferent lymphatic vessel morphology trait', 'regional blood flow trait', 'central nervous system glia morphology trait', 'splenic', 'temporal muscle', 'milk fatty acid cis-11-c18', 'calculated urine protein level', 'heart weight to body weight ratio', 'secondary bone resorption', 'circulating il-23a', 'cd4-negative, cd8-negative, alpha-beta intraepithelial t lymphocyte morphology', 'serum total igm', 'heart tube looping morphogenesis trait', 'mitral e/a wave ratio', 'log(lesioned side motor neuron count/non-lesioned side count)', 'hair cell mechanoelectric transduction', 'malar arch morphology', 'parasympathetic ganglia', 'fat body morphology', 'axial mesoderm development', 'body fat volume', 'gamma-delta t cell', 'calculated vascular smooth muscle cell count', 'epidermis stratum spinosum cell quantity', 'tarsometatarsus diameter', 'shoulder weight', 'lh secretion trait', 'left testis wet', 'heart effluent ldh activity level', 'brain epinephrine', 'ethanol drink intake rate to body weight ratio', 'muscle rna composition measurement', 'retinal layer morphology trait', 'vestibular hair cell stereocilia morphology', 'plasma creatinine measurement', 'cytotoxic t lymphocyte physiology', 'infection onset/diagnosis', 'motor neuron innervation pattern', 'long bone diaphysis morphology', 'meat stiffening', 'cd4+ t cell differentiation', 'saccharin drink intake rate to body weight ratio', 'frontal process of maxilla morphology', 'granulated metrial gland cell number', 'ang2 log half maximal effective', 'blood gamma-gt', 'mammary areola/papilla number', 'brain electrophysiology', 'secondary muscle spindle morphology', 'adrenal gland morphology trait', 'iron homeostasis', 'plasmacytoid t cell number', 'cornea/lens', 'pericardial fat pad', 'saccharin drink intake volume', 'male reproductive organ morphological measurement', 'both testes wet weight', 'splenocyte morphology', 'subcutaneous fat', 'plasma free glycerol', 'amina limitans posterior corneae', 'fornicate gyrus', 'placental transport trait', 'plasma thyroxine', 'artery', 'b-1b b-cell', 'blood cd3(+) cell count', 'percent area of renal protein casting', 'lens development trait', 'midbrain development', 'preload recruitable left ventricle stroke work', 'cardiac size', 'osteophage cell', 'hdl cholesterol', 'spinal cord', 'extraocular muscle morphology', 'ahp', 'milk omega-3 fatty acid measurement', 'medullary cavity development trait', 'mesangial injury score', 'coccygeal vertebra morphology trait', 'milk dairy sweet flavor intensity', 'onset of endochondral osteogenesis', 'heart right ventricle deoxyribonucleic acid', 'single adrenal gland wet', 'stimulated rsna', 'tooth development trait', 'adipocyte basal radioactive glucose uptake', 'great vessel orientation', 'ham muscle percentage', 'galt morphology', 'calculated liver tumorous lesion area measurement', 'type iii spiral ligament fibrocyte', 'forestomach volume', 'abnormal sperm count', 'breast trait (poultry)', 'natural killer t-cell', 'skeletal myogenesis initiation trait', 'parathyroid gland size trait', 'mammary gland progenitor cell', 'total saccharin and water intake volume', 'serum ldl level', 'jejunum length', 'secretion by adrenal gland', 'schwann cell', 'neocortex morphology', 'lumbar vertebra size trait', 'aortic size trait', 'germinal center b cell quantity', 'spinal cord molecular composition measurement', 'blood t(s/c) cell', 'mucous gland morphology trait', 'lamina vitrea', 'hepatic tumorous lesion number', 'serum alpha-1-acid glycoprotein level', 'experimental allergic neuritis severity score', 'plasma epinephrine level', 'blood adrenocorticotropic hormone level (acth)', 'body movement coordination trait', 'absolute change in partial pressure of blood carbon dioxide', 'cochlear nerve compound action potential', 'peak aortic blood flow velocity', 'eggshell thickness, fowl', 'superior vagus ganglion morphology trait', 'circulating p-cell stimulating factor', 'latency of induced type 2 diabetes mellitus', 'midbrain/pons norepinephrine', 'naive b cell', 'embryonic hematopoiesis', 'heart left ventricle dry', 'humerus bone mineral density', 'blood apolipoprotein ai to apolipoprotein b ratio', 'mechanoreceptor', 'circulating free fatty acids content', 'plasma anti-rat type 2 collagen autoantibody titer', 'heart intraventricular septum end-systolic', 'liver molecular composition trait', 'third ventricle size trait', 'milk fatty acid trans-9,trans-12-c18', 'normoblast morphology trait', 'tunica propria corii morphology', 'classical complement cascade', 'myocardial morphology', 'spinal cord ox6 level', 'olfactory bulb development trait', 'plasma anti-dsdna antibody titer', 't helper 2 morphology trait', 'calculated kidney non-tumorous lesion measurement', 'bisphenol a in fructose drink intake rate', 'chest depth', 'prostate gland morphological', 'quinine drink intake volume', 'cecum morphology trait', 'sinus venosus sclerae morphology trait', 'circulating alkaline phosphatase', 'circulating leptin level', 'egg weight', 'longissimus thoracis weight', 'neuron', 'reproductive system', 'peak of aortic outflow velocity (pav)', 'milk secretion', 'serum lactate level', 'milk fatty acid cis-9,cis-11-c18:2 concentration', 'body temperature regulation trait', 'individual kidney wet weight as percentage of body', 'brain dihydroxyphenylacetic acid (dopac) amount', 'cranial vault morphology trait', 'cochlear inner hair cell morphology', 'rumen papillae', 'teat', 'innate immunity', 'musculus papillaris morphology trait', 'heart effluent lactate dehydrogenase activity level', 'inferior olivary complex morphology trait', 'end-diastolic heart left ventricle posterior wall', 'intercapillary cell morphology trait', 'calculated pulmonary vascular resistance normalized to body', 'nk t-lymphocyte number', 'ethmoid sinus morphology trait', 'appendage development', 'pericardial fat pad mass', 't-helper 1 physiology trait', 'thymocyte stimulating factor secretion', 'total area occupied by pancreatic islets', 'l4 dorsal root ganglion morphology trait', 'musty/dusty flavor intensity in milk', 'rod neutrophil', 'percentage of study population displaying diabetes mellitus at a point in time', 'artery tunica media width to artery inner diameter ratio', 'mitogen-stimulated white blood cell radioactive nucleoside incorporation', 'spleen capsule morphology trait', 'cochlear neuroepithelium', 'spiral ligament fibrocyte', 'ovarian hyperstimulation/artificial insemination', 'tooth number', 'liver nucleic acid measurement', 'milk dry matter', 'somite development trait', 'well differentiated malignant colorectal neoplasm', 'absolute change in adipocyte non-esterified fatty acid secretion', 'helper t cell type 2 cell differentiation', 'gonadal fat pad mass', 'milk fat composition trait', 'mature gamma-delta t-cell number', 'milk lactose content', 'circulating multipotential colony-stimulating factor level', 'calculated pancreatic total protein', 'pharyngeal pouch morphology trait', 'osteogenesis', 'outer ear morphology', 'liver beta-sitosterol level', 'logarithm of the total number of h. influenzae cfu in effusion plus wash', 'olfactory neuron morphology', 'hypothalamus corticotropin-releasing hormone secretion', 'retinal rod cell', "peyer's patch follicle morphology trait", 'facial motor nucleus', 'serum creatine kinase activity', 'serum immunoglobulin g', 'muller cell', 'adenoid', 'waist', 'blood glutamic-pyruvate transaminase activity', 'milk structure', 'content', 'milk palmitoleic acid', 'liver remodeling tumorous lesion volume', 'monocyte morphology trait', 'conjunctival vascular morphology', 'serum lipid level', 'head and neck integrity', 'plasma low density lipoprotein cholesterol level', 'osteoblast quantity', 'kidney ribonucleic acid amount', 'surface structure development trait', 'lymph node dry', 'axillary lymph node', 'blood morphology', 'blood dihydrotestosterone', 'b-1 b lymphocyte', 'polymorphonuclear leucocyte morphology trait', 'calculated heart left ventricle end-diastolic anterior wall thickness', 'total leukocyte count', 'atrioventricular canal morphology trait', 'meat fatty acid cis-9-c16', 'spleen weight as percentage of body weight', 'blood got activity level', 'circulating cytotoxic lymphocyte maturation factor', 'vestibular hair bundle inter-stereocilial link morphology trait', 'ilium morphology', 'trigeminal v mesencephalic nucleus morphology', 'milk hormone', 'well differentiated malignant colorectal tumor incidence', 'serum level of immunoglobulin g3', 'lamina basalis choroidae morphology', 'milk fatty acid cis-15-c18:1 percentage', 'ovary cell quantity', 'aqueous vein morphology', 'limbic lobe morphology', 'nkt cell physiology', 'calculated milk protein content', 'distal convoluted tubule morphology', 'quadriceps morphology', 'reticulorumen volume', 'urine noradrenaline amount', 'vestibular hair cell stereociliary bundle morphology trait', 'growth measurement', 'aortic elastic fiber morphology trait', 'blood apoliprotein b', 'blood vitamin a', 'onset of diabetes mellitus', 'ileum morphology trait', 'hemolymphoid system physiology', 'muscle fatty acid c17:0 concentration', 'motile sperm percent', 'serum dopamine', 'heart left ventricle nppa', 'joint integrity trait', 'myotome morphology', 'blood interleukin-7 amount', 'b lymphocyte development trait', 'ovary weight', 'serum insulin', 'serum chylomicron cholesterol', 'regional blood pressure', 'myristic acid percentage', 'igg', 'blood anti-parasite antibody measurement', 'bone phosphorus', 'calculated middle ear morphological', 'deep cell', 'plasma got activity', 'cartilage cell morphology', 'adipose vaccenic acid concentration', 'renal morphology', 'milk technological', 'squamous cell carcinoma of the mouth measurement', 'circulating thymocyte stimulating factor', 'combined food plus drink energy intake level', 'habenula morphology trait', 'longissimus thoracis depth', 'spiral ganglion cell', 'pituitary gland hyperplasia incidence/prevalence measurement', 'interdigital webbing trait', 'milk lignoceric acid percentage', 'liver mineral measurement', 'serum idl-c', 'rod', 'immune cell', 'circulating ml-1 level', 'vestibular organ morphology', 'femur metaphysial anterior-posterior diameter', 'respiratory system', 'splenic germinal center size trait', 'preputial gland size trait', 'left ventricle', 'enteric neuron morphology', 'parasite length', 'cerebrospinal fluid mineral', 'mediofrontal suture morphology trait', 'total number of cfu in effusion plus wash', 'heart rv dna', 'kidney papilla morphology trait', 'plasma triglyceride', 'hippocampus pyramidal cell layer morphology trait', 'alpha-beta intraepithelial t cell morphology trait', 'drink calorie intake level', 'cd4+cd8+ t cell numbers', 'milk alpha-casein', 'parathyroid gland morphology trait', 'transverse process', 'ocular fundus morphology', 'heart left ventricle cell size', 'lung weight as percentage of body', 'plasma cortisol level', 'lymph node-specific lymphocyte tracer radioactivity level to kidney-specific lymphocyte tracer radioactivity level ratio', 'heart left ventricle integrity trait', 'myocardium compact layer', 'heart left ventricle nppa level', 'pro-b cell differentiation', 'reticulo-rumen capacity', 'trabecular bone morphology', 'pancreatic islet morphological', 'liver o-6-methylguanine-dna methyltransferase mrna level', 'liver total copper', 'onset of ear unfolding', 'thoracic aorta morphology', 'milk fatty acid c22:5(n-3)', 'circulating il-1 beta level', 'thoracic cavity morphology trait', 'calculated urine 3-methoxy-4-hydroxymandelic acid level', 'serum igg2a', 'neostriatum', 'plasma glutathione level', 'luteal cell differentiation trait', 'food calorie intake measurement', 'spleen trabecular artery morphology', 'embryonic-extraembryonic boundary morphology trait', 'cd4-positive, gamma-delta intraepithelial t lymphocyte morphology', 'membrana vestibularis ductus cochlearis morphology', 'acetylcholine log half maximal effective concentration (log ec50)', 'vagus nerve', 'motoneuron', 'renal glomerulosclerosis measurement', 'circulating sodium', 'blood sodium', 'fat cell diameter', 'the weight of a single adrenal gland', 'blood th2 cell', 'meat tetracosanoic acid', 'respiratory system development trait', 'tail bud size', 'offspring', 'kidney medullary adrenomedullin level', 'visceral adipose weight', 'logarithm of the total number of haemophilus influenzae bacterial colony forming units recovered', 'malignant colorectal tumor count', 'atrioventricular canal completeness', 'organ effluent', 'serum inorganic phosphate', 'calculated heart rate measurement', 'calculated milk casein', 'liver beta-sitosterol amount', 'hair cuticle', 'milk vitamin b 12 content', 'neuron lysosome measurement', 'the weight of the body', 'blood lymphocyte count to total leukocyte count ratio', 'lumen diameter at maximum dilation expressed as percent of baseline', 't1 stage b cell number', 'colorectal tumor incidence/prevalence measurement', 'calculated spinal cord anterior column area measurement', 'uterus morphology', 'milk magnesium concentration', 'tumor necrosis factor-alpha physiology', 'longissimus dorsi mass', 'heart right ventricle mass', 'brain integrity', 'proliferating cell nuclear antigen-positive cells', 'bacterial infection severity measurement', 'heart right ventricle ventral wall thickness', 'blood reduced glutathione', 'nasal concha morphology', 'gastrointestinal system', 'muscle fatty acid c16:0 concentration', 'small intestine morphology trait', 'calculated inflammatory exudate cell count', 'areal bmd', 'muscle zinc', 'gastric tumor incidence', 'immature b cell morphology', 'beta cell area as percentage of total islet of langerhans', 'retinal rod cell morphology trait', 'circulating lcf factor', 'circulating pth level', 'a different space', 'thigh muscle percentage', 'dendritic cell number', 'spinal cord size trait', 'hippocampus fimbria morphology trait', 'milk pentadecanoic acid amount', 'vertebra cross-sectional', 'milk saturated fatty acid amount', 'snff', 'blood inorganic phosphate', 'metopic suture morphology trait', 'heart left atrium capacity', 'airway reactivity measurement', 'trigeminal v mesencephalic nucleus morphology trait', 'kidney ribonucleic acid composition', 'dn3 alpha-beta immature t lymphocyte', 'kidney sympathetic nerve activity', 'lacrimal gland cholinergic innervation pattern trait', 'brain total type i spike-wave activity duration', 'blood luteinizing hormone', 'total wall area', 'embryonic hematopoiesis trait', 'sagittal suture morphology trait', 'long bone metaphysis morphology', 'thigh muscle mass', 'olfactory bulb development', 'blood ldl level', 'sperm development', 'hypothalamus physiology', 'milk fatty acid trans-9-c18:1 concentration', 'blood-cerebrospinal fluid barrier', 'calculated renal medulla protein composition', 'body fat percentage, lukaski equation', 'blood vessel dilation expressed', 'splenic b cell follicle', 'myeloid dendritic cell morphology', 'gamma-delta t lymphocyte differentiation', 'muscle indole amount', 'blood low density lipoprotein cholesterol amount', 'cervical opening size', 'germ cell migration', 'morphology trait of the basilar membrane of cochlear duct', 'dressed carcass muscle-to-bone', 'ovary cell number', 'serum level of crh', 'endocardium morphology', 'adrenal gland renin', 'intraepithelial t cell quantity', 'vagina', 'plasma glutamic-oxaloacetic transaminase activity', 'liver protein/peptide', 'sperm size trait', 'both adrenal glands weight', 'milk butyrophilin amount', 'maximum contractile force per wet weight of vessel', 'b cell progenitor', 'scrotum cell quantity', 'eosinophil quantity', 'milk fatty acid c16:0 concentration', 'cn-vi morphology trait', 'naive b cell morphology trait', 'glomerular capsule size', 'autoantibody', 'iliac bone', 't-cell receptor positive thymic lymphocyte count', 'hydronephrosis severity', 'rib development trait', 'blood oxygen', 'musty/earthy flavor intensity in milk', 'eosinocyte physiology', 'medulla oblongata dopamine amount', 'mesenteric fat pad morphology', 'muscle fatty acid c16:0', 'zone of proliferating cartilage morphology trait', 'neural plate morphology', 'meat temperature', 'tooth strength', 'hypaxial muscle morphology trait', 'amniotic fluid', 'cerebral infarction volume', 'scapula cell number', 'hepatic cholesterol', "bowman's capsule morphology", 'milk muc1 content', 'exoccipital bone morphology trait', 'circulating interferon-gamma inducing factor', 'absolute change in packed cell volume', 'double-negative t cell count', 'blood acetaminofen level area under curve', 'ratio of change in body weight to final total body', 'reissner membrane morphology trait', 'calculated apoptotic body measurement', 'lumbar vertebra trabecular cross-sectional area', 'harderian gland', 'l4 dorsal root ganglion', 'urine 3-methoxy-4-hydroxymandelic acid', 'myocardial trabeculae morphology', 'graafian follicle quantity', 'svz morphology', 'area', 'left ventricular morphology', 'calculated femur midshaft cross-sectional area', 'amount of time spent in freeze behavior', 'a reference value', 'percentage of study population developing experimental allergic encephalomyelitis during a period of time', 'coronal suture morphology', 'cochlea size trait', 'double positive t cell morphology', 'left-right axis somite development trait', 'circulating il-5', 'umbilical cord morphology trait', 'milk palmitoleic to palmitic acid ratio', 'milk fatty acid trans-9,trans-11-c18:2', 'serum igf1 level', 'cd8-positive, gamma-delta intraepithelial t-lymphocyte', 'posterior uvea morphology trait', 'lymph node secondary follicle morphology trait', 'myelination', 'svz morphology trait', 'milk fatty acid cis-15-c18:1', 'osteophage physiology trait', 'pulmonary venous morphology', 'single feeding food intake volume', 'uterine horn weight', 'helper t-cell type 1', 'il-1a secretion', 'circulating level of vasopressin', 'iddm incidence', 'gluconeogenesis trait', 'terminal lung bud size', 'tissue weight of the duodenum', 'shoulder size', 'total life span', 'semitendinosus muscle weight', 'dorsal root ganglion organization trait', 'forestomach morphology trait', 'neurilemmoma measurement', 'lens capsule morphology', 'blood bilirubin level', 'b1a cell', 'eosinophil count as percentage of total white blood cells', 'digit', 'milk btn concentration', 'milk churning time', 'ham size', 'cleaved embryo number following in vitro fertilization', 'anorectal malformation incidence', 'electromechanical transduction', 'pyramis of cerebellum morphology trait', 'strial melanocyte morphology', 'internal adipose weight', 'heart right atrium morphological', 'splenocyte morphology trait', 'brain type ii spike-wave discharge rate', 'meat hematin content', 'pluripotent precursor cell morphology trait', 'vertebra biomechanical measurement', 'fourth ventricle morphology', 'time spent running on treadmill', 'calculated aorta smooth muscle cell count', 'blood free fatty acids', 'calculated blood vessel dilation force reduction', 'cerebral cortex morphology', 'intramuscular adipose weight', 'cornu ammonis morphology', 'urinary bladder cell', 'eye electrophysiology', 'plasma chylomicron cholesterol', 'calculated acoustic startle response measurement', 'milk eicosapentaenoic acid content', 'heart right ventricle dry weight', 'calculated endo-systolic volume', 'cerebellum vermis lobule viii morphology trait', 'statolith morphology trait', 'yoke bone morphology trait', 'energy balance', 'frontal sinus morphology', 'neurotransmitter uptake', 'enterocolitis severity score', 'blood haemoglobin level', 'selenium amount', 'heart intraventricular end-diastolic wall', 'brain spike-and-wave discharge severity grade', 'mean corpuscular hemoglobin level', 'gmg cell number', 'ifn-gamma secretion', 'femoral polar moment of inertia', 'interventricular groove morphology trait', 'posterior cerebral artery inner diameter', 'pmn physiology', 'aorta wall morphological measurement', 'active-zone-anchored inner hair cell synaptic ribbon morphology', 'dressed carcass subdivision trait', 'dose of methacholine at which pulmonary conductance is half its pretreatment value (ed50)', 'atrioventricular bundle', 'milk fatty acid c22:6 n-3 percentage', 'memory t-cell morphology trait', 'fat body morphology trait'}
In [84]:
bi_unique = set()
bi_good_phrases = [[token for token in doc if "_" in token] for doc in bigram_token]
bi_good_phrases = [[token.replace("_", " ") for token in doc] for doc in bi_good_phrases]
for doc in bi_good_phrases:
bi_unique.update(doc)
print(f"Number of good phrases in the trait dictionary: {len(bi_unique)}")
print(bi_unique)
Number of good phrases in the trait dictionary: 2910
{'af bm', 'novel promising', 'substitution effect', 'white leghorn', 'c.1574a >', 'used select', 'foreshank weight', 'our finding', 'a. pleuropneumoniae', 'two-qtl model', 'promoter activity', '± 0.03', '20 cm', 'fat moisture', 'c.205g >', 'plasminogen activator', 'predictive ability', 'landrace backcross', 'bw70 bwg', 'c. *', 'epistatic pair', 'antibody level', 'bovine tuberculosis', 'stearic acid', 'qingyu pig', 'increase power', 'ankyrin 1', 'to date', 'r =', 'known function', 'curve parameter', 'lumbar bft', 'sexual precocity', 'minolta b', 'h2 =', 'small intestine', 'block defined', 'detection power', 'bacterial load', 'haplotype constructed', 'milk urea', 'economically relevant', 'farm animal', 'producer-recorded health', 'in summary', 'nominally associated', 'italian brown', 'behavioral phenotype', 'efficiency economically', 'holstein-friesian cow', 'bull b', 'lipid metabolism', 'lep g.1387c', 'chromosome 6', 'improve understanding', 'set comprised', 'main-effect qtl', 'calf mortality', 'shank skin', 'genetic merit', 'pa sire', 'fetlock oc', 'cd dd', 'native chicken', 'normal-horned male', 'nc 037332.1', 'largest effect', '51 cm', 'male female', 'domain containing', 'relationship among', 'via marker-assisted', 'prolificacy sow', 'body depth', 'to explore', 'parasitic nematode', 'spot14alpha gene', 'map quantitative', 'percentage normal', 'porcinesnp60k beadchip', 'further research', 'aa substitution', 'accuracy prediction', 'relatively large', 'allele frequency', 'higher marbling', 'telomeric end', 'future breeding', 'hanoverian warmblood', 'microphthalmia-associated transcription', 'shared q', 'gluteus medius', 'a whole-genome', 'f1 individual', 'protein kinase', 'selection strategy', 'chinese native', 'distribution width', 'cyp21 esr1', 'israeli holstein', 'susceptibility scrapie', 'tibia length', 'japanese wild', 'infectious disease', 'holstein dairy', 'mean corpuscular', "'s disease", 'porcine gpihbp1', 'erhualian pig', 'single- multi-trait', 'berkshire x', 'odc gene', 'etec f4ac', 'c.919g >', 'luciferase activity', 'white duroc×erhualian', 'used estimate', 'genome scan', 'mastitis susceptibility', 'percentage palmitic', '% additive', 'rib eye', 'transcription factor', 'main objective', 'danish red', 'regression method', 'explaining large', 'linkage group', 'l -', 'omega-3 pufa', 'line-cross half-sib', 'recurrent airway', 'the objective', 'parasite challenge', 'highly correlated', 'for example', 'udder morphology', 'second parity', 'become possible', 'growth hormone', 'suggesting polygenic', 'genotype dd', 'zinc finger', '300 day', 'belgian texel', 'salmonella infection', 'unbiased prediction', 'performed genome-wide', 'bayesian approach', 'acid profile', 'embryonic development', 'sliding window', 'recent year', 'skeletal investment', 'gga rs14554319', 'duroc ×', 'acute chronic', 'window explained', 'gpihbp1 mrna', 'mass spectrometry', 'uncoupling protein', 'by combining', 'element binding', 'estimate fertility', 'direct indirect', 'reciprocal cross', 'many case', 'randomly selected', 'nematode infection', 'first report', 'result supported', 'rfi1 rfi2', 'differentially expressed', 'compared previous', 'c.2002c >', 'ct scanning', 'variance accounted', 'insulin-like growth', 'reproductive physiology', 'performed 183', '40 %', 'response infection', 'strong positional', '12 week', 'c14 index', 'differential expression', 'result showed', 'wild-type ewe', 'to dissect', 'provides new', 'lepr allele', 'commercial hanwoo', 'rapid association', 'statistically significant', 'significance threshold', 'blue-shelled chicken', 'dairy cow', 'largest number', 'allergen-specific ige', 'model fitted', 'german holstein', 'c. [', 'plasma membrane', 'ibk susceptibility', 'alternative allele', 'glycolytic potential', 'wide range', '48 cm', 'first lactation', 'strongly associated', 'examine whether', 'dna pool', 'metabolism pathway', 'ebv lp', 'eye colour', 'kb downstream', 'day ai', 'immune capacity', 'nucleotide polymorphism', 'rh mapping', 'polymerase chain', 'commercial crossbred', 'improvement livestock', 'polymorphism occurring', 'area ratio', 'fatty acid-binding', 'needed confirm', 'conformation polymorphism', 'coefficient variation', 'chromosome 5', 'relative contribution', 'first service', 'rhode island', '> t', 'maternal infanticide', 'antibody titre', 'ph lm', 'bos taurus', 'whey protein', 'linear unbiased', 'ovine hsp90aa1', 'splice variant', 'birth weaning', 'imprinting effect', 'chinese merino', 'nutritional value', 'white duroc', 'snp g.14,862t', 'analysis performed', 'oleic acid', 'p-value =', 'total 44', 'using haley-knott', '× 10-5', 'h model', 'modified live', 'diagnostic parameter', '19 26', 'maternal behavior', 'ovis aries v3.1', 'earlobe color', '> a', ' tef-1 86.5', 'different criterion', 'perform genome-wide', 'c.622c >', 'weakness pig', 'important role', 'spawn weight', 'equine osteochondrosis', 'infectious pancreatic', 'day post', 'implementation selection', 'pathogenic disease', 'broodstock population', 'genetic mechanism', 'c.10718g >', 'negative effect', 'lead better', 'ab genotype', 'post infection', 'phenotypic standard', 'week life', 'bb710-pvrl2 c.392g', 'disease virus', 'quality grade', 'meat colour', 'egg count', 'fdr <', '0 21', 'missing homozygous', 'affected pp', 'fixed effect', 'triglyceride level', 'across time', 'dh compared', 'difficult measure', 'androstenone concentration', 'selective genotyping', 'five limb', 'genetic variability', 'equine oc', 'finnish landrace', 'subtraits retained', 'toward identification', 'snp43 g', 'growth factor', 'ldha copb1', 'allowed u', 'late lactation', 'junken type', '24 hour', '95 %', 'differential leucocyte', '; bta18', '168 cm', 'meat-type chicken', 'present work', 'coincided previously', 'leghorn chicken', 'bta 6', 'allelic effect', 'scrapie incubation', 'atp1a1 gene', 'water content', 'confirm previous', 'one thousand', 'udder health', 'might useful', 'reproduction performance', 'gga 1', 'single-step gblup', 'c.1111a allele', 'gushi chicken', 'comparative sequencing', 'feed intake', 'showed strongest', 'direct calving', 'upstream region', 'layer cross', 'next generation', 'ib x', 'this first', 'approach implemented', 'nuclear receptor', 'regulatory element', 'anxa10 -/-', 'productive life', 'suggestive significance', 'parameter estimate', 'using illumina', '× german', '35 day', 'tumor initiator', 'growth-related trait', 'evenly distributed', 'ra type', 'vrtn genotype', 'm1 line', 'injection nesfatin-1', 'top snp', 'among others', 'molecular mechanism', 'identify genomic', 'polish landrace', 'conclusion :', 'simmental crossbred', 'worm egg', 'aquaculture industry', 'muscle mass', 'resistant animal', 'to confirm', 'time point', 'twinning rate', '× 10-6', 'provide valuable', 'hock joint', 'control strategy', 'number stillborn', 'permutation test', 'viral load', 'yorkshire pig', 'crossbred lamb', 'igg blocking', '119 mb', 'negative correlation', 'high-density snp', 'h1 ×', 'bayes b', 'much higher', 'significantly lower', 'second shearing', 'using imputed', 'ingenuity pathway', 'result presented', 'concentration beta-lactoglobulin', 'study provides', 'analyzed include', 'estimation method', 'phenotypically extreme', 'selection pressure', 'se vaccine', 'equine autosome', 'linkage map', 'average distance', 'signal transducer', 'maternal calving', 'production trait', '4 month', 'dna pooling', 'endocrine fertility', 'divergent phenotype', 'jersey cattle', 'polymorphic site', 'italian holstein', 'atp-binding cassette', 'age class', 'monounsaturated fatty', '110 kg', 'difference among', 'porcine 60k', 'milk fever', 'selection program', 'cause amino', 'genetically diverse', 'efficient mixed', 'large proportion', 'call rate', 'welfare issue', 'sexual ornament', 'p <', 'using pcr-single-strand', 'test-day record', 'autosome x', '5 %', 'liver muscle', 'average backfat', '250 microsatellite', 'gga5 af', 'porcine cmya1', 'spongiform encephalopathy', 'spawning date', 'traced back', 'reached genome-wide', 'genomic segment', 'genomic blup', 'composition melting', 'backfat ebv', 'regression bayesian', 'single-marker regression', 'reduce incidence', 'animal model', 'regulatory mechanism', 'cc tc', 'valuable information', '305-day milk', 'pietrain sire', 'first egg', 'parent genotyped', 'snp50 beadchip', 'marker-trait association', 'acsl1 gene', 'equine snp50', 'plumage color', 'horn type', 'erythroid trait', 'to achieve', 'animal welfare', 'mostly located', 'dna sequencing', 'gestation length', 'dongxiang blue-shelled', 'order reduce', 'absent :', '2574 2576delgtc', 'broiler layer', 'to determine', 'soay sheep', 'channel catfish', 'faecal sample', 'microrna mir-1596', 'detect quantitative', 'prediction accuracy', 'an f', 'cause economic', 'androstenone skatole', 'female fertility', 'complete linkage', 'cell differentiation', 'recent advance', 'the purpose', 'livestock specie', 'swedish holstein', 'molecular marker', 'live animal', 'positional concordance', 'body height', 'human consumption', 'result indicated', 'chromosome 4', 'regulating expression', 'covering 19', 'additive dominance', 'palmitoleic acid', 'measured ct', 'q haplotype', 'spanning whole', 'direct maternal', 'force sensory', 'adrenal gland', 'chromosome 7', 'additive dominant', 'causative mutation', 'still segregating', 'white marking', 'serve useful', 'anatomical location', 'mechanism regulating', 'hip width', 'validation dataset', 'cold water', 'onset sexual', 'genetical genomics', 'merino sheep', 'fetlock joint', 'german fleckvieh', '-270t >', 'time t-1', 'cell proliferation', 'covering whole', 'used investigate', 'qtlmap software', 'transmission disequilibrium', 'there considerable', '`` tt', 'multiple testing', 'dna repository', 'putative quantitative', 'cie l', 'environmental factor', 'cell cycle', 'alberta hybrid', '99 %', 'milk fatty', 'blocking percentage', 'resistant susceptible', 'serum ige', 'half-sib model', 'south german', 'faecal culture', 'genetic diversity', 'protein yield', 'underlying genetics', 'p ≤', 'npc1 gene', 'first later', 'across 29', 'first time', 'variance component', 'confirmed previous', 'genotypic data', 'milk bhb', 'silv c.64a', 'granddaughter design', 'suffolk texel', 'line selected', 'sequencing technology', 'snp chip', 'risk factor', 'barki ewe', 'full sequence', 'imputed full', 'milk yield', 'might involved', 'leptin receptor', 'p.phe279tyr mutation', 'gemma software', 'red maasai', 'human mouse', 'igga ige', 'copy number', 'identifying causal', 'coat colour', 'target sequence', 'sire family', 'g.2836 a', 'fetlock ocd', 'laiwu pig', 'moderate-large effect', 'individual belonging', 'haplotype encompassing', 'unaffected animal', 'service per', 'population gushi', 'gwas meta-analysis', 'performed using', 'university wisconsin', 'fatty acid', 'family member', 'luciferase assay', 'count recorded', 'provides evidence', 'peak force', "johne 's", 'insight molecular', 'retained placenta', 'sequence share', 'significant comparison-wise', 'host genetics', 'human health', 'plasma coloration', 'major determinant', 'bft hw', 'would beneficial', '156 157del', 'identify causal', 'interaction network', 'dd higher', 'driploss %', 'heifer conceive', 'genome wide', 'highly pathogenic', 'outbred f2', 'whole-genome sequencing', 'il8 haplotype', 'early late', 'water holding', 'target site', 'uw resource', 'full-length coding', 'carcass merit', 'f (', 'six month', 'genbank accession', 'leaf fat', 'native chinese', 'understanding genetic', 'f2 animal', 'correspond previously', 'genotyping technology', 'genetically related', 'used analyse', 'monte carlo', 'cooked meat', 'error rate', 'cc genotype', 'year birth', 'color score', 'number spermatozoon', 'apob gene', 'derived intercross', 'phenotypic record', 'across entire', 'close proximity', 'aimed investigate', 'fragmentation index', 'located exon', 'statistical power', 'underlying biological', 'chi-square test', 'result demonstrate', 'jersey breed', 'a total', 'scan performed', 'capn1 rs81358667g', 'strong linkage', 'muscle fibre', 'proviral load', 'slc11a1 region', '139 f', 'chest circumference', 'buffalo cattle', 'statistical analysis', 'matrix-assisted laser', 'function related', "cow 's", 'quantitative trait', 'molecular breeding', 'f2 population', 'per cent', 'adult height', 'enrichment analysis', 'genotype-phenotype relationship', 'intron 4', 'social behavior', 'parent f', 'model applied', 'friesian cow', 'energy homeostasis', 'hcr1 tbrd', 'allelic substitution', 'insight complex', 'daughter design', ': our', 'expression nucb2', 'polyunsaturated fatty', 'poll dorset', '% 10.9', 'underlie variation', 'u holstein', 'one hundred', 'used describe', 'italian landrace', 'least one', 'domesticated white', '1.8 %', 'line-cross model', "illumina 's", 'italian large', 'bovine genome', 'exon 3', 'yellow meat-type', 'entire resource', 'cmya1 gene', 'snp64 g', 'tandem repeat', 'adipose tissue', 'sire representing', 'number teat', 'option gensel', 'test hypothesis', 'paternal maternal', 'illumina porcine', 'body length', 'multitrait group', 'genotype tt', 'next-generation sequencing', 'favourable allele', '50 k', 'cytokine signalling', 'carcass length', 'odds infection', 'showed significant', 'g.+6723a allele', '72472 g', 'recent availability', 'could potentially', 'three-generation full-sib', 'putative causative', 'dairy product', 'transcriptional activity', 'cooperative dairy', 'brahman ×', 'partial correlation', 'purebred population', 'undertaken using', 'back feather', 'rear leg', 'binding protein', 'poultry industry', 'represent first', 'horn length', 'consistent previous', 'dominance deviation', 'f2 experimental', 'intensive selection', 'yearling height', 'summer milk', 'two distinct', 'newly developed', 'bmts mqts', '80 cm', 'feed conversion', 'confidence interval', 'r2 =', 'breaking strength', 'porcine autosome', 'fecx n', 'biological pathway', 'nominal p', '> 0.2', 'proportion variance', 'jinghai yellow', 'considerable economic', 'susceptible animal', 'non-additive genetic', 'subclinical ketosis', 'pleiotropic closely', 'ham weight', 'architecture underlying', '777 k', 'low density', 'useful reference', 'age puberty', 'reproductive efficiency', 'considerable variation', 'inflammatory response', 'skatole indole', 'imf content', 'italian simmental', 'marker-assisted selection', 'mir-predicted milk', 'coat color', 'considered candidate', 'our aim', 'gene-specific single', 'meat tenderness', 'danish swedish', 'relatively small', 'c >', 'may lead', 'positional functional', 'difference observed', 'milk fa', 'low minor', 'there strong', 'epididymal weight', 'iberian ×', '1-mb window', 'selection scheme', 'number piglet', '-190g >', 'cebpa gene', 'humoral innate', 'rump length', 'shank diameter', 'intergenic region', 'fresh sperm', 'gene encodes', 'dl gga1', 'provided useful', 'mechanism underlie', 'immune function', 'homozygous mutant', 'finnish ayrshire', 'tick burden', 'body weight', 'population spanish', 'in general', 'piglet weaning', 'moderate high', 'previous study', 'feed efficient', 'end second', 'gg genotype', '% chromosome-wide', 'important indicator', 'bta 18', 'functional candidate', 'peroxisome proliferator-activated', 'study needed', 'exon 4', 'tight junction', 'casp3 rs319658214g', 'would allow', 'neuropeptide y', 'potential application', 'wk age', 'illumina bovine', 'knowledge genetic', 'g.-633 -632ins', 'sd polygenic', 'oxytocin signaling', 'economic success', 'chromosome-wise significant', 'bodyweight conformation', 'group at-hook', 'high heritabilities', 'semimembranosus muscle', 'pig passed', 'conception rate', 'following daughter', 'physical chemical', 'aa ab', 'mixed linear', 'hanoverian stallion', 'esc resistance', 'bonferroni-corrected genome-wide', 'skeletal muscle', '928g >', 'conducted determine', '70 cm', 'myod1 75.2', 'genomic profiler', 'repository population', 'backcross pedigree', '< 0.05', 'no overlapping', 'muscle area', 't lymphocyte', 'genetically phenotypically', 'occurrence clinical', 'failed identify', 'sow thus', 'number thoracic', 'fetal growth', 'pork quality', 'reproductive longevity', 'loin muscle', 'c.-533c >', 'snp3 t', 'role regulation', 'genome-wise basis', 'prrsv infection', 'chromosome-wide significance', 'gas chromatography', 'residual feed', 'cortisol response', 'scan conducted', 'made possible', 'involved maintaining', 'towards identification', 'moisture content', 'ssc 1', 'indicus cattle', 'expand knowledge', 'bone quality', '54 cm', 'montana tropical®', 'research centre', 'kinship matrix', 'chl milk', 'genetic progress', 'g.27534932a >', 'eaat2 drd1', 'previously detected', 'crossbred population', 'ld block', 'understanding molecular', 'covering 31', 'p =', 'late-feathering chick', 'diacylglycerol o-acyltransferase', 'ige level', 'marker covering', 'variable selection', '29 bovine', 'bayesian variable', 'best linear', 'bvs model', 'taurine breed', 'genomic prediction', 'body slanting', 'proportion phenotypic', 'previous research', 'indel mutation', 'strong candidate', 'genotype cc', 'common form', 'synonymous mutation', 'biological mechanism', 'variation abhd5', 'b *', 'objective present', 'these finding', 'substantial proportion', 'information investigation', 'aggressive behaviour', 'channel subfamily', 'purebred duroc', 'meat ph', '11.5 %', 'transforming growth', 'btb infection', 'dna extracted', 'high low', 'quantitative pcr', 'least square', 'post-mortem examination', 'steer bull', 'subunit g', 'melanocortin-4 receptor', 'oar9 91721507.1', 'cebpd gene', 'could decrease', 'i ra', 'genome-wise significance', 'analysed separately', 'involved development', 'marker assisted', 'bovinesnp50 beadchip', 'primarily affect', 'commercial broiler', 'conduct genome-wide', 'measured live', 'leg conformation', 'might important', 'data set', 'metabolic disorder', 'environmental condition', 'need validated', 'difficult expensive', 'point mutation', 'obvious candidate', 'heat tolerance', 'involved inflammatory', 'breeding program', 'f8 f10', 'located throughout', 'five hundred', 'role regulating', 'noninfectious claw', '134 bp', 'hypersensitive reaction', 'the aim', 'analyze data', 'live weight', 'avian influenza', 'average daily', 'pig meishan/pietrain', 'muscle depth', 'bwg fi', 'determine whether', 'fetal response', 'might play', '56 kg', 'artificial selection', 'gompertz growth', 'causative agent', 'number born', 'increasing number', 'x jersey', 'we conducted', 'human nutrition', 'abdominal fat', 'calpain 1', 'breast feather', 'stallion fertility', 'provide basis', 'ovinesnp50 beadchip', 'nelore cattle', 'c.-106 -91delgccaggggtgtgagcc', 'montbéliarde cow', 'hock oc', 'experimentally infected', 'erhualian allele', 'poultry production', 'included fixed', 'statistical model', 'nba tnb', ' csrp3 83.8', 'sample collected', 'population stratification', 'in paper', 'provide evidence', 'established crossing', 'superovulation response', 'anal atresia', 'we conclude', 'distal part', 'negative regulator', 'help select', 'the strongest', 'largest proportion', 'plausible candidate', 'bb genotype', 'mm >', 'rump fat', 'double backcross', 'respiratory syndrome', 'infanticidal sow', 'synthetic line', 'mineral balance', 'swiss cow', 'selected genotyping', 'investigate whether', 'val dataset', '183 microsatellite', 'a/a genotype', 'energy metabolism', 'milk-fat yield', 'percentage cw', 'would useful', 'fat content', 'dh dj', 'important source', 'forced pcr-rflp', 'vertebral number', 'region harboring', 'enterotoxigenic escherichia', '18 ∶', 'previous report', 'teat udder', 'reproductive seasonality', 'contribute understanding', 'paternally expressed', 'egg production', 'study combine', 'using mixed', 'in spite', 'horse breed', 'porcine skip', 'partial efficiency', 'ph color', 'centromeric region', 'high density', 'minor allele', 'protein percent', 'riboflavin content', '< 0.10', 'affecting sc', 'sexual maturation', 'candidate gene', 'suggestive linkage', 'increased calf', 'pure line', 'beef cattle', 'coding region', 'experimental farm', 'wound healing', 'structural protein', 'time-of-flight mass', 'experimental population', 'dopamine receptor', 'all experimental', 'cattle breed', '50 kb', 'understanding underlying', 'genome-wide significance', 'general linear', 'random forest', 'resistance mdv', 'chain reaction', 'using bayesian', 'spanish churra', 'milk chl', 'shank girth', 'weaning yearling', 'located non-coding', 'foot score', 'purpose study', 'polygenic nature', 'longissimus dorsi', 'congenital entropion', '23 day', 'nanyang cattle', 'genetic control', 'body measurement', 'daughter pregnancy', 'mastitis resistance', 'serum leptin', 'prediction equation', 'outbred population', 'genetically correlated', 'g >', 'large amount', 'dairy herd', 'compressed mixed', 'igf2 substitution', 'caudal supernumerary', 'medium-chain saturated', 'landrace ×', 'conducted genome-wide', 'musculus longissimus', 'run homozygosity', 'could used', 'vaccenic acid', 'polar overdominance', 'of particular', 'exceeded threshold', 'evidence presence', 'clinical-chemical trait', 'brsv specific', 'via system', 'reaction-single strand', 'annotated gene', 'in contrast', 'male fertility', 'multi-trait gwas', ' ldha 79', 'chicken crossed', 'significance level', 'shank length', 'holstein-friesian sire', 'microtia sheep', 'number lumbar', 'obtained crossing', 'dairy cattle', 'pregnancy rate', 'our previous', 'g.327c >', 'small confidence', 'improved accuracy', '337 fertile', 'pedigree information', 'protein percentage', '50 adjacent', 'carried using', 'teat number', 'p-value <', 'conducted identify', 'at least', 'simultaneous detection', 'snp array', 'ssc 7', 'map infection', 'unsaturated fatty', 'repeat domain', 'yearling weight', 'first second', 'small moderate', 'previously mapped', 'finding helpful', 'already mapped', 'resistance gastrointestinal', 'allowed detection', 'gene ontology', 'ear tissue', 'nordic red', 'future fine-mapping', 'sequenom massarray', 'toll-like receptor', 'udder depth', 'mendelian expression', 'there evidence', 'chromosome 14', '14 paternal', 'adipocyte differentiation', 'consistent hypothesis', 'breeding goal', 'non-parametric linkage', '9 wk', 'wool fineness', 'combined lc', 'significantly associated', 'genome sequence', '; however', 'taurine zebu', 'g.48476943 48476946insggc', 'parasite infection', 'objective study', 'controlled multiple', 'reproductive performance', 'obesity related', 'particular interest', 'porcine il-1a', 'm3 line', 'data consisted', 'leucocyte number', 'oncorhynchus mykiss', 'positional candidate', 'yield grade', 'igg1 igg2', 'experiment-wise significance', 'genome-wide association', 'diallelic dgat1', 'parasite burden', 'my pp', 'loin depth', 't cell', 'maternally expressed', 'oar3 115712045.1', 'present study', 'moderately heritable', 'produced mating', 'an additional', 'variant underlie', 'nematode parasite', 'rainbow trout', 'z chromosome', 'young bull', 'haplotype-based association', 'susceptibility btb', 'this paper', 'fabp gene', 'feed consumption', 'family comprising', 'trichostrongylus colubriformis', 'slick locus', 'body conformation', 'potential regulatory', 'regional heritability', '194 microsatellite', 'posterior distribution', 'scan carried', 'bovine respiratory', 'economic importance', 'scrotal circumference', 'sex interaction', 'selected abdominal', 'finding provide', 'suffolk sheep', 'aa genotype', 'flanked marker', 'erhualian f2', 'lamb per', 'accession number', 'european wild', 'ryr1 prkag3', 'cddr population', 'blood cell', 'related immune', 'maternal stillbirth', 'phylogenetic analysis', 'hemoglobin concentration', 'korean holstein', 'fecal egg', 'ketosis dairy', 'analysis conducted', 'iberian landrace', 'applied selective', 'teat count', 'metabolic process', 'g13781 13782del/insag', 'large white', 'm. semispinalis', 'density contour', 'to identify', 'line 990', 'breeding practice', '> g', 'mammary gland', 'upstream lcorl', 'power detect', 'false discovery', 'united state', 'investigated whether', 'shed new', 'hormone receptor', 'within-breed gwas', '< 0.0001', 'mouse human', 'prediction ability', 'body wfe', 'genomic evaluation', 'sick cow', 'proximal end', 'additive genetic', '93 mb', 'functional positional', 'dna sequence', '60k chicken', 'non-carrier male', 'regression model', '100 kg', 'sarcocystis miescheriana', 'haplotype inferred', 'bovinehd beadchip', 'ultrasound measure', 'quality attribute', 'provides list', 'significant hit', 'provided opportunity', 'lean-type breed', 'whole-genome sequence', 'f2 cross', 'lean fat', 'many country', 'β-lg b', '87 %', 'ctnnal1 c.1878', 'quality trait', 'agricultural university', 'laying hen', 'reduce impact', 'finding herein', 'social reactivity', 'study reveals', 'skeletal frame', 'mutant genotype', 'holstein bull', '140 kg', 'somatic cell', 'important economic', 'play important', 'highly conserved', 'complete genome', 'high imf', 'bacterial artificial', 'growth fatness', 'heart girth', 'four suggestive', 'german landrace', 'porcine mtpap', 'bhb concentration', '24 h', 'current work', 'domestic sheep', 'membrane protein', 'lactose yield', 'porcine tgfbr1', 'require validation', 'rib bft', 'ppn0 =', 'multibreed gwas', 'functional role', '< 0.1', 'internal organ', 'north american', 'linkage analysis', 'different stage', 'accuracy genomic', 'image analysis', 'binding site', 'i complex', '5 ×', 'lda german', 'package r', 'susceptible lamb', 'testing set', 'research center', 'crossed anka', '45 min', 'locate quantitative', 'gushi-anka f2', 'average spacing', 'c.44g >', 'genetic predisposition', 'bayes factor', 'pooled dna', 'compound androstenone', 'fat deposition', 'infected cow', '281 day', 'cell count', 'female sexual', 'epistatic interaction', 'advance understanding', 'serum lipid', '42 day', 'two half-sibling', 'tgfbr1 gene', 'japanese black', 'genetic variance', 'experimental cross', 'higher cc', 'manych merino', 'whose expression', 'management system', 'transcriptome profile', 'cutaneous melanoma', 'mutant allele', 'german draft', 'tt genotype', "d '", 'small tail', 'tightly linked', 'calf dam', 'real-time pcr', 'uterine horn', 'single-step genomic', 'line divergently', 'day open', 'improve accuracy', 'stop codon', 'egg laying', 'warner-bratzler shear', 'keyhole lymphet', 'may regulate', 'escherichia coli', 'mixture model', 'abdominal fatness', 'lifetime average', 'marker typed', 'mammalian specie', 'mapk signaling', 'further investigation', 'reached 5', 'this suggests', 'total 39', 'involved lipid', 'result support', 'when compared', 'mature gga-mir-1596-3p', 'bone mineral', 'play key', 'eca3:79,588,128 79,588,130delinsttatctctatagtagtt', 'across-family analysis', 'hypothalamus adrenal', 'previously undetected', 'classical fertility', 'population comprised', 'relative position', '172 microsatellite', 'using genabel', 'milk protein', 'we evaluated', 'synthesis metabolism', 'study aimed', 'functional teat', 'haplotype construction', 'indirect effect', 'cryptic allele', 'existing breeding', "'s criterion", 'total number', '90 %', 'growing pig', 'tissue remodeling', 'bovinesnp50 panel', 'g.-311a >', 'non-coding rna', 'reproductive disorder', 'required confirm', 'a three-generation', 'primer designed', 'nm 213910', 'combined linkage', 'association signal', 'immune response', 'based upon', 'lower mean', 'highly inbred', 'beef steer', 'lipid deposition', 'largely controlled', 'feather pecking', 'semen quality', 'sperm motility', 'high throughput', 'we herein', 'located near', 'canadian holstein', 'ltn rtn', 'constructed based', 'lactation stage', 'seq data', 'in particular', 'genabel package', 'response prrsv', 'cow training', 'signature selection', 'process involved', 'estimated breeding', 'study designed', 'divergently selected', 'may provide', 'mineral content', 'additive effect', 'great interest', '26 autosome', 'second outbreak', 'meat production', 'for purpose', 'peak 42', 'essential diagnostic', 'passive immune', 'taurus autosome', 'expression level', 'parental line', 'common parent', 'also known', 'level slope', 'hamp c.366+109g', 'gizzard weight', 'power gwas', 'laboratory estimate', 'tg x05380', 'to investigate', 'high prolificacy', 'backcross progeny', 'dry-cured ham', 'aim identifying', 'method detecting', 'completely linked', 'daily gain', 'snp51 bta-119876', 'illumina porcinesnp60k', 'french dairy', 'often observed', 'main cause', 'closely related', 'half sib', 'artificial insemination', 'developmental orthopaedic', 'layer line', 'genetic improvement', 'clinical mastitis', 'enhance understanding', 'mode inheritance', 'highest number', 'serum concentration', 'dilution phenotype', 'standard deviation', 'piglet born', 'in current', 'illumina bovinesnp50', 'muscle development', 'better understand', 'exploited marker-assisted', 'bovine autosome', 'dominance effect', '× 10', '60 cm', 'may considered', 'provide new', 'conformational polymorphism', 'c.793g >', 'daily feed', 'multivariate approach', 'clean wool', 'qinchuan cattle', '10 %', 'biomechanical strength', 'baseline erythroid', 'nguni cattle', 'non-synonymous snp', 'level mature', 'window explaining', 'change amino', 'genome-wise significant', 'help better', 'calving difficulty', 'ability sow', 'bw abdominal', 'xr 027435.1', 'sscp analysis', 'hanwoo steer', 'e22c19w28 e50c23', 'empirical p', 'allele substitution', 'plasma cortisol', 'clinical ketosis', 'fabp4 μsat3237', 'indicating potential', 'pcr-sscp dna', 'chromosome 1', 'this study', 'pirm syndrome', 'high mobility', 'ptm form', 'suggestively associated', 'marbling score', 'cecum content', 'produced crossing', 'confirm refine', 'positional cloning', 'tenth rib', 'composite beef', 'single-locus regression', 'strongest signal', 'end chromosome', 'dq124298 :', 'newly reported', 'dominant recessive', 'c.55g >', 'ctsl rs332171512a', 'non-return rate', 'gallus gallus', 'tropical environment', 'gga rs16098446', 'cytochrome p450', '190 day', 'genetic parameter', 'correlated af', 'significantly affected', 'whirling disease', 'illumina bovinehd', 'analysis carried', 'spanish purebred', 'member 4', 'possible causality', 'inverted teat', 'phenotypic data', 'significantly correlated', 'only one', 'scd gene', 'mbl gene', 'g.3533t >', 'may useful', 'still unknown', 'fiber type', 'tentative association', 'limb bone', 'measured second', 'limited number', 'crucial role', 'polynomial coefficient', 'ovulation rate', 'yorkshire resource', 'susceptibility ketosis', 'to ass', 'chinese meishan', 'chromosomal segment', 'newly identified', 'white/red earlobe', 'lead identification', 'western pig', 'acute disease', 'distributed along', 'heritability estimate', 'response variable', 'me1 genotype', 'minor difference', 'myh3 rs81437544t', 'new insight', 'normande cow', 'drip loss', 'resource population', 'haplotype combination', 'sib pair', 'lr cross', 'highly prolific', 'heavy pig', 'serious economic', 'rear view', 'commercial line', 'region harbouring', 'multimarker regression', 'nominal significance', 'snp-harboring gene', 'vitamin d', '80 %', 'increase understanding', 'natural selection', 'reactor skin', 'born alive', 'intron 1', '* b', 'red blood', 'ovis aries', 'anka broiler', 'evaluate effect', "blonde d'aquitaine", 'quality control', 'negative impact', 'bovine nesp55', 'pathway enrichment', 'mrna expression', 'chinese holstein', 'churra sheep', 'winter milk', 'semi-evisceration weight', 'lifetime productivity', 'caused mycobacterium', 'allelic variant', 'broiler-leghorn cross', 'here report', 'paternal half-sib', 'calving first', 'genetic variation', 'elovl6 :', 'ifc abt', 'linkage disequilibrium', 'italian duroc', 'chl fat', "'s ability", 'genomics approach', 'located intron', 'chest width', 'birth date', '1/18 ∶', 'generalized linear', 'innate immune', 'weight gain', 'located close', 'milk performance', 'one synonymous', 'egg layer', 'pelibuey sheep', 'pta dpr', 'suggesting presence', 'intron 8', 'gastrointestinal parasite', 'scs ebvs', 'snp ex1-1', 'northeast agricultural', 'might help', '× meishan', 'genome-wide scan', 'bone strength', 'using gemma', 'linear mixed', 'equine industry', 'high-impact variant', 'growth carcass', 'dam line', 'number tumor', 'pcr-rflp method', 'genetic evaluation', 'day age', 'chromosome-wise level', 'transcript level', 'key role', 'using two-step', 'milk production', '9.5 %', 'previously identified', 'eosinophil change', 'meishan sow', 'united kingdom', 'subcutaneous fat', 'showed moderate', 'result provide', 'application marker-assisted', 'breeding scheme', 'nipple number', 'indigenous chicken', 'prme horse', 'crossing broiler', 'aries v4.0', 'play critical', 'used marker-assisted', 'valuable tool', 'pleiotropic effect', 'calf size', 'primal cut', 'carcass composition', 'via prediction', 'porcine ibp4', 'able identify', 'qinchuan beef', '82 cm', 'infected animal', 'g.2834c >', 'architecture complex', 'environment interaction', 'sc ebv', 'se =', 'statistical significance', 'jiaxian red', 'traditionally managed', 'analysis indicated', 'consecutive generation', 'finding contribute', 'growth curve', 'comparative mapping', 'genetic determinant', 'eca 3', 'sperm concentration', 'number insemination', 'pig industry', 'based winter', 'san diego', 'imputed whole-genome', 'supporting hypothesis', 'spleen bacterial', 'selective breeding', 'role mediating', 'chinese red', 'oar2 132568092', 'nc 019484', 'genome-wide screen', 'fat yield', 'disease resistance', 'hardy-weinberg equilibrium', 'porcine skeletal', 'genotyped illumina', 'bone density', 'cattle reared', 'mapping precision', 'across genome', 'x eu', 'tibial breaking', 'l *', 'population established', 'acetyl-coa carboxylase', 'technological property', 'genetic basis', 'complexity genetic', 'saturated fatty', 'g.2228t >', 'ai service', 'step forward', 'minolta l', 'qtl express', 'porcine reproductive', 'physical appearance', 'implemented perform', 'positive correlation', 'acid composition', 'danish jersey', 'immune system', '% phenotypic', 'economic interest', 'disease status', 'result show', 'essential role', 'american holstein', 'negatively affect', 'myofiber diameter', 'to understand', 'leghorn layer', 'using univariate', 'illumina equine', 'sequence data', 'fat percentage', 'body size', 'physical map', 'raspf7-specific igga', 'animal health', 'embryonic mortality', 'eggshell quality', 'significantly higher', 'heat treatment', 'rln risk', 'lc h', 'conformation fatness', 'maml3 setd7', 'compared non-carriers', 'x m', 'dna sample', 'aseasonal reproduction', 'chi2 =', 'fragment length', 'we performed', 'selective dna', 'chromosome-wide significant', 'lepr c.1987c', 'abomasal lymph', 'warmblood horse', 'type i', 'dissect genetic', '//www.vetsci.usyd.edu.au/reprogen/qtl map/', 'pork producer', 'larger sample', 'swedish red', 'eye muscle', 'shed light', 'regional genomic', 'ssc.25503.1.s1 at', '* value', 'animal genotyped', 'bone length', 'non-smc condensin', 'used construct', 'mutated site', 'shear force', 'genotyped using', 'ph blood', 'nr6a1 gene', 'better understanding', 'physiological function', 'we concluded', ': c.1326t', '462 day', 'corticosterone level', 'haemonchus contortus', 'eca3:79,533,217 79,533,224deltcgtcttc', 'male piglet', 'debao pony', 'located vicinity', 'causal variant', 'data collected', 'f2 resource', 'interleukin 8', 'growth rate', 'bayesian method', 'could confirmed', 'brown swiss', 'entire coding', 'β-lactoglobulin content', '240 day', 'lower fcr', 'experiment i', '29 autosome', 'il10 prrsv', 'welfare economic', '45 190', 'karan fry', 'annotation implemented', 'step toward', 'exon 10', 'fiber diameter', 'scanned using', 'informative microsatellites', 'different parity', 'maternally inherited', '165 microsatellite', 'single-strand conformation', 'likely position', 'illumina ovinesnp50', 'region flanked', 'duroc purebred', 'dressing percentage', 'used conduct', 'distal end', 'back fat', 'normal horn', 'chest depth', 'phenotypic genotypic', 'molecular basis', 'behavioral test', '( -6', 'mixed model-based', 'female reproduction', '110 cm', 'egg weight', 'mothering ability', 'iia muscle', "fisher 's", 'f2 intercross', 'endosteal circumference', 'order identify', 'marginal additive', 'purebred horse', 'plink software', 'x-ray absorptiometry', 'sample size', '20 adjacent', 'lod score', 'breed china', 'selection signature', 'emotional reactivity', 'total solid', 'fowl typhoid', 'test statistic', 'polygenic effect', 'study demonstrates', 'blood sample', 'weaned piglet', 'polish large', 'ibp4 gene', 'enabled u', 'recessive model', 'cost poultry', '60 week', 'acid change', 'identification underlying', 'red cattle', 'thyroid hormone', 'type iib', 'premium cut', 'gain birth', 'udder attachment', 'genetic determination', 'broiler-fayoumi cross', 'prolactin concentration', 'exceeded genome-wide', 'nc 007312.4', 'hpa axis', 'mar qul', 'experimental design', 'hd beadchip', '600 k', 'ear size', 'highly heritable', '× sex', 'lumbar vertebra', 'incidence mastitis', 'linoleic acid', 'thoracic vertebra', '8 week', 'breeding company', 'melatonin receptor', 'whole genome', 'genetic architecture', 'c.3020a >', 'estimated heritabilities', 'potential candidate', 'founder breed', '46 cm', 'ease first', 'sutai pig', 'three-generation resource', 'backfat thickness', 'across breed', 'mycobacterial infection', 'q allele', 'water loss', 'carcass quality', 'highly significant', 'determined bird', 'diagnostic test', 'allele systematically', 'negatively correlated', 'commercial pig', 'iberian x', 'it concluded', 'genomic selection', 'x erhualian', 'model assumed', 'chromosome-wide level', 'covering 29', 'navicular disease', 'brahman cattle', 'prrs virus', 'scrofa chromosome', 'new hampshire', 'complete coding', 'small effect', '//crcidp.vetsci.usyd.edu.au/cgi-bin/gbrowse/oaries genome/', '± 0.04', 'traditional fertility', 'fat thickness', 'endophyte-infected tall', 'stearoyl-coa desaturase', 'conversion ratio', 'false positive', 'animal carrying', 'per litter', 'genotype bpi', 'previously described', 'strongest association', 'after genotyping', 'bta 14', 'window 50', 'feeding behavior', 'telomeric region', 'clinical subclinical', 'percentage abdominal', 'an alternative', 'm. longissimus', 'paternal igf2', '24 month', 'pathway implicated', 'predicted transmitting', '* ]', 'mutation h-fabp', 'fitted fixed', 'open reading', 'c.1326t >', 'heterogeneous residual', 'racing success', 'chromosome z', 'suggestive evidence', 'autosomal chromosome', 'stage representing', 'adipocyte size', 'mirna-target network', 'economic loss', 'loin eye', 'domestic chicken', 'untranslated region', 'lge22c19w28 e50c23', 'play crucial', 'genetic determinism', 'used analyze', '10.9 %', '72 week', 'gastrointestinal nematode', 'long-chain unsaturated', 'iberian pig', 'bovine chromosome', 'interacting locus', 'consumer acceptance', 'multivariate model', 'model regression-genomic', 'ultrasound backfat', 'docosapentaenoic acid', '6 month', 'g.9657c >', 'sequence-based gwas', 'acid synthesis', 'equus caballus', 'bayes c', 'post mortem', 'danish holstein', 'insight genetic', 'breeding value', 'postnatal growth', 'fore udder', 'sst dg156121', 'within intron', 'result indicate', 'color l', 'provides insight', '916 variation', 'oar3 84073899.1', 'two missense', 'deviation unit', 'health issue', 'bone morphogenetic', 'fescue toxicosis', 'heat stress', 'zebu composite', 'potentially useful', 'resistance ipnv', 'mapped gga1', 'testosterone concentration', 'h postmortem', 'lamb carrying', 'meat color', 'x meishan', 'han sheep', 'regression analysis', 'logistic regression', 'cortical bone', 'signaling pathway', 'maternal ability', 'specific health/disease', 'consistent across', 'coding sequence', 'large scale', 'our result', '23 25', 'factor influence', 'lumbar number', 'skin thickness', 'flanking region', 'korean native', 'go term', 'designed investigate', 'approximate daughter', 'f-drop test', 'brangus cattle', 'even though', '70 day', 'homozygous fecx', 'goal study', 'expensive measure', 'mdv resistance', 'analysis revealed', 'across-breed analysis', 'x landrace', 'result suggest', 'carrier lamb', 'acid substitution', 'tcf12 c.-200-300', 'low heritability', 'previously unknown', 'in addition', '34 grandsire', 'economic impact', 'chicken ecotypes', 'morbidity mortality', 'illumina inc.', 'sheep flock', 'identify causative', 'per year', 'study investigate', 'duroc boar', 'blv proviral', 'dystocia stillbirth', 'genetic variant', '9 week', 'progeny-tested bull', 'in conclusion', 'tool detection', '6 dpi', 'response ndv', 'beef marbling', 'cell surface', 'stress response', 'gene encoding', 'de novo', 'interval 12-13', 'amino acid', 'bos indicus', 'after applying', 'selective sweep', 'disease incidence', 'taken together', 'phenotypic variance', 'meat quality', 'small proportion', 'alpha =', 'estimate heritability', 'inferred haplotype', 'expression pattern', 'c3 cdna', 'a subset', 'breeding strategy', 'parameter veterinary', 'whole-genome scan', 'industry worldwide', 'de-regressed estimated', 'exceeded chromosome-wise', 'nc 007324.4', 'holstein cattle', 'chest girth', 'putative lethal', 'non-synonymous mutation', 'evisceration weight', 'sc german', 'calving performance', 'chronic disease', 'daily dmi', 'balanced frequency', 'closest gene', 'joint data', 'prior information', 'commercial laying', 'nervous system', 'objective :', 'investigation necessary', 'ph 45', 'sire heterozygous', 'ph 24', 'quantitative real-time', 'porcine tcap', 'illumina ovine', 'heart weight', 'bovine hgd', 'located downstream', 'longissimus muscle', 'na titer', 'understanding biology', 'genetic background', '( -5', 'coldblood horse', 'phenotypic variability', 'correction multiple', 'male calf', 'tick resistance', 'faecal worm', 'holstein friesian', 'rectal temperature', 'osteochondrosis dissecans', 'broiler-layer cross', 'leg foot', 'rest genome', 'genomewide association', 'fitness-related trait', 'promoter region', 'single-nucleotide polymorphism', 'profile beef', 'md susceptibility', 'ribeye area', 'may serve', 'abcg2 igf1', 'genomic best', 'it located', 'pre horse', 'bw gain', 'pneumonic lesion', "3'-untranslated region", 'understanding biological', 'highest fst', 'cacna2d1 gene', 'functional annotation', 'located within', 'little known', 'may enable', 'host response', 'created crossing', 'duroc x', "marek 's", 'porcinesnp60 beadchip', 'bonferroni correction', 'allelic imbalance', 'major goal', 'bodyweight gain', 'x limousin', 'single nucleotide', 'bayesian shrinkage', 'increased ovulation', 'unl population', 'partially inbred', 'haplotype block', 'sexual maturity', 'economically important', 'muscle fiber', 'wild boar', 'minolta *', 'receptor gamma', 'reproductive hormone', 'daughter yield', 'promising candidate', 'btb susceptibility', 'teladorsagia circumcincta', 'frame size', 'draft horse', 'bw70 fcr', 'proviral concentration', 'duroc pig', 'result :', 'simultaneously estimate', 'porcine snp60', 'reproductive tract', 'y pig', 'total glycogen', 'fat depth', 'fine mapping', 'unaffected calf', 'regulator muscle', 'restriction fragment', 'md resistance', 'antibody response', 'possible pleiotropic', 'salmonella resistance', 'age 110', 'underlying complex', 'nordic holstein', 'future research', 'tick count', 'great impact', 'chromosome-wise significance', 'ag genotype', '1.5 %', 'microsatellite marker', 'maximum likelihood', 'hematological parameter', 'wide level', 'dbwavg dfiadj', 'regulatory function', 'static qtl', 'four hundred', 'due low', '17 paternal', 'affinity cortisol', 'allelic frequency', 'thermal tolerance', 'meta analysis', 'aimed identify', 'oestrous sheep', 'h-fabp psmc1', 'understanding genetics', 'genotyping array', 'nine month', 'finnish yorkshire', 'host resistance', 'procedure sa', 'high heritability', 'dairy industry', 'follow-up study', 'longissimus thoracis', 'intramuscular fat', 'extreme form', 'semen volume', 'local chicken', 'background :', 'factor binding', 'significantly greater', '≤ 0.05', 'microsatellites covering', 'hu sheep', 'half-sib group', 'holstein cow', 'marker added', 'may contribute', 'luxi ×', 'backfat depth', 'chinese indigenous', 'litter size', 'previously reported', 'italian heavy', '20 24', 'experimental-wise level', 'comb mass', 'susceptibility etec', 'broad range', 'genotyped 165', 'in present', 'aim present', ' copb1 90', 'breeding season', 'holstein grandsire', 'likelihood method', 'favorable allele', 'discordant sib', '± 0.07', 'veterinary practice', 'identify quantitative', 'eggshell thickness', "5 '", 'androstenone level', 'on basis', 'low moderate', 'udder conformation', '72 cm', 'lysozyme concentration', 'model assuming', 'especially swine', 'already reported', 'puerperal psychosis', 'tlr9 tt', 'mixed model', 'cause lameness', 'provided evidence', 't. suis', 'q arm', 'respiratory disease', 'illumina porcinesnp60', 'glm procedure', 'shrinkage estimation', 'infection status', 'to elucidate', 'new zealand', 'cell volume', 'feed efficiency', 'training set', 'polygenic inheritance', 'breeding programme', 'ornithine decarboxylase', 'control ovlv', 'survival rate', 'triglyceride concentration', 'cloned sequenced', 'complement activity', '30 %', 'relationship matrix', 'g.3691g >', 'harness racing', 'western commercial', 'key enzyme', 'ripk2 −/−', 'cdna sequence', 'causative variant', 'piglet per', 'seminiferous tubular', 'deregressed estimated', 'chinese sutai', 'weighted single-step', 'local breed', 'contribute better', '49 70', 'g-protein-coupled receptor', 'lifetime reproductive', 'case control', 'oocyst shedding', 'least extent', 'onset puberty', 'navicular bone', '× erhualian', '6 week', 'advanced intercross', 'gwa analysis', 'production system', 'breast muscle', 'economic environmental', 'le susceptible', 'parent grandparent', 'birth weight', 'half-sib family', 'major histocompatibility', 'chinese erhualian', 'g.18377t >', 'amount phenotypic', 'nc 007316', 'carcass weight', 'chemical body', 'leg muscle', 'linkage phase', 'non-catalytic subunit', 'single-trait meta', 'g.874g >', 'widespread use', 'fn424076 :', 'single-locus multi-locus', 'variance explained', 'mineral density', 'play role', 'mode expression', '0.5 %', 'texel sheep', 'etec f41', 'joint analysis', '1 %', 'reference population', 'progeny produced', 'many specie', 'pufa content', 'wagyu x', "3 '", 'threshold derived', 'investigate genetic', 'large-effect pleiotropic', 'month age', '41 day', 'divergent line', 'linear model', 'support previous', 'could useful', 'white plymouth', 'use marker-assisted', 'http :', 'no significant', 'radiation hybrid', 'narrowed interval', 'data analyzed', 'marker bracket', 'poultry flock', 'may beneficial', 'identification causal', 'biological function', 'mechanism action', 'health disease', 'proc mixed', 'highly expressed', 'previous finding', 'step towards', 'regression approach', 'we propose', 'hanwoo beef', 'bcwd resistance', 'ultimate ph', 'result demonstrated', 'testicular weight', 'provide insight', '× landrace', 'cheese production', 'osteochondral lesion', 'post-weaning gain', 'reaction-restriction fragment', 'to better', 'region attained', 'method :', 'bull artificial', 'lp lta', 'european commercial', 'abnormal sperm', 'first step', 'explore genetic', '= 0.001', 'genomic relationship', 'regression interval', 'parasite resistance', 'combining information', 'nc 006091.3', "'s porcinesnp60", 'x y', 'play essential', 'exon-8 nr6a1', 'direct gestation', 'great economic', 'half-sibling family', 'involved regulation', 'calving ease', 'objective research', 'lactating cow', 'affecting leg', 'g.17507a >', '58 cm', 'varied among', 'affymetrix axiom', '25 26', 'racing performance', '55 cm', 'pork ph', 'f1 male', 'found statistically', 'corpus lutea', 'boar taint', 'broiler x', 'charolais x', 'likelihood ratio', 'imputed sequence', 'starting point', 'to knowledge', 'sus scrofa', '1.0 %', 'meat cooking', '238 f', '< 0.01', 'stillbirth calving', 'l1 insertion', 'metabolic pathway', 'genomewide significance', 'mongolia sheep', 'causal mutation', 'mapping resolution', 'f₂ population', 'bpi exon', 'previously published', 'affected calf', 'there also', 'genomic region', 'affected my', 'growth differentiation', 'ovine chromosome', 'difference prolificacy', 'understand genetic', 'incubation period', 'broiler line', 'full-sib family', 'melting point', 'x merino', 'herd life', 'may play', 'relevantly associated', 'native british', 'inbred line', 'interspecific hybrid', '< 0.001', 'to address', 'behavioural index', 'faecal egg', 'peak position', 'gensel software', 'silico analysis', 'first insemination', 'nematode resistance', 'nc 040256', 'narrow confidence', 'threshold determined', 'moderate heritability', '636a >', 'post immunisation', 'later parity', 'progeny tested', 'condition infection', 'genotype-phenotype association', 'scottish blackface', 'canadian angus', 'using high-density', '60 k', 'hanwoo cattle', 'cooking loss', 'these result', 'major source', 'provide useful', 'genome-wide rapid', 'packed cell', 'immune pathway', 'resistance cd', 'sequence variant', 'cast 101781475', '183 microsatellites', 'mrna level', 'contribute identification', 'a-fabp h-fabp', 'artiodactyl myadm-like', 'information content', 'strand conformation', 'key ancestor', 'genetic correlation', 'imprinting status', 'chromosomal region', '50 generation', 'duroc pietrain', 'random polygenic', 'lean meat', 'dlk1 meg3', 'component pregnancy', 'pietrain f2', 'pork tenderness', 'carboxylase alpha', 'eye area', 'principal component', 'potential causal', 'marker spanning', 'female reproductive', 'productivity farm', '2.4 %', 'ph value', 'first oviposition', 'chromosome wise', 'n =', 'us m', 'marker density', 'age first', 'ovarian follicle', 'novel insight', 'using 125', 'closely linked', 'body dimension', 'in total', 'top 10', 'metabolism mammal', 'lm semimembranosus', 'used perform', 'multiple chromosomal', 'connective tissue', 'epithelial cell', 'indigenous chinese', 'obesity human', 'may influence', 'bw bone', 'dry matter', 'illinois population', 'inflammatory disease', 'result confirm', 'bird genotyped', 'we report', 'initiator locus', 'interesting candidate', 'sire dam', 'future marker-assisted', 'genotypic frequency', 'mechanism underlying', 'meishan ×', 'radiographic data', 'protein synthesis', 'potentially involved', 'reducing incidence', '± 0.02', 'support hypothesis', 'fine map', 'cortisol level', 'lipid biosynthesis', 'epl score', 'strong evidence', 'subpopulation peripheral', 'interval mapping', 'mhc allele', 'number vertebra', '9-base continuous', 'f2 hen', '97 %', 'distributed across', 'developmental process', 'fa composition', 'wb shear', 'deregressed proof', 'mutation underlying', '84 cm', 'biological process', 'density lipoprotein', 'genotyping platform', 'limited power', 'may help', 'large number', 'withers height', 'prp genotype', 'developmental stage', 'bone fracture', 'aim study', 'ph decline', 'current study', 'in order', 'bioinformatics analysis', 'affecting economically', 'facilitate search', 'university broiler', 'covering 21', 'age 300', 'facial wrinkle', 'lm area', 'gnas domain', 'charolais ×', 'solute carrier', 'linear regression', 'last decade', 'nellore cattle', 'maximum significance', 'transcription start', 'adhesion phenotype', 'marker-trait combination', 'yield deviation', 'the northeast', 'missense mutation', 'weaning weight', '57 k', 'cm gga1', 'sequence similarity', 'first parity', 'histocompatibility complex', 'b c', 'arm porcine', 'map4k4 gene', 'poorly understood', 'population consisted', 'leg weakness', 'mendelian model', 'hot carcass', 'dominance variance', 'g.5678784a >', 'grandsire family', 'number corpus', 'snp/duplication locus', 'clinical sign', 'parent-of-origin effect', 'association study', 'selectively genotyped', 'c.10936g >', 'measured loin', 'improvement reproductive', 'type iia', 'pp fp', 'finding advance', 'useful information', 'a c.919g', 'rna-seq data', 'w x', 'on chromosome', '> c', 'performed separately', 'adult stature', 'height human', 'perinatal mortality', 'pig slaughtered', 'fiber number', 'markov chain', 'phenotypic variation', 'residual variance', 'acid content', 'allowed identification', 'body composition', 'activator transcription', 'eps8 gpat4', 'oar9 91647990', 'used calculate', 'shank head', 'genome assembly', 'milk sample', 'within sex', 'meat spot', 'similar position', 'bead chip', 'after quality', 'highly polymorphic', 'trait locus', 'random regression', 'energy balance', 'conformation score', 'eca3:79,533,282 79,533,285delttct', 'high-density single', 'restricted maximum', 'porcine gsk-3α', '= 0.021', 'decr1 me1', 'landrace intercross', 'based single-marker', 'mir206 mir133b', 'red junglefowl', 'protein-coding gene', 'we applied', 'polymorphic microsatellites', 'cheese yield', 'xm 001788152', 'first last', 'daily bw', 'help elucidate', 'limousin breed', 'logarithm odds', 'supernumerary teat', 'classical swine', 'one missense', 'posterior probability', 'response stress', 'bone cartilage', 'good candidate', 'week age', 'included random', '% genome-wise', 'mrna abundance', 'fertility treatment', 'bcse locus', 'chicken h3h3', 'lalba g.242t', 'adr- inra-design', 'we identified', '% vf2', 'commercial herd', 'swine industry', 'lowly heritable', 'suggested potential', 'gga rs13593979', 'indicate possible'}
In [85]:
matching_phrases = bi_unique & trait_phrases
# Count total matches
match_count = len(matching_phrases)
print(f"Total Exact Matches: {match_count}")
print(f"This represents {round(match_count/len(trait_phrases),4)*100}% out of all phrases in the dictionary.")
print("Matching Phrases:", matching_phrases)
Total Exact Matches: 118
This represents 0.52% out of all phrases in the dictionary.
Matching Phrases: {'semen volume', 'milk protein', 'number stillborn', 'body length', 'blood cell', 'glycolytic potential', 'ear size', 'hemoglobin concentration', 'bone density', 'lumbar vertebra', 'functional teat', 'carcass length', 'linoleic acid', 'thoracic vertebra', 'wound healing', 'ovulation rate', 'litter size', 'milk yield', 'comb mass', 'stearic acid', 'immune system', 'backfat thickness', 'mammary gland', 'small intestine', 'horn length', 'longissimus dorsi', 'immune response', 'body size', 'milk urea', 'ige level', 'feather pecking', 'sperm motility', 'chest girth', 'serum leptin', 'fatty acid', 'feed conversion', 'fat thickness', 'lipid metabolism', 'nervous system', 'oleic acid', 'meat ph', 'ham weight', 'heart weight', 'feeding behavior', 'maternal behavior', 'male fertility', 'longissimus muscle', 'eye muscle', 'shank length', 'gizzard weight', 'heart girth', 'pregnancy rate', 'chest width', 'loin eye', 'meat tenderness', 'leaf fat', 'gestation length', 'ribeye area', 'teat number', 'lactose yield', 'breast muscle', 'tibia length', 'shank diameter', 'triglyceride level', 'carcass weight', 'leg muscle', 'bone strength', 'female fertility', 'udder depth', 'postnatal growth', 'muscle fiber', 'abdominal fat', 'rib eye', 'body height', 'body weight', 'subcutaneous fat', 'dressing percentage', 'udder morphology', 'palmitoleic acid', 'back fat', 'chest depth', 'serum lipid', 'fat depth', 'energy balance', 'adrenal gland', 'chest circumference', 'nipple number', 'embryonic development', 'meat color', 'antibody response', 'hip width', 'plasma cortisol', 'egg weight', 'cortical bone', 't cell', 'social behavior', 'uterine horn', 'skin thickness', 'ovarian follicle', 'semimembranosus muscle', 'conception rate', 'energy metabolism', 'skeletal muscle', 'connective tissue', 'body conformation', 'non-return rate', 'muscle area', 't lymphocyte', 'serum ige', 'scrotal circumference', 'abnormal sperm', 'bone mineral', 'fetal growth', 'egg production', 'adipose tissue', 'longissimus thoracis', 'intramuscular fat', 'loin muscle'}
In [86]:
file_name = "QTL_text.json"
final_path = os.path.join(file_path, file_name)
df = pd.read_json(final_path)
df_processed = df[['Abstract', 'Category']]
df_processed = df_processed[df_processed['Category'] == 1]
df_processed['abstract_nltk'] = df_processed['Abstract'].apply(lambda token: [lemmatizer.lemmatize(token.lower()) for token in word_tokenize(token) if token not in stop_words])
abstract_tokenized = df_processed['abstract_nltk']
bigram = Phraser(Phrases(abstract_tokenized, min_count=2, threshold=15))
trigram = Phraser(Phrases(bigram[abstract_tokenized], min_count=2, threshold=15))
bigram_token = [bigram[doc] for doc in abstract_tokenized]
trigram_token = [trigram[bigram[doc]] for doc in abstract_tokenized]
bigram_text = [" ".join(token) for token in bigram_token]
trigram_text = [" ".join(token) for token in trigram_token]
bi_unique = set()
bi_good_phrases = [[token for token in doc if "_" in token] for doc in trigram_token]
bi_good_phrases = [[token.replace("_", " ") for token in doc] for doc in bi_good_phrases]
for doc in bi_good_phrases:
bi_unique.update(doc)
print(f"Number of good phrases in the trait dictionary: {len(bi_unique)}")
print(bi_unique)
Number of good phrases in the trait dictionary: 3964
{'af bm', 'novel promising', 'shear force ,', 'substitution effect', 'white leghorn', 'longissimus dorsi muscle', 'three month', 'used select', 'interesting result', 'foreshank weight', 'our finding', 'illumina porcinesnp60 beadchip', 'a. pleuropneumoniae', 'two-qtl model', 'g ]', 'promoter activity', '± 0.03', '20 cm', 'fat moisture', 'c.205g >', 'plasminogen activator', 'predictive ability', 'landrace backcross', 'bw70 bwg', 'c. *', 'epistatic pair', 'antibody level', 'bovine tuberculosis', 'stearic acid', 'qingyu pig', 'increase power', 'ankyrin 1', 'to date', '22 cm', 'r =', 'known function', 'curve parameter', 'lumbar bft', 'putative qtl', 'sexual precocity', 'minolta b', 'h2 =', 'small intestine', 'block defined', 'detection power', 'mean corpuscular volume', 'bacterial load', 'sire genotyped', 'haplotype constructed', 'lean meat yield', 'milk urea', 'economically relevant', 'farm animal', 'feed consumption feeding behavior', 'producer-recorded health', 'in summary', 'nominally associated', 'italian brown', 'β-lg b *', '10 12 week', '% total', 'behavioral phenotype', 'efficiency economically', 'holstein-friesian cow', 'bull b', 'lipid metabolism', 'japanese wild boar', 'chromosome 6', 'result suggested', 'improve understanding', 'breast muscle weight', 'set comprised', 'main-effect qtl', 'calf mortality', 'shank skin', 'genetic merit', 'pa sire', 'fetlock oc', 'cd dd', 'native chicken', 'normal-horned male', 'nc 037332.1', 'largest effect', '51 cm', '0.01 )', 'male female', 'relationship among', 'via marker-assisted', 'domain containing', 'body depth', 'prolificacy sow', 'two haplotype block', 'analysis highlighted', 'these result suggest', 'to explore', 'parasitic nematode', 'spot14alpha gene', 'porcinesnp60k beadchip', 'further research', 'polymerase chain reaction-restriction fragment', 'aa substitution', 'accuracy prediction', 'relatively large', 'allele frequency', 'higher marbling', 'telomeric end', 'future breeding', 'hanoverian warmblood', 'microphthalmia-associated transcription', 'shared q', 'sheep autosome', 'chromosome-wise significance level', 'a whole-genome', 'gluteus medius', 'f1 individual', 'protein kinase', 'selection strategy', 'chinese native', 'distribution width', 'cyp21 esr1', 'israeli holstein', 'susceptibility scrapie', 'tibia length', 'infectious disease', "cow 's ability", 'holstein dairy', 'mean corpuscular', "'s disease", 'porcine gpihbp1', 'erhualian pig', 'single- multi-trait', 'genomic region explained', 'berkshire x', 'odc gene', 'etec f4ac', 'c.919g >', 'luciferase activity', 'white duroc×erhualian', 'used estimate', 'performed genome scan', 'genome scan', 'mastitis susceptibility', 'percentage palmitic', '% additive', 'transcription factor', 'main objective', 'danish red', 'regression method', 'explaining large', 'linkage group', 'affecting leg weakness', 'p < 0.01', 'chinese holstein bull', 'line-cross half-sib', 'increase marker density', 'the objective', 'highly correlated', '0.05 )', 'end second parasite challenge', 'udder morphology', 'for example', 'become possible', 'growth hormone', 'second parity', 'suggesting polygenic', 'genotype dd', 'zinc finger', 'belgian texel', '300 day', 'salmonella infection', 'unbiased prediction', 'performed genome-wide', 'bayesian approach', 'candidate gene related', 'measure meat quality', 'residual feed intake', 'porcine snp60 beadchip', 'suggestive significance threshold', 'embryonic development', '× sex interaction', 'exon 1', 'sliding window', 'recent year', 'skeletal investment', 'gga rs14554319', 'duroc ×', 'acute chronic', 'window explained', 'gpihbp1 mrna', 'mass spectrometry', 'uncoupling protein', 'background : improving', 'causal factor', 'by combining', 'element binding', 'estimate fertility', 'direct indirect', 'reciprocal cross', 'many case', 'randomly selected', 'nematode infection', 'first report', 'result supported', 'rfi1 rfi2', 'candidate gene associated', 'differentially expressed', 'compared previous', 'fresh sperm motility', 'c.2002c >', 'ct scanning', 'daughter yield deviation', 'insulin-like growth', 'reproductive physiology', 'gene-specific single nucleotide polymorphism', '40 %', 'performed 183', 'bodyweight conformation score', 'strong positional', '31 cm', 'variance accounted', 'response infection', '12 week', 'c14 index', 'p = 0.012', 'differential expression', 'result showed', 'production meat quality', 'wild-type ewe', 'italian large white', 'selection improved', 'a > g', 'high quality', 'to dissect', 'provides new', 'lepr allele', 'on chromosome 3', 'commercial hanwoo', 'rapid association', '183 microsatellites covering 19', 'statistically significant', 'significance threshold', 'blue-shelled chicken', 'causative gene', 'dairy cow', 't lymphocyte subpopulation peripheral', 'largest number', 'allergen-specific ige', 'model fitted', 'german holstein', 'c. [', 'fatty acid .', 'plasma membrane', 'ibk susceptibility', 'alternative allele', 'glycolytic potential', 'using least square', 'wide range', 't > c', '48 cm', 'first lactation', 'strongly associated', 'examine whether', 'dna pool', 'metabolism pathway', 'ebv lp', 'genomic information', 'eye colour', 'kb downstream', 'high-density snp chip', 'day ai', 'immune capacity', '( illumina inc.', 'rh mapping', 'commercial crossbred', 'polymerase chain', 'improvement livestock', 'additive genetic variance', 'polymorphism occurring', 'needed confirm', 'conformation polymorphism', 'coefficient variation', 'chromosome 5', 'relative contribution', 'first service', 'rhode island', '> t', 'testis weight', 'maternal infanticide', 'antibody titre', 'ph lm', 'bos taurus', 'whey protein', 'whole population', 'ovine hsp90aa1', 'splice variant', 'birth weaning', 'imprinting effect', 'growth development', 'lipid content', 'associated leg weakness', 'scottish blackface lamb', 'nutritional value', 'white duroc', 'snp g.14,862t', 'analysis performed', 'oleic acid', 'p-value =', 'total 44', 'using haley-knott', '× 10-5', 'feed intake efficiency', 'h model', 'modified live', 'diagnostic parameter', '19 26', 'dairy sheep', 'maternal behavior', 'several single nucleotide', 'ovis aries v3.1', '> a', 'earlobe color', ' tef-1 86.5', 'different criterion', 'w x y pig', 'perform genome-wide', 'kinase 2', 'candidate gene involved', 'weakness pig', 'feed efficiency trait', 'important role', 'c.622c >', 'spawn weight', 'pathway rfi', 'equine osteochondrosis', 'newly developed microsatellites', 'day post', 'c allele', 'implementation selection', 'these result help', 'pathogenic disease', 'broodstock population', 'this finding', 'genetic mechanism', 'c.10718g >', 'negative effect', 'p < 0.1', 'significantly associated body weight', 'lead better', 'exceeded genome-wide significance threshold', "3 ' utr", 'the northeast agricultural university', 'ab genotype', 'body development', 'post infection', 'molecular level', 'this study investigated', 'week life', 'pleiotropic qtl', 'bb710-pvrl2 c.392g', 'disease virus', 'quality grade', 'meat colour', 'fdr <', 'egg count', '0 21', 'agreement result', 'affected pp', 'fixed effect', 'triglyceride level', 'across time', 'difficult measure', 'androstenone concentration', 'selective genotyping', 'large white meishan', 'genetic variability', 'equine oc', 'boar taint compound', 'finnish landrace', 'toward identification', 'heritability imf', 'snp43 g', 'growth factor', 'ldha copb1', 'allowed u', 'late lactation', 'junken type', '24 hour', 'polymerase chain reaction-single strand', '95 %', 'association single nucleotide', 'double backcross population', '; bta18', '168 cm', '. in conclusion', 'approach applied', 'meat-type chicken', 'p = 0.04', 'present work', 'blood component', 'coincided previously', 'leghorn chicken', 'increased age 110', 'bta 6', 'allelic effect', 'sus scrofa build', 'this study reveals', 'scrapie incubation', 'atp1a1 gene', 'water content', 'dongxiang blue-shelled chicken', 'confirm previous', 'one thousand', 'udder health', 'might useful', 'influenced number', 'genome-wise significance level', 'gga 1', 'reproduction performance', 'single-step gblup', 'c.1111a allele', 'maternal infanticide behavior', 'shank growth', 'gushi chicken', 'comparative sequencing', 'feed intake', 'showed strongest', 'direct calving', 'upstream region', 'gene network', 'layer cross', 'next generation', 'ib x', 'change amino acid', 'this first', 'fat colour', 'approach implemented', 'nuclear receptor', 'regulatory element', 'anxa10 -/-', 'productive life', 'parameter estimate', 'suggestive significance', 'using illumina', '× german', '35 day', 'tumor initiator', 'growth-related trait', 'evenly distributed', 'ra type', 'per family', 'm1 line', 'vrtn genotype', 'injection nesfatin-1', 'among others', 'molecular mechanism', 'top snp', 'identify genomic', 'saturated fatty acid', 'polish landrace', 'conclusion :', 'iberian x landrace intercross', 'worm egg', 'aquaculture industry', 'muscle mass', 'resistant animal', 'first scan', 'to confirm', 'regional heritability mapping', 'time point', 'conclusion : the', 'twinning rate', '× 10-6', 'provide valuable', 'hock joint', 'control strategy', 'number egg', 'liver weight', 'analysis confirms', 'number stillborn', 'number functional teat', 'permutation test', 'viral load', 'yorkshire pig', 'crossbred lamb', '119 mb', 'negative correlation', 'high-density snp', 'bayes b', 'much higher', 'significantly lower', 'second shearing', 'using imputed', 'ingenuity pathway', 'f :', 'percentage carcass', 'result presented', 'concentration beta-lactoglobulin', 'study provides', 'analyzed include', 'estimation method', 'immune regulation', 'phenotypically extreme', 'selection pressure', 'se vaccine', 'equine autosome', 'linkage map', 'average distance', 'maternal calving', 'genomic best linear unbiased', 'artificial insemination (', 'abomasal lymph node', 'production trait', '4 month', 'dna pooling', 'ph blood gas', 'divergent phenotype', 'strong association', 'jersey cattle', 'polymorphic site', 'italian holstein', 'atp-binding cassette', 'age class', 'monounsaturated fatty', 'associated multiple chromosomal', 'previously demonstrated', '110 kg', 'used ass', 'difference among', 'microsatellite marker used', 'growth feed intake', 'porcine 60k', 'genome-wide scan performed', 'milk fever', 'selection program', 'cause amino', 'milk fat', 'genetically diverse', 'new method', 'large proportion', 'call rate', 'welfare issue', 'sexual ornament', 'caused mycobacterium avium', 'p <', 'using pcr-single-strand', 'daily bw gain', 'autosome x', 'test-day record', '5 %', 'porcine chromosome', 'liver muscle', 'result confirmed', 'average backfat', 'gga5 af', 'loin yield', 'porcine cmya1', 'spongiform encephalopathy', 'spawning date', 'traced back', 'reached genome-wide', 'single step', 'genomic segment', 'genomic blup', 'backfat ebv', 'regression bayesian', 'single-marker regression', 'reduce incidence', 'animal model', 'haplotype linkage disequilibrium', 'regulatory mechanism', 'cc tc', 'valuable information', '305-day milk', 'pietrain sire', 'first egg', 'parent genotyped', 'snp50 beadchip', 'loin muscle area', 'marker-trait association', 'we detected', 'quantitative phenotype', 'brsv specific antibody', 'acsl1 gene', 'equine snp50', 'plumage color', 'hypothalamus adrenal gland', 'horn type', 'erythroid trait', 'to achieve', "'s porcinesnp60 beadchip", 'animal welfare', 'mostly located', 'dna sequencing', 'gestation length', 'imputed sequence data', 'may therefore', 'dongxiang blue-shelled', 'order reduce', 'absent :', 'x erhualian intercross', '2574 2576delgtc', 'minolta l *', 'broiler layer', 'to determine', 'genome scan conducted', 'soay sheep', 'channel catfish', 'affect tenderness', 'faecal sample', 'affecting meat quality', 'microrna mir-1596', 'prediction accuracy', 'mixed animal model', 'an f', 'cell differentiation', 'androstenone skatole', 'female fertility', 'average daily gain birth', 'linear regression model', 'recent advance', 'the purpose', 'livestock specie', 'single-marker association', 'faecal worm egg count', 'swedish holstein', 'molecular marker', 'live animal', 'significantly associated rfi', 'positional concordance', 'body height', 'human consumption', 'result indicated', 'chromosome 4', 'regulating expression', 'clinical subclinical ketosis', 'additive dominance', 'palmitoleic acid', 'measured ct', 'beef cattle breeding program', 'q haplotype', '5 % genome-wide', 'direct maternal', 'spanning whole', 'due high', 'force sensory', 'adrenal gland', 'milk fatty acid profile', 'chromosome 7', 'estimate genetic parameter', ', feed conversion', 'additive dominant', '. least square', 'causative mutation', 'still segregating', 'may explain', 'red chicken', 'additional microsatellites', 'serve useful', 'white marking', 'anatomical location', 'mechanism regulating', 'hip width', 'using illumina porcine snp60', 'validation dataset', 'cold water', 'onset sexual', 'merino sheep', 'fetlock joint', 'gene involved', 'nordic red cattle', 'german fleckvieh', 'genomic region explain', '-270t >', 'cell proliferation', 'economically important trait', 'classical swine fever', 'affecting milk production', 'covering whole', 'used investigate', 'qtlmap software', 'discordant sib pair', 'there considerable', 'lep g.1387c > t', 'phenotypic genetic correlation', 'multiple testing', 'these result provide evidence', 'dna repository', 'cie l', 'environmental factor', 'qtls affecting leg', 'cell cycle', '99 %', 'milk fatty', 'growth performance', 'blocking percentage', 'resistant susceptible', 'single marker', 'half-sib model', 'south german', 'faecal culture', 'genetic diversity', 'protein yield', 'underlying genetics', 'lean meat production', 'control ovlv post-infection', 'genomic sequence', 'p ≤', 'npc1 gene', 'significantly affect', 'across 29', 'first time', 'variance component', 'confirmed previous', 'genotypic data', 'milk bhb', 'granddaughter design', 'associated resistance cd', "mutated site 3'utr", 'suffolk texel', 'least 2', 'chinese holstein cow', 'gwa study', 'line selected', 'sequencing technology', 'snp chip', 'risk factor', 'barki ewe', 'full sequence', 'imputed full', 'milk yield', 'might involved', 'leptin receptor', 'p.phe279tyr mutation', 'gemma software', 'red maasai', 'chinese red cattle', 'human mouse', 'igga ige', 'copy number', 'identifying causal', 'coat colour', 'target sequence', 'sire family', 'used map', 'fetlock ocd', 'laiwu pig', 'g.2836 a', 'moderate-large effect', 'individual belonging', 'ib x lr cross', 'haplotype encompassing', 'marker interval', 'blv proviral load', 'susceptibility btb chinese holstein', 'faecal egg count', 'unaffected animal', 'population gushi', 'gwas meta-analysis', 'performed using', 'age first calving', 'mapping approach', 'the majority', 'university wisconsin', 'fatty acid', 'family member', 'fatty acid-binding protein', 'milk fatty acid', 'luciferase assay', 'marker-assisted selection increase', 'bovine milk', 'count recorded', 'provides evidence', 'peak force', "johne 's", 'insight molecular', 'conformation functional', 'retained placenta', 'sequence share', 'significant comparison-wise', 'host genetics', 'human health', 'plasma coloration', 'our finding provide', 'g > c', 'growth egg', 'linkage disequilibrium block', 'major determinant', 'reproductive trait', 'bft hw', 'would beneficial', '156 157del', 'allele substitution effect', 'identify causal', 'interaction network', 'intramuscular fat content', 'dd higher', 'driploss %', 'fatty acid (', 'genome wide', 'heifer conceive', 'highly pathogenic', 'outbred f2', 'chicken h3h3 diplotype', 'whole-genome sequencing', 'analysis showed', 'il8 haplotype', 'chinese merino sheep', 'target site', 'full-length coding', 'chicken line', 'piglet per litter', 'carcass merit', 'f (', 'six month', 'reported previously', 'genbank accession', 'leaf fat', 'native chinese', 'understanding genetic', 'our result support', 'f2 animal', 'correspond previously', 'genotyping technology', 'genetically related', 'body condition', 'used analyse', 'nucleotide sequence', 'effect single nucleotide', 'novel single nucleotide', 'p < 0.10', 'monte carlo', 'cooked meat', 'radiation hybrid mapping', 'conclusion : our result', 'meishan allele', 'error rate', 'cc genotype', 'year birth', 'color score', 'number spermatozoon', 'f2 offspring', 'apob gene', 'derived intercross', 'phenotypic record', 'resource family', 'background : in', 'across entire', 'new experimental', 'marker regression', '5 × 10-8', 'close proximity', 'aimed investigate', '. the aim', 'fragmentation index', 'genetic selection', 'genetic mechanism underlying', 'located exon', 'statistical power', 'the availability', 'underlying biological', 'chi-square test', 'result demonstrate', 'jersey breed', 'differentially expressed gene', 'a total', 'scan performed', 'capn1 rs81358667g', 'strong linkage', 'muscle fibre', 'fatness growth', 'proviral load', 'following daughter design', 'abdominal fat percentage', 'slc11a1 region', '139 f', 'chest circumference', 'buffalo cattle', 'previously shown', 'statistical analysis', 'matrix-assisted laser', 'function related', 'high correlation', 'involved fatty acid', 'identifying genetic basis', 'rate per', 'beef production', "cow 's", 'quantitative trait', 'daughter analyzed', 'molecular breeding', 'f2 population', 'adult height', 'per cent', 'enrichment analysis', 'genotype-phenotype relationship', 'intron 4', 'g > a', 'social behavior', 'pregnancy rate first service', 'sample dna', 'feed conversion ratio', 'parent f', 'model applied', 'using maximum likelihood', 'energy homeostasis', 'friesian cow', 'hcr1 tbrd', 'allelic substitution', 'insight complex', 'daughter design', ': our', 'expression nucb2', 'polyunsaturated fatty', 'internal organ weight', 'poll dorset', 'transmission disequilibrium test', '% 10.9', 'underlie variation', 'u holstein', 'calving first service', 'one hundred', 'fatty acid metabolism', 'used describe', 'italian landrace', 'mapping method', 'least one', 'domesticated white', '1.8 %', 'line-cross model', "illumina 's", 'bovine genome', 'exon 3', 'yellow meat-type', 'entire resource', 'cmya1 gene', 'snp64 g', 'sheep industry', 'tandem repeat', 'adipose tissue', 'sire representing', 'number teat', 'scrapie incubation period', 'option gensel', 'test hypothesis', 'p-value < 2.2x10-16', 'paternal maternal', 'illumina porcine', 'body length', 'multitrait group', 'genotype tt', 'next-generation sequencing', 'favourable allele', '50 k', 'boar taint fertility', 'total number born', 'identify common', 'cytokine signalling', 'carcass length', 'genome-wise level', 'seven single nucleotide', 'innate immune response', 'odds infection', 'f2 individual', 'showed significant', 'total serum ige', 'g.+6723a allele', '72472 g', 'wool fineness sd', 'recent availability', 'mapping population consisted', 'could potentially', 'three-generation full-sib', 'putative causative', 'dairy product', 'transcriptional activity', 'cooperative dairy', 'brahman ×', 'partial correlation', 'purebred population', 'undertaken using', 'phenotypic variance explained', 'back feather', 'we discovered', 'rear leg', 'binding protein', 'poultry industry', 'narrow confidence interval', 'represent first', 'horn length', 'consistent previous', 'dominance deviation', 'underlying genetic mechanism', 'f2 experimental', 'intensive selection', 'yearling height', 'summer milk', 'two distinct', 'genome scan performed', '50 %', 'additional marker', 'bmts mqts', '80 cm', 'feed conversion', 'performed identify', 'genbank :', 'confidence interval', 'r2 =', 'breaking strength', 'porcine autosome', 'objective study identify', 'fecx n', 'biological pathway', 'nominal p', '> 0.2', 'across family', 'advance understanding genetic basis', 'proportion variance', 'jinghai yellow', 'considerable economic', 'susceptible animal', 'fertility trait', 'mixed linear model', 'non-additive genetic', 'subclinical ketosis', 'pleiotropic closely', 'may used marker-assisted', 'ham weight', 'architecture underlying', '> 0.5', 'detect quantitative trait locus', '777 k', 'low density', 'useful reference', 'age puberty', 'reproductive efficiency', 'considerable variation', 'fat protein yield', 'inflammatory response', '60k snp chip', 'skatole indole', 'imf content', 'these result provide', 'marker-assisted selection', 'one single nucleotide', 'italian simmental', 'mir-predicted milk', 'blood sample obtained', 'coat color', 'inbred chicken', 'calving first insemination', 'considered candidate', 'our aim', 'simulation study', 'white duroc × erhualian', 'meat tenderness', 'danish swedish', 'relatively small', 'c >', 'may lead', 'difference observed', 'p = 0.0001', 'milk fa', 'there strong', 'epididymal weight', 'iberian ×', '1-mb window', 'selection scheme', '-190g >', 'cebpa gene', 'chromosomal region associated', 'humoral innate', 'rump length', 'p >', 'interesting candidate gene', 'shank diameter', 'no difference', 'intergenic region', 'associated boar taint', 'statistical approach', 'genomic region containing', 'gene encodes', 'tenth rib bft', 'complete linkage disequilibrium', 'pig genome', 'genome-wide association study', 'dl gga1', 'immune function', 'provided useful', 'homozygous mutant', 'mechanism underlie', 'existing breeding scheme', 'animal research center', 'finnish ayrshire', 'specific age', 'phenotypic standard deviation', 'beef industry', 'tick burden', 'body weight', 'this study provides', 'we genotyped', 'small interval', 'in general', 'piglet weaning', 'peroxisome proliferator-activated receptor gamma', 'amino acid sequence', 'moderate high', 'previous study', 'feed efficient', 'genotype available', 'gg genotype', '% chromosome-wide', 'important indicator', 'bta 18', 'functional candidate', 'equine chromosome', 'study needed', 'peroxisome proliferator-activated', 'number piglet born alive', 'exon 4', 'tight junction', 'casp3 rs319658214g', 'would allow', 'illumina porcinesnp60k beadchip', 'potential application', 'wk age', 'illumina bovine', 'knowledge genetic', 'na titer binding', 'genome-wise significant qtl', 'locate quantitative trait locus', '. the purpose', 'g.-633 -632ins', 'dairy cattle breeding', 'sd polygenic', 'daily feed intake', 'oxytocin signaling', 'chromosome-wise significant', 'group at-hook', 'fat lean', 'high heritabilities', 'pig passed', 'semimembranosus muscle', 'conception rate', 'physical chemical', 'aa ab', 'mixed linear', 'hanoverian stallion', 'esc resistance', 'bonferroni-corrected genome-wide', 'skeletal muscle', 'understand genetic architecture', 'conducted determine', '; p <', '70 cm', 'myod1 75.2', 'genomic profiler', 'repository population', 'backcross pedigree', '< 0.05', 'no overlapping', 'muscle area', 't lymphocyte', 'genetically phenotypically', 'blood sample collected', 'longissimus muscle area', 'failed identify', 'combined linkage disequilibrium', '18 22', 'fetal growth', 'significantly le', 'sow thus', 'pork quality', 'camkmt gene', 'reproductive longevity', 'loin muscle', 'snp3 t', 'role regulation', 'genome-wise basis', 'prrsv infection', 'chromosome-wide significance', 'trait rainbow trout', 'gas chromatography', 'body weight gain', 'residual feed', 'cortisol response', 'scan conducted', 'made possible', 'responsible variation', 'involved maintaining', 'towards identification', 'this study demonstrated', 'moisture content', 'ssc 1', 'korean cattle', 'in lr', 'indicus cattle', 'single-nucleotide polymorphism (', '5 single nucleotide', 'bone quality', '54 cm', 'expand knowledge', 'montana tropical®', 'candidate region', 'research centre', 'kinship matrix', 'chl milk', 'using half-sib', 'vitamin a', 'lead phenotypic variation', 'genetic progress', 'g.27534932a >', 'result obtained', 'eaat2 drd1', 'previously detected', 'crossbred population', 'ld block', 'understanding molecular', 'x large white', 'covering 31', 'p =', 'late-feathering chick', 'black white', 'ige level', 'marker covering', 'variable selection', '29 bovine', 'best linear', 'concentration beta-lactoglobulin milk', 'bvs model', 'taurine breed', 'genomic prediction', 'italian brown swiss cow', 'livestock production', 'conclusion : we identified', 'previous research', 'proportion phenotypic', 'indel mutation', 'strong candidate', 'semen trait', 'genotype cc', 'common form', 'synonymous mutation', 'biological mechanism', 'variation abhd5', 'b *', 'objective present', 'these finding', 'substantial proportion', 'information investigation', 'aggressive behaviour', 'channel subfamily', 'regression interval mapping', 'purebred duroc', 'meat ph', '11.5 %', 'transforming growth', 'btb infection', 'our data', 'dna extracted', 'high low', 'quantitative pcr', 'least square', 'post-mortem examination', 'steer bull', 'enrichment analysis list', 'subunit g', 'melanocortin-4 receptor', 'oar9 91721507.1', 'cebpd gene', 'previous genome scan', 'could decrease', 'i ra', 'reproductive function', 'involved development', 'coincided previously reported', 'analysed separately', 'marker assisted', 'bovinesnp50 beadchip', 'genome-wise significance', 'primarily affect', 'milk somatic cell', 'present study detect quantitative', 'commercial broiler', 'measured live', 'leg conformation', 'conduct genome-wide', 'might important', 'data set', 'metabolic disorder', 'environmental condition', 'need validated', 'difficult expensive', 'point mutation', 'involved inflammatory', 'heat tolerance', '60 week age', 'high-density single nucleotide polymorphism', 'breeding program', 'f ( 0', 'open reading frame', 'f8 f10', 'located throughout', 'five hundred', 'role regulating', 'content cell', 'previously associated', 'noninfectious claw', '134 bp', 'hypersensitive reaction', 'the aim', 'dominant recessive model', 'genomic architecture', 'elovl6 : c.-533c >', 'analyze data', 'p = 0.03', 'live weight', 'avian influenza', 'average daily', 'play important role', 'muscle depth', 'pig meishan/pietrain', 'bwg fi', 'determine whether', 'sutai population', 'might play', '56 kg', 'fetal response', 'artificial selection', 'proportion variance explained', 'gompertz growth', 'causative agent', 'experimental data', 'number born', 'found ssc8', 'increasing number', 'essential diagnostic parameter veterinary', 'x jersey', 'we conducted', 'abdominal fat', 'calpain 1', 'human nutrition', 'pork production', 'stallion fertility', 'provide basis', 'resistance mastitis', 'ovinesnp50 beadchip', 'critical region', 'nelore cattle', 'c.-106 -91delgccaggggtgtgagcc', 'montbéliarde cow', 'hock oc', 'bovine chromosome 5', 'experimentally infected', 'quantitative real-time pcr', 'white leghorn chicken', 'erhualian allele', 'poultry production', 'included fixed', 'statistical model', 'fine map qtl', 'nba tnb', ' csrp3 83.8', 'sample collected', 'population stratification', 'genotype aa', 'in paper', 'provide evidence', 'established crossing', 'pcr-sscp dna sequencing', 'holstein population', 'highly significant association', 'superovulation response', 'generalized linear mixed model', 'mainly located', 'anal atresia', 'we conclude', 'diacylglycerol o-acyltransferase 1', 'x 10', 'proposed method', 'distal part', 'negative regulator', 'help select', 'the strongest', 'largest proportion', 'bb genotype', 'mm >', 'rump fat', 'infanticidal sow', 'phenotypic standard deviation unit', 'located ssc2', 'il-15 gene', 'synthetic line', 'hen genotyped', 'mineral balance', 'selected genotyping', 'investigate whether', 'val dataset', 'bta 23', '183 microsatellite', 'play critical role', 'a/a genotype', 'energy metabolism', 'milk-fat yield', 'percentage cw', 'would useful', 'fat content', 'dh dj', 'important source', 'genetic resource', 'forced pcr-rflp', 'vertebral number', 'region harboring', 'candidate gene fatty acid', 'enterotoxigenic escherichia', 'we found', 'previous report', 'mrna expression level', 'teat udder', 'reproductive seasonality', 'holstein sire', 'genome-wide suggestive', 'contribute understanding', 'paternally expressed', 'phenotypic value', 'after quality control', 'egg production', 'study combine', 'using mixed', 'in spite', 'horse breed', 'porcine skip', 'background : bovine', 'ph color', 'centromeric region', 'high density', 'korean native pig', 'minor allele', 'protein percent', 'meat ph value', 'riboflavin content', 'year age', 'epistatic qtl', 'pig breeding', '< 0.10', 'white duroc x erhualian', 'conclusion : this study', 'sexual maturation', 'candidate gene', 'affecting sc', 'suggestive linkage', 'increased calf', 'large white landrace', 'pure line', 'beef cattle', 'coding region', 'experimental farm', 'wound healing', 'structural protein', 'time-of-flight mass', 'experimental population', 'dopamine receptor', 'all experimental', 'cattle breed', '50 kb', 'understanding underlying', 'genome-wide significance', 'general linear', 'random forest', 'resistance mdv', 'chain reaction', 'using bayesian', 'spanish churra', 'milk chl', 'shank girth', 'weaning yearling', 'located non-coding', 'foot score', 'purpose study', 'polygenic nature', 'false discovery rate', 'longissimus dorsi', 'congenital entropion', '23 day', 'nanyang cattle', 'genetic control', 'body measurement', 'mean corpuscular hemoglobin concentration', 'mastitis resistance', 'prediction equation', 'outbred population', 'linear mixed model', 'genetically correlated', 'japanese black cattle', 'to fine map', 'g >', 'large amount', 'a single nucleotide', 'dairy herd', 'understanding genetic architecture', 'compressed mixed', 'igf2 substitution', 'caudal supernumerary', 'landrace ×', 'conducted genome-wide', 'musculus longissimus', 'run homozygosity', 'could used', 'vaccenic acid', 'polar overdominance', 'exceeded threshold', 'beef marbling standard', 'length five limb', 'linkage map constructed', 'evidence presence', 'nervous system development', 'dh compared dj', 'clinical-chemical trait', 'commercial population', 'granddaughter design .', '50 cm', 'via system', 'annotated gene', 'suggestive level', 'in contrast', 'male fertility', 'multi-trait gwas', ' ldha 79', 'porcine genome', 'chicken crossed', 'genomic relationship matrix', 'significance level', 'shank length', 'holstein-friesian sire', 'microtia sheep', 'use marker-assisted selection', 'obtained crossing', 'dairy cattle', 'charolais x holstein', 'developmental orthopaedic disease', 'these data', 'our previous', 'explore genetic mechanism underlying', 'pregnancy rate', 'g.327c >', 'improved accuracy', 'mtnr1a gene', 'p = 0.0003', "5 ' 3 '", 'showed higher', 'pedigree information', 'missing homozygous mutant genotype', 'protein percentage', '50 adjacent', 'carried using', 'teat number', 'berkshire x yorkshire resource', 'p-value <', 'conducted identify', 'p < 0.001', 'at least', 'white blood cell', 'simultaneous detection', 'snp array', 'genetic parameter estimated', 'ssc 7', 'map infection', 'associated phu', 'unsaturated fatty', 'ib x m', 'yearling weight', 'first second', 'repeat domain', 'caused mutation', 'previously mapped', 'finding helpful', 'already mapped', 'small moderate', 'resistance gastrointestinal', 'landrace pig', 'allowed detection', 'gene ontology', 'ear tissue', 'number lumbar vertebra', 'nordic red', 'duroc breed', 'knowledge genetic architecture', 'future fine-mapping', 'known affect', 'sequenom massarray', 'toll-like receptor', 'breeding improved', 'imputed sequence', 'udder depth', 'mendelian expression', 'deregressed estimated breeding value', 'there evidence', 'chromosome 14', '14 paternal', 'adipocyte differentiation', 'consistent hypothesis', 'linkage disequilibrium information', 'breeding goal', 'a whole-genome scan', '9 wk', 'non-parametric linkage', 'combined lc', 'n = 370', 'significantly associated', 'x chromosome', 'small number', 'dairy cattle breed', '; however', 'taurine zebu', 'fine mapping qtl', 'parasite infection', 'genome sequence', 'genotyped using illumina bovinesnp50', 'objective study', 'g.48476943 48476946insggc', 'involved either', 'controlled multiple', 'iberian landrace pig', 'reproductive performance', 'conducted genome-wide association study', 'association using mixed', 'whole-genome sequence data', '50 k snp array', 'obesity related', 'particular interest', 'porcine il-1a', 'm3 line', 'data consisted', 'spleen bacterial load', 'leucocyte number', 'oncorhynchus mykiss', 'positional candidate', 'yield grade', 'igg1 igg2', 'experiment-wise significance', 'novel qtls', 'considerable economic loss', 'genome-wide association', 'diallelic dgat1', 'parasite burden', 'regression analysis revealed', 'dairy cattle population', 'my pp', 'weight egg', 'porcine meat quality', 'loin depth', 'genotypic model', 't cell', 'spef2 gene', 'maternally expressed', 'oar3 115712045.1', 'present study', 'moderately heritable', 'produced mating', 'an additional', 'variant underlie', '4 week', 'nematode parasite', 'rainbow trout', 'z chromosome', 'c. * 636a >', 'young bull', 'haplotype-based association', 'susceptibility btb', 'this paper', 'fabp gene', 'feed consumption', 'family comprising', 'morphological trait', 'linkage analysis revealed', 'maternal line', 'trichostrongylus colubriformis', 'h1 × h4', 'slick locus', 'body conformation', 'potential regulatory', 'intramuscular fat deposition', '194 microsatellite', 'high linkage disequilibrium', 'posterior distribution', 'provide important', 'this first time', 'scan carried', 'bovine respiratory', 'economic importance', 'scrotal circumference', 'sex interaction', 'slaughter weight', 'marker located throughout', 'selected abdominal', 'finding provide', 'suffolk sheep', 'elovl6 gene', 'aa genotype', 'disease dairy', 'flanked marker', 'productivity farm animal', 'hanoverian warmblood horse', 'erhualian f2', 'sexual selection', 'lamb per', 'accession number', 'european wild', 'bos taurus breed', 'cddr population', 'ryr1 prkag3', 'related immune', 'maternal stillbirth', 'phylogenetic analysis', 'meat quality carcass', 'korean holstein', 'a model assuming', 'commercial duroc', 'significant association', 'analysis conducted', 'using linear mixed', 'texel sire', 'iberian landrace', 'meat quality trait', 'applied selective', 'fatty acid trait', 'teat count', 'metabolic process', 'g13781 13782del/insag', 'c > g', 'large white', 'm. semispinalis', 'eight single nucleotide', 'different genetic background', 'intron 3', 'tibial breaking strength', 'to identify', 'boar taint component', 'line 990', 'breeding practice', '> g', 'mammary gland', 'upstream lcorl', 'power detect', 'false discovery', 'united state', 'investigated whether', 'fatty acid ,', 'shed new', 'hormone receptor', 'half-sib analysis', 'g allele', 'mouse human', '< 0.0001', 'within-breed gwas', 'teat udder score', 'prediction ability', 'we used', '( e.g', 'body wfe', 'obvious candidate gene', 'endocrine fertility trait', 'feed efficiency beef cattle', 'genomic evaluation', 'progeny tested bull', 'efficient mixed model', 'sick cow', 'proximal end', 'additive genetic', '93 mb', 'functional positional', 'dna sequence', 'porcine reproductive respiratory syndrome', 'highly associated', '60k chicken', 'non-carrier male', 'regression model', '100 kg', 'sarcocystis miescheriana', 'haplotype inferred', 'bovinehd beadchip', 'ultrasound measure', 'quality attribute', 'provides list', 'significant hit', 'provided opportunity', 'fdr < 0.05', 'homozygous major', 'lean-type breed', 'whole-genome sequence', 'f2 cross', 'lean fat', 'many country', 'economic success pork', '87 %', 'ctnnal1 c.1878', 'quality trait', 'bta 8', 'laying hen', 'direct calving difficulty', 'reduce impact', 'finding herein', 'social reactivity', 'study reveals', 'skeletal frame', 'mutant genotype', 'weaning weight (', 'holstein bull', 'longissimus dorsi muscle area', '140 kg', 'silv c.64a > g', 'somatic cell', 'important economic', 'landrace boar', 'play important', 'highly conserved', 'complete genome', 'illumina porcine snp60', 'high imf', 'muscle tissue', 'growth fatness', 'f2 population derived', 'red blood cell volume', 'heart girth', 'four suggestive', 'german landrace', 'biological mechanism underlying complex', 'leptin gene', 'porcine mtpap', 'bhb concentration', '24 h', 'dairy production', 'current work', 'domestic sheep', 'milk fat yield', 'backfat muscle', 'membrane protein', 'lactose yield', 'porcine tgfbr1', 'require validation', 'rib bft', 'alberta hybrid bull', 'these result demonstrate', 'ppn0 =', 'sequencing method', 'illumina beadchip', 'functional role', 'multibreed gwas', 'genome-wide significant', '< 0.1', 'internal organ', 'tested association', 'north american', 'expression data', 'estimated breeding value', 'linkage analysis', 'different stage', 'holstein dairy cattle', 'serum level', 'data suggest', 'image analysis', 'binding site', 'i complex', '5 ×', 'lda german', 'package r', 'susceptible lamb', 'testing set', 'birth weight backfat thickness', 'crossed anka', 'significantly associated lifetime average', '45 min', 'gushi-anka f2', 'average spacing', 'c.44g >', 'genetic predisposition', 'bayes factor', 'whole genome sequencing', 'genetical genomics approach', 'pooled dna', 'compound androstenone', 'fat deposition', 'infected cow', '281 day', 'cell count', 'platelet-related trait', 'genetic regulation', 'epistatic interaction', 'female sexual', 'advance understanding', 'mapping corresponding', 'intramuscular fat (', 'serum lipid', '600 k single nucleotide', '42 day', 'two half-sibling', 'tgfbr1 gene', 'cm distal', 'breast feather tract', 'within-breed analysis', 'japanese black', 'genetic variance', 'experimental cross', 'higher cc', 'manych merino', 'whose expression', 'management system', 'selective dna pooling', 'transcriptome profile', 'cutaneous melanoma', 'conclusion : our', 'german draft', 'tt genotype', 'mutant allele', 'novel variant', "d '", 'commercial swine', 'tightly linked', 'calf dam', 'real-time pcr', 'uterine horn', 'in study', 'line divergently', 'day open', 'improve accuracy', 'f ( 2', '< 1 %', '( n =', 'crossbred cattle', 'stop codon', 'egg laying', 'carcass trait', 'a > c', '< 10', 'meat quality phenotype', 'monounsaturated fatty acid', 'lod >', 'may regulate', 'escherichia coli', 'mixture model', 'abdominal fatness', 'lifetime average', 'marker typed', 'mammalian specie', 'mapk signaling', '12 month', 'further investigation', 'reached 5', 'this suggests', 'total 39', 'beef breed', 'muscle density', 'proximal end chromosome', 'involved lipid', 'result support', 'when compared', 'mature gga-mir-1596-3p', 'a series', 'bone mineral', 'molecular mechanism underlying', 'play key', 'epistatic effect', 'intramuscular fat ,', 'eca3:79,588,128 79,588,130delinsttatctctatagtagtt', 'across-family analysis', 'hypothalamus adrenal', 'previously undetected', 'classical fertility', 'population comprised', 'relative position', '172 microsatellite', 'missense variant', 'using genabel', 'milk protein', 'p < 0.0001', 'fitted fixed effect', 'we evaluated', 'synthesis metabolism', 'study aimed', 'functional teat', 'haplotype construction', 'indirect effect', "5 ' regulatory", 'cryptic allele', 'f =', "'s criterion", 'total number', '90 %', 'fat protein percentage', 'qtl affecting', 'german holstein population', 'used map quantitative', 'growing pig', 'tissue remodeling', 'bovinesnp50 panel', 'g.-311a >', 'non-coding rna', 'reproductive disorder', 'sus scrofa chromosome', 'fatty acid synthase', 'phenotype assessed', 'chromosome 18', 'required confirm', 'a three-generation', 'primer designed', 'nm 213910', 'heart girth within', 'fatty acid synthesis', 'fore udder attachment', 'association signal', 'immune response', 'based upon', 'highly inbred', 'linkage information', 'beef steer', 'lipid deposition', 'largely controlled', 'feather pecking', 'model specie', 'fat tail', 'semen quality', 'sperm motility', 'imputed sequence variant', 'high throughput', 'we herein', 'small tail han sheep', 'located near', '( bos taurus', 'canadian holstein', 'ltn rtn', 'genome-wide level', 'constructed based', 'lactation stage', 'ovulation rate (', 'seq data', 'in particular', 'genabel package', 'our study', 'response prrsv', 'signature selection', 'process involved', 'study designed', 'cow training', 'divergently selected', 'may provide', 'mineral content', 'additive effect', 'great interest', 'pig breeding program', '26 autosome', 'genotyping beadchip', 'shear force (', 'meat production', 'for purpose', 'peak 42', 'segregation analysis', 'second outbreak', 'passive immune', 'taurus autosome', 'expression level', 'parental line', 'common parent', 'also known', 'sd =', 'level slope', 'hamp c.366+109g', 'gizzard weight', 'whole genome scan', 'low minor allele frequency', 'power gwas', 'laboratory estimate', 'warner-bratzler shear force', 'tg x05380', 'to investigate', 'level significance', 'backcross progeny', 'a b', 'aim identifying', 'high prolificacy', 'dry-cured ham', 'method detecting', 'completely linked', 'daily gain', 'snp51 bta-119876', 'french dairy', 'transcription start site', 'often observed', 'main cause', 'fatty acid binding protein', 'there also evidence', 'commercial population spanish', '50k snp chip', 'closely related', 'half sib', 'artificial insemination', 'layer line', 'genetic improvement', 'clinical mastitis', 'enhance understanding', '( 18 ∶', 'fatty acid composition', 'number corpus lutea', 'mode inheritance', 'serum concentration', 'highest number', 'dilution phenotype', 'standard deviation', 'further analysis', 'gene expression', 'in current', 'piglet born', 'future study', 'illumina bovinesnp50', 'first last insemination', 'muscle development', 'better understand', 'exploited marker-assisted', 'bovine autosome', 'dominance effect', '× 10', 'domestic animal', '60 cm', 'may considered', 'provide new', 'conformational polymorphism', 'c.793g >', 'body slanting length', 'multivariate approach', 'single nucleotide polymorphism', 'qinchuan cattle', '10 %', 'biomechanical strength', 'baseline erythroid', 'nguni cattle', 'non-synonymous snp', 'level mature', 'window explaining', 'founder animal', 'genome-wise significant', 'help better', 'calving difficulty', 'ability sow', 'whether variation', 'bw abdominal', 'european wild boar', 'xr 027435.1', 'sscp analysis', 'hanwoo steer', 'reproductive efficiency great impact', 'e22c19w28 e50c23', 'empirical p', 'age puberty gilt', 'uw resource population', 'allele substitution', 'plasma cortisol', 'larger sample size', 'fabp4 μsat3237', 'indicating potential', 'pcr-sscp dna', 'chromosome 1', 'different time', 'this study', 'pirm syndrome', 'high mobility', 'ptm form', 'suggestively associated', 'centromeric region bovine chromosome', 'marbling score', 'cecum content', 'produced crossing', 'f2 female', 'confirm refine', 'positional cloning', 'least two', 'composite beef', 'single-locus regression', 'strongest signal', 'end chromosome', 'dq124298 :', 'newly reported', 'illumina ovinesnp50 beadchip', 'may affect', 'affect carcass quality', 'c.55g >', 'examine effect', 'ctsl rs332171512a', 'non-return rate', 'gallus gallus', 'tropical environment', 'lean meat percentage', 'body weight growth', 'cytochrome p450', 'copy number variation', 'gga rs16098446', '190 day', 'genetic parameter', 'correlated af', 'italian heavy pig', 'significantly affected', 'resistant susceptible lamb', 'whirling disease', 'equus caballus chromosome', 'analysis carried', 'polymorphism leptin', 'spanish purebred', 'member 4', 'possible causality', 'qtl detection', 'body weight chicken', 'carcass fatness', 'phenotypic data', 'inverted teat', 'significantly correlated', 'only one', 'conclusion : a', 'scd gene', 'bos indicus breed', 'mbl gene', 'holstein dairy cow', 'direct calving ease', 'g.3533t >', 'using polymerase chain', 'may useful', 'still unknown', 'fiber type', 'tentative association', 'limb bone', 'measured second', 'limited number', 'low level', 'abdominal fat trait', 'crucial role', 'polynomial coefficient', 'ovulation rate', 'susceptibility ketosis', 'to ass', 'chinese meishan', 'body weight day', 'whole genome sequence data', 'chromosomal segment', 'chromosome 13', 'newly identified', 'white/red earlobe', 'somatic cell count', 'density contour feather', 'lead identification', 'western pig', 'full-sib family genotyped', 'acute disease', 'distributed along', 'european commercial line', 'heritability estimate', 'response variable', 'me1 genotype', 'fatty acid profile beef', 'cell line', 'cattle population', 'minor difference', 'new insight', 'myh3 rs81437544t', 'bos taurus bos indicus', 'stage representing acute disease', 'normande cow', 'drip loss', 'resource population', 'haplotype combination', 'sib pair', 'highly prolific', 'higher milk yield', 'heavy pig', 'serious economic', 'rear view', 'mature weight', 'commercial line', 'region harbouring', 'body weight abdominal fat', 'cart gene', 'multimarker regression', 'nominal significance', 'snp-harboring gene', 'vitamin d', '80 %', 'increase understanding', 'hematological trait', 'natural selection', 'genomewide association study', 'reactor skin', 'born alive', 'shoulder weight', 'litter size small tail', 'intron 1', 'c. * 928g >', '* b', 'red blood', 'ovis aries', 'anka broiler', 'evaluate effect', "blonde d'aquitaine", 'quality control', 'negative impact', 'dlk2 gene', 'bovine nesp55', 'pathway enrichment', 'mrna expression', 'chinese holstein', 'average daily gain', 'churra sheep', 'linkage disequilibrium analysis', 'genomic estimated breeding', 'semi-evisceration weight', 'winter milk', 'lifetime productivity', 'allelic variant', 'broiler-leghorn cross', 'here report', 'paternal half-sib', 'complex genetic architecture', 'elovl6 :', 'genetic variation', 'calving first', 'ifc abt', 'linkage disequilibrium', 'italian duroc', 'using ovine', 'early late growth', 'chl fat', "'s ability", 'of particular interest', 'genomics approach', 'located intron', 'chest width', 'chromosome 16', 'birth date', 'generalized linear', 'innate immune', 'weight gain', 'located close', 'milk performance', 'one synonymous', 'egg layer', 'pelibuey sheep', 'confidence interval qtl', 'pta dpr', 'fatty acid content', 'suggesting presence', '30 cm', 'parental population', 'antagonistic effect', 'intron 8', 'gastrointestinal parasite', 'illumina bovinesnp50 beadchip', 'scs ebvs', 'marker-trait association analysis', 'snp ex1-1', 'northeast agricultural', 'might help', '× meishan', 'genome-wide scan', 'bone strength', 'using gemma', 'equine industry', 'complex phenotype', 'high-impact variant', 'growth carcass', 'dam line', 'slc39a7 gene', 'number tumor', 'beadchip performed', 'pcr-rflp method', 'small confidence interval', 'day age', 'chromosome-wise level', 'transcript level', 'based significance', 'multivariate analysis', 'genetic evaluation', 'key role', 'two single nucleotide', 'dry matter intake', 'using two-step', 'milk production', '9.5 %', 'bta 5', 'previously identified', 'eosinophil change', 'meishan sow', 'united kingdom', 'meishan × pietrain f2', '± 0.04', 'subcutaneous fat', 'showed moderate', 'medium-chain saturated fatty acid', 'behavioural index swine', 'result provide', 'milk production trait', 'application marker-assisted', 'broiler x layer cross', 'a genome scan', 'breeding scheme', 'significantly enriched', 'nipple number', 'indigenous chicken', 'f2 pig', 'prme horse', 'leg muscle fibre', 'endocrine trait', 'crossing broiler', 'located ssc5', 'the stearoyl-coa desaturase', 'aries v4.0', 'mechanism involved', 'genomic heritability', 'abdominal fat .', 'bone index', 'bovine milk chl', 'used marker-assisted', 'fat tissue', 'valuable tool', 'pleiotropic effect', 'calf size', 'primal cut', 'carcass composition', 'imprinted gene', 'exon 18', 'porcine ibp4', 'able identify', 'statistical analysis indicated', 'total number teat', 'qinchuan beef', 'study identify quantitative', '82 cm', 'factor influencing', 'infected animal', 'g.2834c >', 'architecture complex', 'environment interaction', 'associated increased', 'allele c', 'sc ebv', 'adjusted p <', 'our finding suggest', 'se =', 'statistical significance', 'jiaxian red', 'average daily feed intake', 'performed determine', 'traditionally managed', 'analysis indicated', 'lower mean value', 'finding contribute', 'consecutive generation', 'growth curve', '. even though', 'cause economic loss', 'comparative mapping', 'genetic determinant', 'eca 3', 'sperm concentration', 'number insemination', 'pig industry', 'dlk1 meg3 gene', 'first later parity', 'based winter', 'san diego', 'imputed whole-genome', 'bos taurus )', 'supporting hypothesis', 'bayesian model', 'selective breeding', 'role mediating', 'chinese red', 'oar2 132568092', 'nc 019484', 'genome-wide screen', 'fat yield', 'disease resistance', 'hardy-weinberg equilibrium', 'paternal half-sib family', 'suggestive qtl', 'porcine skeletal', 'genotyped illumina', 'bone density', 'cattle reared', 'previous study shown', 'mapping precision', 'across genome', 'x eu', 'l *', 'population established', 'acetyl-coa carboxylase', 'technological property', 'genetic basis', 'complexity genetic', 'single copy', 'chromosome 3', 'g.2228t >', 'ai service', 'step forward', 'qtl express', 'play important role regulation', 'physical appearance', 'implemented perform', 'swedish red white', '5 kb', 'positive correlation', 'acid composition', 'danish jersey', 'immune system', '% phenotypic', 'economic interest', 'color l *', 'association test', 'disease status', 'result show', 'essential role', 'american holstein', 'quantitative trait nucleotide', 'negatively affect', 'myofiber diameter', 'to understand', 'leghorn layer', 'bovine chromosome 14', 'using univariate', 'illumina equine', 'sequence data', 'fat percentage', 'body size', 'signal transducer activator transcription', 'physical map', 'raspf7-specific igga', 'animal health', 'our finding herein', 'embryonic mortality', 'eggshell quality', 'significantly higher', 'heat treatment', 'rln risk', 'lc h', 'egg number', 'conformation fatness', 'composition melting point', 'positive effect', '% genetic variance', 'maml3 setd7', 'compared non-carriers', 'an association', 'x m', 'dna sample', 'aseasonal reproduction', 'three-generation resource population', 'chi2 =', 'canonical trait', 'we performed', 'selective dna', 'back fat thickness', 'chromosome-wide significant', 'study establish', 'bayesian variable selection', 'warmblood horse', 'lean fat line', 'estimated parameter', 'type i', 'dissect genetic', 'statistical analysis revealed', '//www.vetsci.usyd.edu.au/reprogen/qtl map/', 'pork producer', 'larger sample', 'swedish red', 'summer milk sample', 'shed light', 'eye muscle', 'regional genomic', 'five single nucleotide', 'serum leptin concentration', 'ssc.25503.1.s1 at', '* value', 'meat carcass quality', 'animal genotyped', 'bone length', 'non-smc condensin', 'map quantitative trait locus', 'used construct', 'approximately 8', 'kb region', 'shear force', 'our result show', 'genotyped using', 'nr6a1 gene', 'better understanding', 'physiological function', 'holstein-friesian cattle', 'we concluded', 'putative quantitative trait locus', ': c.1326t', 'second scan', '462 day', 'corticosterone level', 'haemonchus contortus', 'eca3:79,533,217 79,533,224deltcgtcttc', 'common pathway', 'exon 5', 'male piglet', 'located vicinity', 'debao pony', 'production efficiency', 'genomic region associated', 'in second', 'causal variant', '97 % )', 'effect meat cooking', 'data collected', '. the objective', 'color *', '29 bovine autosome', '12 25', 'chromosome 2', 'large effect', 'interleukin 8', 'f2 resource', 'growth rate', 'bayesian method', 'could confirmed', 'brown swiss', 'entire coding', '% phenotypic variance', 'β-lactoglobulin content', 'lipid composition', 'reported previous', 'body weight 10', 'experiment i', 'lower fcr', '29 autosome', 'il10 prrsv', 'welfare economic', '45 190', 'karan fry', 'annotation implemented', 'step toward', 'exon 10', 'fiber diameter', 'scanned using', 'informative microsatellites', 'different parity', 'maternally inherited', 'genetic distance', '165 microsatellite', 'single-strand conformation', 'likely position', 'genome chromosome wise', 'illumina ovinesnp50', 'region flanked', 'clean wool yield', 'dressing percentage', 'used conduct', 'distal end', 'back fat', 'normal horn', 'chest depth', 'phenotypic genotypic', 'qtl body wfe', 'these result confirm', 'molecular basis', 'behavioral test', '( -6', 'mixed model-based', 'female reproduction', '110 cm', 'egg weight', 'mothering ability', 'sow fertility', 'chest girth 4 month', 'iia muscle', 'promising candidate gene', "fisher 's", 'f2 intercross', 'endosteal circumference', 'order identify', 'marginal additive', 'purebred horse', 'plink software', 'x-ray absorptiometry', 'post-mortem examination result', 'resistance map', 'sample size', '20 adjacent', 'lod score', 'breed china', 'conclusion : result', 'proportion phenotypic variance explained', 'selection signature', 'body mass', 'major cause', 'emotional reactivity', 'total solid', 'fowl typhoid', 'test statistic', 'closely linked marker', 'advanced intercross line', 'polygenic effect', 'study demonstrates', 'de-regressed estimated breeding value', 'blood sample', 'strong linkage disequilibrium', 'weaned piglet', 'milk fatty acid composition', 'shank skin color', 'cost poultry industry', 'ibp4 gene', 'enabled u', 'recessive model', 'genome wide association study', 'p = 0.01', 'keyhole lymphet haemocyanin', '60 week', 'acid change', 'identification underlying', 'in present work', 'red cattle', 'allowed u identify', 'linkage linkage disequilibrium', 'combined linkage linkage disequilibrium', 'thyroid hormone', 'abdominal fat content', 'type iib', 'premium cut', 'udder attachment', 'genetic determination', 'three hundred', 'broiler-fayoumi cross', 'prolactin concentration', 'exceeded genome-wide', 'nc 007312.4', 'muscle yield', 'hpa axis', 'percentage normal sperm', 'mar qul', 'experimental design', 'hd beadchip', '600 k', 'ear size', 'highly heritable', 'lumbar vertebra', 'our objective', 'bos taurus autosome', 'eye muscle area', '18 ∶ 1/18 ∶', 'incidence mastitis', 'this study aimed', 'linoleic acid', 'partial efficiency growth', 'improving meat quality', 'thoracic vertebra', '8 week', 'breeding company', 'melatonin receptor', 'whole genome', 'genetic architecture', 'c.3020a >', 'estimated heritabilities', 'potential candidate', 'founder breed', '46 cm', 'age first egg', 'ease first', 'sutai pig', 'backfat thickness', 'across breed', 'mycobacterial infection', 'q allele', 'study identify', 'water loss', 'variance component method', 'determined bird', 'highly significant', 'diagnostic test', 'allele systematically', 'statistical model applied', 'negatively correlated', 'carcass quality', 'commercial pig', 'iberian x', "5'-flanking region", 'it concluded', 'genomic selection', 'testis growth', 'model assumed', 'multiple independent', 'berkshire x yorkshire', 'chromosome-wide level', 'covering 29', 'bone weight', 'navicular disease', 'brahman cattle', 'prrs virus', 'scrofa chromosome', 'new hampshire', 'complete coding', 'orthologous region', 'small effect', '//crcidp.vetsci.usyd.edu.au/cgi-bin/gbrowse/oaries genome/', 'traditional fertility', 'fat thickness', '95 % ci', 'endophyte-infected tall', 'stearoyl-coa desaturase', 'carcass composition meat quality', 'play essential role', 'conversion ratio', 'false positive', 'animal carrying', 'maternal expression', 'per litter', 'genotype bpi', 'previously described', 'strongest association', 'after genotyping', 'bta 14', 'window 50', 'feeding behavior', 'telomeric region', 'clinical subclinical', 'percentage abdominal', "`` tt ''", 'an alternative', 'm. longissimus', 'paternal igf2', '24 month', 'pathway implicated', 'regional genomic mapping', '* ]', 'mutation h-fabp', 'fitted fixed', 'c.1326t >', 'commercial sow', 'racing success', 'chromosome z', 'suggestive evidence', 'autosomal chromosome', 'adipocyte size', 'mirna-target network', 'economic loss', 'danish swedish holstein cattle', 'loin eye', 'transcription factor binding site', 'domestic chicken', 'homozygous genotype', 'c.1574a > g', 'untranslated region', 'average age', 'lge22c19w28 e50c23', 'genetic determinism', 'growth feed efficiency', 'used analyze', '10.9 %', '72 week', 'gastrointestinal nematode', 'per cent peak', 'long-chain unsaturated', 'iberian pig', 'bovine chromosome', 'difference meat quality', 'interacting locus', 'consumer acceptance', 'our result provide evidence', 'multivariate model', 'model regression-genomic', 'ultrasound backfat', 'commercial line bos taurus', 'docosapentaenoic acid', '6 month', 'g.9657c >', 'our result indicate', 'chromosome-wise significant qtl', 'standard deviation egg weight', 'sequence-based gwas', 'based previous', 'daily weight gain', 'acid synthesis', 'bayes c', 'post mortem', 'danish holstein', 'body weight hatch', 'insight genetic', 'breeding value', 'major histocompatibility complex', 'postnatal growth', 'genetic marker', '( p =', 'phenotypic difference', 'sst dg156121', 'within intron', 'these result indicate', 'result indicate', 'bayes factor >', 'provides insight', '916 variation', 'growth stage', 'body weight different', 'two missense', 'oar3 84073899.1', 'next generation sequencing', 'hanwoo beef cattle', 'health issue', 'heat stress', 'fescue toxicosis', 'bone morphogenetic', 'zebu composite', 'potentially useful', 'resistance ipnv', 'growth differentiation factor', 'chromosomal location', 'mapped gga1', 'testosterone concentration', 'h postmortem', 'red blood cell', 'lamb carrying', 'meat color', 'x meishan', 'calving trait', 'using qtl express', 'regression analysis', 'logistic regression', 'cortical bone', 'han sheep', 'direct gestation length', 'signaling pathway', 'beef cattle breed', 'maternal ability', 'consistent across', 'coding sequence', 'large scale', 'our result', 'spanish churra sheep', '23 25', 'factor influence', 'lumbar number', 'skin thickness', 'selective breeding program', 'flanking region', 'korean native', 'go term', 'designed investigate', 'brangus cattle', 'f-drop test', 'backcross family', 'feed efficiency phenotype', 'even though', '70 day', 'homozygous fecx', 'goal study', 'loin eye area', 'expensive measure', 'complete genome scan', 'mdv resistance', 'analysis revealed', 'across-breed analysis', 'x landrace', 'result suggest', 'carrier lamb', 'linkage disequilibrium mapping', '. gene ontology', 'acid substitution', 'tcf12 c.-200-300', 'gga rs13593979', 'low heritability', 'previously unknown', 'in addition', 'economic impact', 'chicken ecotypes', 'morbidity mortality', 'sheep flock', '238 f (', 'identify causative', 'per year', 'study investigate', 'duroc boar', 'dystocia stillbirth', 'genetic variant', '9 week', 'progeny-tested bull', 'in conclusion', 'tool detection', '6 dpi', 'prediction model', 'f ( 1', 'response ndv', 'beef marbling', 'cell surface', 'stress response', 'gene encoding', 'de novo', 'interval 12-13', 'tenderness score', 'amino acid', 'result provide useful reference', 'bos indicus', 'after applying', 'association analysis', 'body weight 70', 'reproductive process', 'selective sweep', '( p <', 'disease incidence', 'direct selection', 'litter size ewe', 'taken together', 'new single nucleotide', 'fat area ratio', 'phenotypic variance', 'meat quality', 'minor allele frequency', 'several specie', 'small proportion', 'bovine milk fatty', 'alpha =', 'estimate heritability', 'inferred haplotype', 'first step towards', 'reached 5 %', 'correlation estimated', 'expression pattern', 'a subset', 'breeding strategy', 'carcass part', 'c3 cdna', ', warner-bratzler shear', 'whole-genome scan', 'industry worldwide', 'fat metabolism', 'nc 007324.4', 'holstein cattle', 'chest girth', 'putative lethal', 'non-synonymous mutation', 'evisceration weight', 'egg size', 'selection process', 'sc german', 'data analysed', '12 week age', 'calving performance', 'chronic disease', 'daily dmi', 'balanced frequency', 'principal component analysis', 'closest gene', 'joint data', 'prior information', 'commercial laying', 'nervous system', 'objective :', 'whole genome scan performed', 'investigation necessary', 'dna marker', 'sire heterozygous', 'ph 24', 'ph 45', 'affecting fatty acid', 'porcine tcap', 'allele g', 'heart weight', 'quantitative real-time', 'daily milk yield', 'illumina ovine', 'microsatellite marker covering', 'bovine hgd', 'located downstream', 'longissimus muscle', 'molecular background', 'understanding biology', 'genetic background', '( -5', 'phenotypic variability', 'affecting milk yield', 'coldblood horse', 'bone mineral content', 'correction multiple', 'male calf', 'tick resistance', 'genotyping performed', 'holstein friesian', 'rectal temperature', 'adjacent marker', 'phenotypic distribution', 'osteochondrosis dissecans', 'broiler-layer cross', 'snp retained', '* b *', 'leg foot', 'rest genome', 'this first report', 'genomewide association', 'showed significant correlation', 'amino acid change', '5 % genome-wise', 'fitness-related trait', '0.05 p <', 'promoter region', 'single-nucleotide polymorphism', 'p = 0.005', 'profile beef', 'litter size mongolia sheep', 'occurrence clinical mastitis', 'md susceptibility', 'ribeye area', 'may serve', 'abcg2 igf1', 'genotype namely', 'it located', 'pre horse', 'bw gain', 'pneumonic lesion', "3'-untranslated region", 'understanding biological', 'highest fst', 'cacna2d1 gene', 'functional annotation', 'located within', 'little known', '34 grandsire family', 'host response', 'may enable', 'created crossing', 'duroc x', "marek 's", 'porcinesnp60 beadchip', 'bonferroni correction', 'allelic imbalance', 'major goal', 'chicken line divergently', 'bodyweight gain', 'back fat depth', 'x limousin', 'telomeric region bta18', 'average backfat thickness', 'bayesian shrinkage', 'method used', 'increased ovulation', 'unl population', 'partially inbred', 'haplotype block', 'sexual maturity', 'economically important', 'interval containing', 'muscle fiber', 'minolta *', 'wild boar', 'receptor gamma', 'associated meat quality', 'quantitative trait locus', 'promising candidate', 'reproductive hormone', 'btb susceptibility', 'somatic cell score', 'play important role regulating', 'teladorsagia circumcincta', 'frame size', 'draft horse', 'bw70 fcr', 'proviral concentration', 'duroc pig', 'result :', 'simultaneously estimate', 'withers height (', 'reproductive tract', 'total glycogen', 'fat depth', 'age 110 kg', 'fine mapping', 'service per conception', 'polish large white', 'unaffected calf', 'regulator muscle', 'selection index', 'md resistance', 'antibody response', 'possible pleiotropic', 'salmonella resistance', 'bull artificial insemination', 'in case', 'ab >', 'underlying complex', 'future research', 'nordic holstein', 'tick count', 'chromosome-wise significance', 'ag genotype', '1.5 %', 'microsatellite marker', 'aimed identify single nucleotide', 'maximum likelihood', 'adult sheep', 'hematological parameter', 'microsatellite locus', 'wide level', 'dbwavg dfiadj', 'metabolic trait', 'regulatory function', 'static qtl', 'four hundred', 'genomic selection program', 'due low', '17 paternal', 'affinity cortisol', '25 cm', 'allelic frequency', 'thermal tolerance', 'meta analysis', 'saturated fatty acid content', 'aimed identify', 'oestrous sheep', 'iberian x landrace', 'h-fabp psmc1', 'mastitis resistance milk production', 'genomic region harboring', 'understanding genetics', 'neuropeptide y (', 'genotyping array', 'white adipose tissue', 'nine month', 'finnish yorkshire', 'host resistance', 'procedure sa', 'fragment length polymorphism', 'high heritability', 'random effect', 'dairy industry', 'restriction fragment length', 'follow-up study', 'differential leucocyte count', '. in addition', 'intramuscular fat', 'longissimus thoracis', 'background : the', 'extreme form', 'semen volume', 'local chicken', 'present study perform', 'background :', 'factor binding', 'significantly greater', '≤ 0.05', 'studied fatty acid', 'genomic variation', 'identify single nucleotide', 'microsatellites covering', 'hu sheep', 'half-sib group', 'duroc purebred population', 'holstein cow', 'proportion genetic variance', 'marker added', 'time t-1 time', 'accuracy genomic prediction', 'may contribute', 'these finding suggest', 'limb bone length', 'plausible candidate gene', 'backfat depth', 'chinese indigenous', 'litter size', 'previously reported', 'single-step genomic blup', 'using standard', 'water holding capacity', '20 24', 'abdominal fat weight', 'experimental-wise level', 'comb mass', 'italian heavy', 'susceptibility etec', 'broad range', '( p ≤', 'linkage analysis linkage disequilibrium', 'genotyped 165', 'chest girth 6 month', 'in present', 'aim present', '240 day white duroc', ' copb1 90', 'breeding season', 'p = 0.003', 'holstein grandsire', 'nelore breed', 'improve meat quality', 'likelihood method', 'favorable allele', 'muscle fiber diameter', '± 0.07', 'veterinary practice', 'identify quantitative', 'eggshell thickness', 'complex trait', "5 '", 'androstenone level', 'major haplotype', 'muscle fiber characteristic', 'on basis', 'knowledge complex', 'low moderate', 'udder conformation', '72 cm', 'lysozyme concentration', 'genetic component', 'model assuming', 'especially swine', 'feather pecking aggressive', 'already reported', 'puerperal psychosis', 'tlr9 tt', 'mixed model', 'cause lameness', 'provided evidence', 't. suis', '% phenotypic variation', 'q arm', 'respiratory disease', 'glm procedure', 'shrinkage estimation', 'infection status', 'to elucidate', 'rump fat thickness', 'new zealand', 'subpopulation peripheral blood', 'feed efficiency', 'training set', 'polygenic inheritance', 'breeding programme', 'ornithine decarboxylase', 'control ovlv', 'report result', 'survival rate', 'triglyceride concentration', 'cloned sequenced', 'complement activity', '30 %', 'relationship matrix', 'g.3691g >', 'harness racing', 'npy gene', 'western commercial', 'wild boar allele', 'key enzyme', 'p < 5 ×', 'ripk2 −/−', 'cdna sequence', 'this work', 'causative variant', 'a detailed', 'seminiferous tubular', 'polymorphic locus', 'illumina bovinehd beadchip', 'chinese sutai', 'leucocyte trait', 'gdf10 gene', 'weighted single-step', 'local breed', 'contribute better', '49 70', 'g-protein-coupled receptor', 'selected based', 'lifetime reproductive', 'case control', 'number born alive', 'protein function', 'oocyst shedding', 'least extent', 'onset puberty', 'navicular bone', '6 week', 'conformational polymorphism (', 'specific health/disease pattern', 'gwa analysis', 'advanced intercross', 'milk protein percentage', 'production system', 'breast muscle', 'economic environmental', 'commercial dairy', 'parent grandparent', 'performed detect quantitative', 'le susceptible', 'birth weight', 'half-sib family', 'm. longissimus dorsi', 'major histocompatibility', 'chinese erhualian', 'g.18377t >', 'amount phenotypic', 'nc 007316', 'carcass weight', 'chemical body', 'leg muscle', 'linkage phase', 'marker-assisted selection program', 'non-catalytic subunit', 'g.874g >', 'widespread use', 'single-trait meta', 'fn424076 :', 'single-locus multi-locus', 'variance explained', 'mineral density', 'play role', 'mode expression', 'chromosome-wide significance level', '0.5 %', 'texel sheep', 'etec f41', 'joint analysis', 'relatively small effect', '1 %', 'bovine chromosome 6', 'carcass meat quality', 'reference population', 'progeny produced', 'pufa content', 'wagyu x', 'c > t', "3 '", 'many specie', 'threshold derived', 'investigate genetic', 'large-effect pleiotropic', 'month age', 'bone morphogenetic protein', '41 day', 'divergent line', 'linear model', 'support previous', 'could useful', 'use marker-assisted', 'http :', 'strong association signal', 'no significant', 'radiation hybrid', 'we also', 'narrowed interval', 'molecular information', 'data analyzed', 'synthetic line 990', 'examine association', 'marker bracket', 'poultry flock', 'may beneficial', '72 week age', 'ssc 4', 'identification causal', 'serum lipid concentration', 'biological function', 'mechanism action', 'protein content', 'health disease', 'proc mixed', 'model allowed', 'highly expressed', 'previous finding', 'step towards', 'regression approach', 'low density lipoprotein', 'we propose', 'p = 0.001', 'hanwoo beef', 'bcwd resistance', 'ultimate ph', 'sow high low', 'result demonstrated', 'genetic factor', 'testicular weight', 'provide insight', '× landrace', 'cheese production', 'covering 18', 'osteochondral lesion', 'post-weaning gain', 'perform genome-wide association study', 'to better', 'future marker-assisted selection', 'positional functional candidate gene', 'region attained', 'often used', 'method :', 'lp lta', 'we sequenced', '90 % confidence interval', 'european commercial', 'igg blocking percentage', 'abnormal sperm', 'first step', 'highly significant qtl', 'explore genetic', 'genome-wide significance level', '= 0.001', 'regression interval', 'genomic relationship', 'parasite resistance', 'combining information', 'south german coldblood horse', 'l - r', 'nc 006091.3', 'genotyped across', 'x y', 'play essential', 'exon-8 nr6a1', 'there significant', 'great economic', 'half-sibling family', 'involved regulation', 'p value', 'to map', 'calving ease', 'objective research', 'lactating cow', 'affecting leg', 'g.17507a >', 'fecal egg count', '194 microsatellite marker', '58 cm', 'ca p', 'varied among', 'resource population phenotyped', 'host genetic', 'affymetrix axiom', '25 26', 'nominal p <', 'luxi × simmental crossbred', 'racing performance', '55 cm', 'pork ph', 'genomic location', 'f1 male', 'found statistically', 'corpus lutea', 'rib eye area', 'boar taint', 'understanding genetic control', 'loss dairy', 'broiler x', 'red maasai dorper', 'we show', 'likelihood ratio', 'account population stratification', 'starting point', 'showed strong', 'to knowledge', 'sus scrofa', 'bos taurus chromosome', 'exceeded chromosome-wise p <', 'number thoracic vertebra', '1.0 %', '< 0.01', 'stillbirth calving', 'contribution variation', 'f2 pedigree', 'complex disease', 'l1 insertion', 'might play important role', 'lepr c.1987c > t', 'milk fat percentage', 'line-cross analysis', 'metabolic pathway', 'associated milk fatty', 'genomewide significance', 'causal mutation', 'mapping resolution', 'combined data set', 'chromosome-wide significant linkage', 'f₂ population', 'bpi exon', 'amino acid substitution', 'model included random', 'previously published', 'affected calf', 'there also', 'genomic region', 'present study investigate', 'estimated heritability', 'affected my', 'growth differentiation', 'ovine chromosome', 'difference prolificacy', 'understand genetic', 'omega-3 pufa content', 'fat percent', 'incubation period', 'broiler line', 'no major', 'targeted region', 'full-sib family', 'melting point', 'hardy-weinberg equilibrium (', 'x merino', 'herd life', 'may play', 'resistance would', 'relevantly associated', 'inbred line', 'native british', 'interspecific hybrid', '< 0.001', 'subclinical ketosis lactation', 'to address', 'milk composition', 'behavioural index', 'peak position', 'gensel software', 'silico analysis', 'first insemination', 'nematode resistance', 'nc 040256', 'threshold determined', 'moderate heritability', 'post immunisation', 'result : we', 'later parity', 'progeny tested', 'condition infection', 'p < 0.05', 'genotype-phenotype association', 'scottish blackface', 'meat yield', 'opn level', 'canadian angus', 'larger number', 'ph 45 min', 'radiation hybrid panel', 'using high-density', '60 k', 'genetic contribution', 'hanwoo cattle', 'cooking loss', 'these result', 'major source', 'provide useful', 'genome-wide rapid', 'packed cell', 'immune pathway', 'resistance cd', 'litter size trait', 'sequence variant', 'beef cattle breeding', 'approximate daughter yield deviation', 'cast 101781475', '183 microsatellites', 'marker-assisted selection .', 'chromosome x', 'mrna level', 'contribute identification', 'a-fabp h-fabp', 'artiodactyl myadm-like', 'published result', 'line-cross half-sib model', 'total number piglet born', 'canadian holstein bull', 'information content', 'strand conformation', 'key ancestor', 'white plymouth rock', 'genetic correlation', 'imprinting status', 'chromosomal region', '50 generation', 'chinese indigenous pig', 'duroc pietrain', 'random polygenic', 'improved meat quality', 'lean meat', 'dlk1 meg3', 'content fatty acid', 'pietrain f2', 'via prediction equation', 'pork tenderness', 'skeletal muscle development', 'carboxylase alpha', 'effect milk fatty', 'eye area', 'lean area', 'principal component', 'this study designed investigate', 'result : a total', 'potential causal', 'marker spanning', 'p = 0.004', 'reproductive seasonality litter size', 'female reproductive', 'f2 chicken', 'ph value', '2.4 %', 'first oviposition', 'n =', 'us m', 'marker density', 'age first', 'our result suggest', 'ovarian follicle', 'a multitrait', 'novel insight', 'identify quantitative trait locus', 'using 125', 'closely linked', 'body dimension', 'these result indicated', 'in total', 'myog gene', 'top 10', 'behavioral trait', 'low frequency', 'metabolism mammal', 'lm semimembranosus', 'used perform', 'multiple chromosomal', 'connective tissue', 'epithelial cell', 'indigenous chinese', 'obesity human', 'may influence', 'bw bone', 'dry matter', 'illinois population', 'inflammatory disease', 'result confirm', 'bird genotyped', 'we report', 'initiator locus', 'interesting candidate', 'sire dam', 'mechanism underlying', 'genotypic frequency', 'meishan ×', 'future marker-assisted', 'radiographic data', 'protein synthesis', 'potentially involved', 'reducing incidence', '± 0.02', 'support hypothesis', 'fine map', 'cortisol level', 'significantly different', 'lipid biosynthesis', 'strong evidence', 'epl score', '250 microsatellite marker', 'play crucial role', 'clinical ketosis lactation', 'interval mapping', 'a genome-wide scan', 'mhc allele', 'number vertebra', '9-base continuous', 'bone mineral density', 'f2 hen', 'distributed across', '97 %', 'positional candidate gene', 'developmental process', 'heterogeneous residual variance', 'fa composition', 'present result', 'wb shear', 'deregressed proof', '5 % chromosome-wide significance', 'measured second shearing', 'region spanning', 'mutation underlying', 'applied identify', 'polygenic inheritance pattern', 'significantly associated average', '84 cm', 'biological process', 'correction multiple test', 'method : a total', 'density lipoprotein', 'genotyping platform', 'limited power', 'may help', 'large number', 'withers height', 'prp genotype', '× erhualian cross', 'developmental stage', 'calculated using', 'bone fracture', 'linear animal model', 'aim study', 'marker spacing', 'current study', 'ph decline', 'genome-wide threshold', 'subcutaneous fat thickness', 'in order', 'weighted single-step gblup', 'bacterial artificial chromosome', 'bioinformatics analysis', '337 fertile stallion', 'meat ph color', 'affecting economically', 'carcass conformation', 'evaluate association', 'university broiler', 'french dairy cattle', 'facilitate search', 'covering 21', 'age 300', 'facial wrinkle', 'lm area', 'linkage mapping', 'charolais ×', 'solute carrier', 'linear regression', 'onset sexual maturity', 'last decade', 'feed intake feed efficiency', 'gnas domain', 'conclusion : we', 'maximum significance', 'nellore cattle', 'egg quality', 'adhesion phenotype', 'marker-trait combination', 'we developed', 'productive trait', 'yield deviation', 'polymerase chain reaction', 'missense mutation', 'weaning weight', 'significant single nucleotide', '57 k', 'cm gga1', 'sequence similarity', 'first parity', 'histocompatibility complex', 'infectious pancreatic necrosis', 'conclusion : our finding', 'maternal calving difficulty', 'region explaining', 'b c', 'arm porcine', 'map4k4 gene', 'poorly understood', 'leg weakness', 'population consisted', 'milk protein yield', 'mendelian model', 'hot carcass', 'subtraits retained placenta', 'functional significance', 'fine mapping study', 'underlying variation', 'broiler chicken', 'among individual', 'dominance variance', 'g.5678784a >', 'grandsire family', 'one hundred twenty', 'snp/duplication locus', 'clinical sign', 'parent-of-origin effect', 'association study', 'selectively genotyped', 'c.10936g >', 'polyunsaturated fatty acid', 'our result demonstrate', 'paternal component pregnancy', 'measured loin', 'improvement reproductive', 'to better understand', 'type iia', 'pp fp', 'this information', 'chromosome harbouring', 'fatty acid profile', 'finding advance', 'near position', 'useful information', 'a c.919g', 'rna-seq data', 'w x', 'on chromosome', '> c', 'performed separately', 'reached genome-wide significance', 'adult stature', 'height human', 'perinatal mortality', 'pig slaughtered', 'using weighted single-step', 'fiber number', 'markov chain', "animal 's", 'ketosis dairy cattle', 'phenotypic variation', 'residual variance', 'economic trait', 'acid content', 'allowed identification', 'body composition', 'eps8 gpat4', 'recurrent airway obstruction', 'oar9 91647990', 'used calculate', 'phenotypic measurement', 'shank head', 'genome assembly', 'milk sample', 'within sex', 'meat spot', 'similar position', 'bead chip', 'highly polymorphic', 'trait locus', 'energy balance', 'random regression', 'conformation score', 'eca3:79,533,282 79,533,285delttct', 'play key role', 'restricted maximum', 'porcine gsk-3α', '= 0.021', 'decr1 me1', 'capn1 :', 'based single-marker', 'mir206 mir133b', 'red junglefowl', 'protein-coding gene', 'effect tm-qtl', 'we applied', 'polymorphic microsatellites', 'cheese yield', 'early growth', 'esc resistance .', 'xm 001788152', 'help elucidate', 'limousin breed', 'logarithm odds', 'supernumerary teat', 'present study identify', 'one missense', 'posterior probability', 'response stress', 'bone cartilage', 'suggestive threshold', 'candidate gene proposed', 'good candidate', 'week age', 'included random', '% genome-wise', 'random regression model', 'mrna abundance', 'fertility treatment', 'bcse locus', 'lalba g.242t', 'adr- inra-design', 'we identified', '% vf2', 'commercial herd', 'predicted transmitting ability', 'swine industry', 'daughter pregnancy rate', 'chromosome-wide significant qtl', 'lowly heritable', 'suggested potential', 'background : a', 'level skatole', 'indicate possible'}
In [87]:
matching_phrases = bi_unique & trait_phrases
# Count total matches
match_count = len(matching_phrases)
print(f"Total Exact Matches: {match_count}")
print(f"This represents {round(match_count/len(trait_phrases),4)*100}% out of all phrases in the dictionary.")
print("Matching Phrases:", matching_phrases)
Total Exact Matches: 157
This represents 0.69% out of all phrases in the dictionary.
Matching Phrases: {'semen volume', 'liver weight', 'longissimus dorsi muscle', 'milk protein', 'number stillborn', 'body length', 'body weight gain', 'glycolytic potential', 'ear size', 'bone mineral density', 'bone density', 'lumbar vertebra', 'functional teat', 'total number born', 'carcass length', 'linoleic acid', 'innate immune response', 'thoracic vertebra', 'wound healing', 'ovulation rate', 'tenderness score', 'litter size', 'abdominal fat weight', 'milk yield', 'comb mass', 'stearic acid', 'immune system', 'backfat thickness', 'mammary gland', 'small intestine', 'subcutaneous fat thickness', 'mean corpuscular volume', 'horn length', 'longissimus dorsi', 'immune response', 'body size', 'rib eye area', 'milk urea', 'ige level', 'feather pecking', 'mean corpuscular hemoglobin concentration', 'testis weight', 'sperm motility', 'chest girth', 'fatty acid', 'egg size', 'milk fatty acid', 'egg number', 'milk fat', 'feed conversion', 'fat thickness', 'milk fat percentage', 'lipid metabolism', 'shoulder weight', 'nervous system', 'oleic acid', 'meat ph', 'breast muscle weight', 'back fat thickness', 'loin yield', 'fertility trait', 'nervous system development', 'ham weight', 'heart weight', 'feeding behavior', 'maternal behavior', 'intramuscular fat content', 'male fertility', 'longissimus muscle', 'eye muscle', 'milk protein yield', 'shank length', 'bone mineral content', 'longissimus dorsi muscle area', 'milk somatic cell', 'gizzard weight', 'loin muscle area', 'heart girth', 'pregnancy rate', 'chest width', 'loin eye', 'meat tenderness', 'leaf fat', 'gestation length', 'milk composition', 'milk fat yield', 'ribeye area', 'teat number', 'lactose yield', 'white blood cell', 'milk protein percentage', 'breast muscle', 'tibia length', 'shank diameter', 'triglyceride level', 'carcass weight', 'leg muscle', 'bone strength', 'female fertility', 'udder depth', 'postnatal growth', 'muscle fiber', 'abdominal fat', 'body height', 'dry matter intake', 'somatic cell score', 'body weight', 'subcutaneous fat', 'clean wool yield', 'dressing percentage', 'udder morphology', 'palmitoleic acid', 'back fat', 'chest depth', 'serum lipid', 'fat depth', 'energy balance', 'adrenal gland', 'chest circumference', 'residual feed intake', 'nipple number', 'red blood cell', 'embryonic development', 'meat color', 'antibody response', 'hip width', 'plasma cortisol', 'egg weight', 'cortical bone', 't cell', 'social behavior', 'uterine horn', 'skin thickness', 'feed conversion ratio', 'body mass', 'ovarian follicle', 'semimembranosus muscle', 'conception rate', 'energy metabolism', 'loin eye area', 'skeletal muscle', 'average daily feed intake', 'body conformation', 'connective tissue', 'white adipose tissue', 'non-return rate', 'muscle area', 't lymphocyte', 'scrotal circumference', 'abnormal sperm', 'bone mineral', 'fetal growth', 'egg production', 'adipose tissue', 'longissimus thoracis', 'intramuscular fat', 'loin muscle'}
In [ ]: